ADDED gdjn.ct Index: gdjn.ct ================================================================== --- gdjn.ct +++ gdjn.ct @@ -0,0 +1,125 @@ +%toc +#top gdjn +allow use of Godot 4 with a [^civ civilized] scripting language, viz. [>janet Janet]. + + janet: https://janet-lang.org + godot: https://godotengine.org + +@civ { + to meet the bare minimum standards necessary to qualify as [!civilized] to my mind, a language must: + * support compilation, whether to bytecode or machine code (excludes gdscript) + * parse into an AST (excludes bash, php (or used to)) + * support AST-rewriting macros (excludes everything outside the lisp family except maybe rust) + * use real syntax, not whitespace-based kludges (excludes python, gdscript inter alia) + * provide a proper module system (excludes C) + * provide for hygienic namespacing (excludes C, gdscript) + * provide simple, cheap aggregate types (excludes gdscript, java, maybe python depending on how you view tuples) + so, janet and fennel are about the only game in town. +} + + +## building + +###dep dependencies +* [*build-time] +** GNU make +** git +** [>top.janet janet] (automatically downloaded and built in [`ext/janet] by default) +*** CLI binary [`janet] (used to run codegen scripts) +*** linked with static library [`libjanet.a] using header [`janet.h] +** [>top.godot godot] ≥ 4.3, or the following files generated by godot: +*** [`gen/extension_api.json] +*** [`gen/gdextension_interface.h] +* [*runtime] +** godot ≥ 4.3 + +## license +the content of this repository is made available under the terms of the [>agpl GNU AGPLv3] except where otherwise noted. the full legally-binding english-language text of this license may be found in the root of this repository in the file [`license.en]. + agpl: https://www.gnu.org/licenses/agpl-3.0.txt + +## about +gdscript is a [>anti-gdscriptische-aktion gibbering aberration] from beyond the stars; this is known. however, as a poor fool determined to write a video game, using godot no less, i resolved to ameliorate my suffering by binding a better language to the engine. such is the depth of my madness. + +"it'll be simple," i told myself. "i've poked at gdextension before; i know it's a nightmare from the sewers of R'lyeh but i've already paid the toll in blood and pain to wrest loose its secrets. i have pretty good sense of what i'm doing this time. janet is well suited to this. [!wgah'nagl fhtagn]. it will be easy" + +yes, i was on drugs when i made this decision. i still am + +a week or so later, i found myself implementing a new domain-specific IDL from scratch because that was less work than directly using the GDExtension api. the C side of GDExtension, it must be understood, was not designed for humans to use. it was intended as a scaffolding for godot-cpp, and only exists because C++ does not have a [^abi standardized ABI] -- C++ binaries can only talk to other C++ binaries by using C as a gobetween. no, this is not as crazy as it sounds. it's [!crazier.] + + abi: okay yes in reality it absolutely fucking does, everyone uses the same gods-damned amd one, in actual materially existing reality there is no interop problem at least on x86, but because we haven't ritually enshrined this model at ISO and pacified its marauding [!aramitama] with burnt offerings of motor oil and obsolete DRAM chips, we cover our eyes and pretend we cannot see what is sitting right in front of us. i love too compute dont u + +so GDExtension is designed (if i may use the word liberally) with certain notions fixed firmly in mind. chief among them is that the actual C-level calls will be thoroughly ensconced in a suffocating buffer of template hackery, which will employ dark arts and crafts to generate gobs and gobs of impenetrable C at compile time. in fact, GDExtension is so designed that it is basically impossible to use it directly without a code generation layer. unwilling as i was to use C++ (it's against my religion), i wrote my layer from scratch, in janet. + +this was not as bad as it could have been. janet has something [^deficient magnificent] in its stdlib that every language should have: a PEG module. the resulting program, ["tool/class-compile.janet] is under 1k lines! just barely. this tool is fired off by the makefile for the ["src/*.gcd] files, generating a header file ["gen/*.h] and an object file ["out/*.o] that implements the class described in the file. the care and feeding of this file format is described in the [>gcd GCD section]. + + deficient: it is deficient in one particular way: it only operates over bytestrings. so you can use a PEG to parse raw text, or you can use it to implement a lexer, but you can't have both a PEG lexer and parser, which is really fucking dumb and makes things like dealing with whitespace far more painful than it needs to be.) + +##gcd GCD language +GCD is a simple IDL which is translated into [^complex much more complicated C]. it's designed to make writing GDExtension classes as close to the native GDScript experience as possible, without the syntactic hanging offenses. you define the structure of the class using GCD, and write inline C to implement your functions. linemarkers are emitted properly so when you inevitably fuck it up, the compiler will be able to apportion the blame properly. + + complex: the generated implementation code is roughly 24x longer than the input file + +the C "lexing" is pretty robust, and as long as you aren't doing horrible shit with the preprocessor (on the order of ["#define fi }]) it shouldn't choke on anything you write. if you [!are] doing horrible shit with the preprocessor however, [!you deserve everything you get]. + +["tool/class-compile.janet] accepts the following (nested) forms: + + block: \{ ··· [$[#1]] ··· } + c-block: {block inline C} + scope: {block inner scope} + +* [`(* ... *)] masks out a comment. these nest properly. normal C comments in a C block will be output with the rest of the text; gcd comments will be elided everywhere. +* [`(- ... -)] marks out inline documentation. this is not a comment! it is a syntactical element, allowed only in certain places (before a line item definition, after a return type, at the end of an argument specifier before the terminating comma/semicolon, or after an enum item). javadoc-style doc comments will be generated for the generated C, and it is my hope to also integrate this with godot's online API documentation system, which i will grudgingly acknowledge is pretty fricken neat. +* [`class [$name] (is|extends) [$base] {scope};] define a class [$name] inheriting from [$base]. use [`is] when inheriting from a godot native class; use [`extends] when inheriting from a gdextension class [!defined in your program] (inheriting from foreign gdextension classes will not work as expected either way). the necessity of this distinction is unfortunate; godot's virtual method implementation is hilariously broken so we have to manually hack around that particular cesspit of incompetence +* [`(fn | impl) [$name]([$arg-type] [$arg], ...) -> [$return-type] {c-block};] defines a function. use fn for normal static-dispatch functions; use impl for virtual overrides. these are implemented in bizarrely diverging ways but you don't have to care about that, because i did it for you. [!you owe me.] +** all arguments should be available by name as the proper godot type; e.g. [`string-name] becomes a [`gd_stringName]. +** a pointer to the C-side storage struct for this class can be named by the token [`me]. if you need the godot object, write [`me -> self]. +** for void functions, omit the [`-> [$return-type]] clause. +* [`var [$c-type] as [$gd-type]: [$v1], [$v2], ...;] defines a public class field (or global, at unit scope). [$c-type] is the actual storage type of the object; omit it to have a sensible choice picked for you based on [$gd-type]. [$gd-type] is the godot type that this field will be presented as. +* [`var [$c-type]: [$v1], [$v2], ...;] defines a private class field, accessible only to C. +** note that [*you cannot use intializers here] (yet, anyway); defining a reasonable syntax for a type that has to translate between C and the Godot type system is a decidedly nontrivial endeavor, and would probably have been more complicated than the rest of the syntax combined. for now, initialize your variables in [`new {c-block}]. +* [`(import | use) <[$header]>;] transcludes a C system include into the unit. [`import] is the equivalent of using [`#include] in a header file; [`use] is the equivalent of using it in an implementation file. +* [`(import | use) \"[$header]\";] transcludes a local C file into the unit. +* [`(import | use) {c-block};] dumps a block of C code into the header or implementation. use this to e.g. define utility functions. +* [`new {c-block};] defines the class constructor +* [`del {c-block};] defines the class destructor. remember that in godot-land refcounting is used, so sane RAII is kind of out of the question unless you're imposing manual memory management on your poor end users +* [*godot types]: these are named using lisp-style tokens instead of the normal godot camelcase, both because i prefer it immensely and because it simplifies the more aggravating aspects of generating appropriate C from this trainwreck. +** primitive types: [`string], [`string-name], [`int], [`float], [`packed-float64-array] etc. +** container types: [`array], [`array\[[$prim-type]\]], [`dictionary], [`dictionary\[[$prim-key], [$prim-val]\]] +** reference types: these are prefixed with the [`ref] keyword, e.g [`ref node-3D], [`ref rich-text-label] etc. you can also write these as normal camelcase ([`ref RichTextLabel]) if you like, since i don't have to care about the internal structure of the identifier at this point. + +note that [*semicolons are mandatory] after every statement. whitespace is irrelevant except as a token-separator. + +the interface for each unit is written to ["gen/*.h]. be sure to call the unit load function at the proper place and time. + +#anti-gdscriptische-aktion manifesto against GDScript +> [!gdscript is a gibbering aberration from beyond the stars] + +okay, this is, if anything, an understatement. it is possibly the single worst programming language i have yet (however begrudgingly) coded in. the tale of gdscript is one of fantastical hubris, of strife and horror and punishment handed down by the gods from on high like unto the sagas of old. + +the creators of gdscript, you see (whom i shall henceforth address by the name of Abdul al-Hazred, for reasons i hope are readily apparent) originally wanted to use lua as godot's scripting language, and made an attempt to do so (this was sensible) but they concluded (incorrectly) that lua's facilities for threading were insufficient (i.e. they did not understand how to use the library correctly), so, having zero domain expertise or relevant experience, they resolved to devise their very own language from scratch. (this [>blunder was not]. i am put in mind of how Brendan Eich (piss be upon him) actually wanted to use a Scheme as Netscape's scripting language -- as i would have in his place! -- but the bleating idiot suits wanted something they could (however dishonestly) slap the Java branding on, so instead the entire modern web is infested by unending reams of [>wat ECMAScript]. more ECMAScript than there are stars. [!more ECMAScript than there is light]) + +so, knowing nothing of elementary PL theory, they hacked together a lurching screeching nightmare that is the antithesis to everything lua has ever been. shall i number the ways? + +: lua has clean, consistent, unambiguous syntax that completely elides any need for syntactic handholding like brackets or (outside one niggling edge case) semicolons or line continuation sigils; gdscript reads the entrails of your indenting discipline and tries to infer structure therefrom (except for enums, for some unfathomable reason, which use C-style bracket blocks), which you inevitably have to hack your way around with the aforementioned semicolons and backslashes, and no matter what you do your code looks hideous. even this is inconsistent: the (woefully inadequate) match statement ([!"statement"], i will note, [!not] "expression"; the ML weenies in the audience just flinched, and rightly so) absolutely requires whitespace and newlines to delimit its cases. +: lua has a simple but extensible prototype-ish object model. godot has a full-blown class system with all the elegance of GObject, all the efficiency of Java, all the consistency of an American politician, and all the expressive power of MUMPS. single inheritance, no interfaces, no templates, no generics, no macros, no mixins. in a [!game engine]. [!lunacy, i tell you.] +: lua is cleverly designed to use tables to implement namespacing. in point of fact, namespacing is emergent; it's barely even part of the language. every lua chunk has its own clean namespace (or a shared global environment, an the host program will it so), and can choose what to bring in by binding modules to variables. gdscript barely supports namespacing at all, and in such a broken fucking way the native classes don't even try to use it. inner classes are defective, with reduced autocomplete metadata from other units, and cannot be used as resources. i honestly cannot fathom how they fucked this up so badly. every godot class you create pretty much pollutes a global namespace, and the situation is so bad that addon writers follow a convention of [!not naming their classes at all], using path-based imports instead. +: lua is a reasonable functional language. you can use any FP paradigm you want, with a bit of effort. closures are lightweight, simple, and fun to use. there is no difference between an ordinary function and a lambda. gdscript, on the other hand, is a procedural language with lambdas hacked awkwardly in, with syntax that will make you long for the purity of ruby. a closure is a completely different thing from functions, an object of class Callable, and can only be invoked by using [`Callable.call(args)]. and of course closures are completely untyped. +: lua has a straightforward dynamic type system. not great, but it's bearable. gdscript has a bizarre and spiritually unclean gradual typing system (i have always been suspicious of this concept and i am now firmly of the opinion that gradual typing is categorically a bug, not a feature.) it is not even internally consistent. "typed arrays" are not a type at all, but bizarre syntactic sugar for an array-specific runtime type tagging system. typed dictionaries [!were not even available] until 4.4, which at the time of writing is still in pre-release. there are no generics, no templates. just [`Variant], and special-casing as far as the eye can see. this is almost the worst part, because to use godot at all, even from another language, you have to interact with this abortion somehow. i am going to have to wrap some kind of elaborate blast shield around it to make it usable from janet and i do not eagerly anticipate the process. +: lua compiles down to bytecode. the reference implementation is not terribly impressive speed-wise, but luajit (an ideological variant based on pre-5.3 lua, not an implementation as it is often called) has performance characteristics bordering on C itself. gdscript does not compile at all; at best, it is pre-tokenized. yes, the entire damn thing is interpreted, at runtime. [*this alone should be enough to rule it out summarily as a game scripting language.] i mean, [!for shame]. fucking [!ruby] is probably more efficient at this point (not that i suggest anyone pull an RPGMaker XP here). + +this is not exhaustive. this isn't even getting into the rat fuck screaming lunacy that is the underlying implementation. this is just the particular set of aggravations that came most immediately to mind when i set my cyberquill to electric paper. this is just a fucking taste, a faint flickering preview of how bad it gets. [!and people use this language for serious work.] they claim to [!like] it. the godot team blithely encourages people to learn gdscript, enthusing on its many virtues, as if they should not be too ashamed to show their faces where unsullied souls might see. the absolute mindless [!gall] is beyond all reckoning. i would say that this is the fucking PHP fractal-of-bad-design fiasco all over again, except, like, I've used PHP. [!i prefer PHP to this monstrosity.] yes, even ye-olde-worlde PHP, with [`register_globals] and all. i think it is fair to say that gdscript is to lua as modern American English is to [>toki Toki Pona] or Japanese. +in broad conclusion, gdscript is not a programming language. it is barely a scripting language. it is a genus of tyranid. it is the diseased, misshapen, gurgling spawn of the unclean things that gnaw the roots of Yggdrasil in the depths beyond depths where gods and titans fear to tread, and sing searing nightmares into the sleeping souls of mortals. it is a thing demonstrative of the Kali Yuga, and foretells in near time the merciful descent of Shiva's cleansing blade. it is the most intricate work of raw seething blasphemy yet wrought by mortal hands, if indeed mere mortals had anything to do with it. +you maybe have some idea of exactly [!how angry this thing makes me], simply from the fact that i was willing to endure the process of binding a whole new language to godot out of sheer fulminating [!spite]. +- - - - +i would like to make one final point, and if you take anything away from the above rant, [!wote it be this]: programming language design is an art unto itself, and being a programmer -- even a very good one -- gives you fuck all credibility as a language designer. i don't care how many languages you know, i don't care how 10x your full stack is, i don't care if you have 700 years of experience at Current Thing, and i don't care how sharp your suit is. none of that has any bearing on your competence as a language designer. as an [!implementer], maybe. but leave the high concept stuff to your betters. do not under any circumstances design Yet Another Language, and work actively to shame those who do. + +yes, i am being unironically elitist here: like making art and making war, language design is an [!intrinsically aristocratic pastime], and no amount of raw labor power or professional experience can suffice in the absence of a suitably disciplined, cultured, and talented mind. comrade stalin (peace be upon him) learned this the hard way about war, and if anything we moderns seem to be learning the same lesson even more slowly about the technical arts. + +i myself am capable of reasonably competent language design, and that was a skill i developed over more than a decade of research and experiment and, mostly, plain old omphaloskepsis, things i would not have had time or energy for if i weren't broadly sheltered from the material conditions of the 21st century by my status as a(n intermittently starving) artist, paid by human patrons rather than bugman employers. i do not even hold a candle to [>fennel the] [>lua true] [>bakpakin masters] in this arena. + + toki: https://en.wikipedia.org/wiki/Toki_Pona + blunder: https://www.youtube.com/watch?v=WjvsYi2DkOs + fennel: https://github.com/bakpakin/Fennel + lua: https://lua.org + bakpakin: https://github.com/bakpakin + wat: https://www.destroyallsoftware.com/talks/wat ADDED gdjn.gdextension Index: gdjn.gdextension ================================================================== --- gdjn.gdextension +++ gdjn.gdextension @@ -0,0 +1,6 @@ +[configuration] +entry_symbol = "gdjn_library_init" +compatibility_minimum = "4.3" + +[libraries] +linux.x86_64 = "gdjn.so" ADDED lib/json.janet Index: lib/json.janet ================================================================== --- lib/json.janet +++ lib/json.janet @@ -0,0 +1,91 @@ +# [ʞ] lib/json.janet +# ~ lexi hale +# 🄯 AGPLv3 +# ? a quick-and-dirty json parser good enough to +# make sense of extension_api.json and no better +# > (import :/lib/json) + +(defn- mk-json-obj [& body] + (tabseq [[key val] :in body] + key val)) + +(defn- json-kw [kw & pat] + ~(* (constant ,kw) ,;pat)) + +(def parse-fail { + :->string (fn [me] + (string/format "parse error %s at %d:%d" + (me :kind) (me :line) (me :col))) +}) + + +(defn- fail [kind] + (defn mk [line col] + (struct/with-proto parse-fail + :kind kind + :line line + :col col)) + ~(error (cmt (* (line) (column)) ,mk))) + +(def pattern (peg/compile ~{ + :bool (+ ,(json-kw true "true") + ,(json-kw false "false")) + :null ,(json-kw :null "null") + :val (* :ws (+ :obj :str :num + :ary :bool :null + ,(fail :bad-val)) :ws) + :ary (group + (+ "[]" + (* "[" (+ + (* :val + (any (* "," :val)) + (? (* "," :ws))) + :wso + ,(fail :bad-array)) + "]" ))) + :obj (cmt (* "{" :ws + (? (* + :pair + (any (* :ws "," :ws :pair)) + :ws (? ",") :ws)) + :ws "}") ,mk-json-obj) + :pair (group (* :str :ws ":" :ws :val)) + :str (* `"` (<- (any (+ `\"` (if-not `"` 1)))) `"`) + + # numerals # + :dec-digit (range "09") + :dec-int-lit (some :dec-digit) + :dec-lit-base (+ (* :dec-int-lit "." (? :dec-int-lit)) + (* "." :dec-int-lit) + :dec-int-lit) + :dec-lit (+ (* :dec-lit-base "e" :dec-lit-base) + :dec-lit-base) + :hex-digit (+ :dec-digit + (range "af") + (range "AF")) + :hex-lit (* "0x" (some :hex-digit)) + :num (number (* (+ "-" "+" "") + (+ :hex-lit :dec-lit))) + + # misc # + :ws-char (+ " " "\t" "\n") + :wso (some :ws-char) + :ws (any :ws-char) + :main :val +})) + +(defn parse [body] + (try (let [parsed (peg/match pattern body)] + (when (= nil parsed) + (error :unknown)) + (first parsed)) + ([e] (error (match e + :unknown "mystery error" + _ (:->string e)))))) + + +(defn main [& argv] + (pp (parse `` + {"test": 123, + "array": [{}, true, {"no":"yes", }]} + ``))) ADDED license.en Index: license.en ================================================================== --- license.en +++ license.en @@ -0,0 +1,661 @@ + GNU AFFERO GENERAL PUBLIC LICENSE + Version 3, 19 November 2007 + + Copyright (C) 2007 Free Software Foundation, Inc. + Everyone is permitted to copy and distribute verbatim copies + of this license document, but changing it is not allowed. + + Preamble + + The GNU Affero General Public License is a free, copyleft license for +software and other kinds of works, specifically designed to ensure +cooperation with the community in the case of network server software. + + The licenses for most software and other practical works are designed +to take away your freedom to share and change the works. By contrast, +our General Public Licenses are intended to guarantee your freedom to +share and change all versions of a program--to make sure it remains free +software for all its users. + + When we speak of free software, we are referring to freedom, not +price. Our General Public Licenses are designed to make sure that you +have the freedom to distribute copies of free software (and charge for +them if you wish), that you receive source code or can get it if you +want it, that you can change the software or use pieces of it in new +free programs, and that you know you can do these things. + + Developers that use our General Public Licenses protect your rights +with two steps: (1) assert copyright on the software, and (2) offer +you this License which gives you legal permission to copy, distribute +and/or modify the software. + + A secondary benefit of defending all users' freedom is that +improvements made in alternate versions of the program, if they +receive widespread use, become available for other developers to +incorporate. Many developers of free software are heartened and +encouraged by the resulting cooperation. However, in the case of +software used on network servers, this result may fail to come about. +The GNU General Public License permits making a modified version and +letting the public access it on a server without ever releasing its +source code to the public. + + The GNU Affero General Public License is designed specifically to +ensure that, in such cases, the modified source code becomes available +to the community. It requires the operator of a network server to +provide the source code of the modified version running there to the +users of that server. Therefore, public use of a modified version, on +a publicly accessible server, gives the public access to the source +code of the modified version. + + An older license, called the Affero General Public License and +published by Affero, was designed to accomplish similar goals. This is +a different license, not a version of the Affero GPL, but Affero has +released a new version of the Affero GPL which permits relicensing under +this license. + + The precise terms and conditions for copying, distribution and +modification follow. + + TERMS AND CONDITIONS + + 0. Definitions. + + "This License" refers to version 3 of the GNU Affero General Public License. + + "Copyright" also means copyright-like laws that apply to other kinds of +works, such as semiconductor masks. + + "The Program" refers to any copyrightable work licensed under this +License. Each licensee is addressed as "you". "Licensees" and +"recipients" may be individuals or organizations. + + To "modify" a work means to copy from or adapt all or part of the work +in a fashion requiring copyright permission, other than the making of an +exact copy. The resulting work is called a "modified version" of the +earlier work or a work "based on" the earlier work. + + A "covered work" means either the unmodified Program or a work based +on the Program. + + To "propagate" a work means to do anything with it that, without +permission, would make you directly or secondarily liable for +infringement under applicable copyright law, except executing it on a +computer or modifying a private copy. Propagation includes copying, +distribution (with or without modification), making available to the +public, and in some countries other activities as well. + + To "convey" a work means any kind of propagation that enables other +parties to make or receive copies. Mere interaction with a user through +a computer network, with no transfer of a copy, is not conveying. + + An interactive user interface displays "Appropriate Legal Notices" +to the extent that it includes a convenient and prominently visible +feature that (1) displays an appropriate copyright notice, and (2) +tells the user that there is no warranty for the work (except to the +extent that warranties are provided), that licensees may convey the +work under this License, and how to view a copy of this License. If +the interface presents a list of user commands or options, such as a +menu, a prominent item in the list meets this criterion. + + 1. Source Code. + + The "source code" for a work means the preferred form of the work +for making modifications to it. "Object code" means any non-source +form of a work. + + A "Standard Interface" means an interface that either is an official +standard defined by a recognized standards body, or, in the case of +interfaces specified for a particular programming language, one that +is widely used among developers working in that language. + + The "System Libraries" of an executable work include anything, other +than the work as a whole, that (a) is included in the normal form of +packaging a Major Component, but which is not part of that Major +Component, and (b) serves only to enable use of the work with that +Major Component, or to implement a Standard Interface for which an +implementation is available to the public in source code form. A +"Major Component", in this context, means a major essential component +(kernel, window system, and so on) of the specific operating system +(if any) on which the executable work runs, or a compiler used to +produce the work, or an object code interpreter used to run it. + + The "Corresponding Source" for a work in object code form means all +the source code needed to generate, install, and (for an executable +work) run the object code and to modify the work, including scripts to +control those activities. However, it does not include the work's +System Libraries, or general-purpose tools or generally available free +programs which are used unmodified in performing those activities but +which are not part of the work. For example, Corresponding Source +includes interface definition files associated with source files for +the work, and the source code for shared libraries and dynamically +linked subprograms that the work is specifically designed to require, +such as by intimate data communication or control flow between those +subprograms and other parts of the work. + + The Corresponding Source need not include anything that users +can regenerate automatically from other parts of the Corresponding +Source. + + The Corresponding Source for a work in source code form is that +same work. + + 2. Basic Permissions. + + All rights granted under this License are granted for the term of +copyright on the Program, and are irrevocable provided the stated +conditions are met. This License explicitly affirms your unlimited +permission to run the unmodified Program. The output from running a +covered work is covered by this License only if the output, given its +content, constitutes a covered work. This License acknowledges your +rights of fair use or other equivalent, as provided by copyright law. + + You may make, run and propagate covered works that you do not +convey, without conditions so long as your license otherwise remains +in force. You may convey covered works to others for the sole purpose +of having them make modifications exclusively for you, or provide you +with facilities for running those works, provided that you comply with +the terms of this License in conveying all material for which you do +not control copyright. Those thus making or running the covered works +for you must do so exclusively on your behalf, under your direction +and control, on terms that prohibit them from making any copies of +your copyrighted material outside their relationship with you. + + Conveying under any other circumstances is permitted solely under +the conditions stated below. Sublicensing is not allowed; section 10 +makes it unnecessary. + + 3. Protecting Users' Legal Rights From Anti-Circumvention Law. + + No covered work shall be deemed part of an effective technological +measure under any applicable law fulfilling obligations under article +11 of the WIPO copyright treaty adopted on 20 December 1996, or +similar laws prohibiting or restricting circumvention of such +measures. + + When you convey a covered work, you waive any legal power to forbid +circumvention of technological measures to the extent such circumvention +is effected by exercising rights under this License with respect to +the covered work, and you disclaim any intention to limit operation or +modification of the work as a means of enforcing, against the work's +users, your or third parties' legal rights to forbid circumvention of +technological measures. + + 4. Conveying Verbatim Copies. + + You may convey verbatim copies of the Program's source code as you +receive it, in any medium, provided that you conspicuously and +appropriately publish on each copy an appropriate copyright notice; +keep intact all notices stating that this License and any +non-permissive terms added in accord with section 7 apply to the code; +keep intact all notices of the absence of any warranty; and give all +recipients a copy of this License along with the Program. + + You may charge any price or no price for each copy that you convey, +and you may offer support or warranty protection for a fee. + + 5. Conveying Modified Source Versions. + + You may convey a work based on the Program, or the modifications to +produce it from the Program, in the form of source code under the +terms of section 4, provided that you also meet all of these conditions: + + a) The work must carry prominent notices stating that you modified + it, and giving a relevant date. + + b) The work must carry prominent notices stating that it is + released under this License and any conditions added under section + 7. This requirement modifies the requirement in section 4 to + "keep intact all notices". + + c) You must license the entire work, as a whole, under this + License to anyone who comes into possession of a copy. This + License will therefore apply, along with any applicable section 7 + additional terms, to the whole of the work, and all its parts, + regardless of how they are packaged. This License gives no + permission to license the work in any other way, but it does not + invalidate such permission if you have separately received it. + + d) If the work has interactive user interfaces, each must display + Appropriate Legal Notices; however, if the Program has interactive + interfaces that do not display Appropriate Legal Notices, your + work need not make them do so. + + A compilation of a covered work with other separate and independent +works, which are not by their nature extensions of the covered work, +and which are not combined with it such as to form a larger program, +in or on a volume of a storage or distribution medium, is called an +"aggregate" if the compilation and its resulting copyright are not +used to limit the access or legal rights of the compilation's users +beyond what the individual works permit. Inclusion of a covered work +in an aggregate does not cause this License to apply to the other +parts of the aggregate. + + 6. Conveying Non-Source Forms. + + You may convey a covered work in object code form under the terms +of sections 4 and 5, provided that you also convey the +machine-readable Corresponding Source under the terms of this License, +in one of these ways: + + a) Convey the object code in, or embodied in, a physical product + (including a physical distribution medium), accompanied by the + Corresponding Source fixed on a durable physical medium + customarily used for software interchange. + + b) Convey the object code in, or embodied in, a physical product + (including a physical distribution medium), accompanied by a + written offer, valid for at least three years and valid for as + long as you offer spare parts or customer support for that product + model, to give anyone who possesses the object code either (1) a + copy of the Corresponding Source for all the software in the + product that is covered by this License, on a durable physical + medium customarily used for software interchange, for a price no + more than your reasonable cost of physically performing this + conveying of source, or (2) access to copy the + Corresponding Source from a network server at no charge. + + c) Convey individual copies of the object code with a copy of the + written offer to provide the Corresponding Source. This + alternative is allowed only occasionally and noncommercially, and + only if you received the object code with such an offer, in accord + with subsection 6b. + + d) Convey the object code by offering access from a designated + place (gratis or for a charge), and offer equivalent access to the + Corresponding Source in the same way through the same place at no + further charge. You need not require recipients to copy the + Corresponding Source along with the object code. If the place to + copy the object code is a network server, the Corresponding Source + may be on a different server (operated by you or a third party) + that supports equivalent copying facilities, provided you maintain + clear directions next to the object code saying where to find the + Corresponding Source. Regardless of what server hosts the + Corresponding Source, you remain obligated to ensure that it is + available for as long as needed to satisfy these requirements. + + e) Convey the object code using peer-to-peer transmission, provided + you inform other peers where the object code and Corresponding + Source of the work are being offered to the general public at no + charge under subsection 6d. + + A separable portion of the object code, whose source code is excluded +from the Corresponding Source as a System Library, need not be +included in conveying the object code work. + + A "User Product" is either (1) a "consumer product", which means any +tangible personal property which is normally used for personal, family, +or household purposes, or (2) anything designed or sold for incorporation +into a dwelling. In determining whether a product is a consumer product, +doubtful cases shall be resolved in favor of coverage. For a particular +product received by a particular user, "normally used" refers to a +typical or common use of that class of product, regardless of the status +of the particular user or of the way in which the particular user +actually uses, or expects or is expected to use, the product. A product +is a consumer product regardless of whether the product has substantial +commercial, industrial or non-consumer uses, unless such uses represent +the only significant mode of use of the product. + + "Installation Information" for a User Product means any methods, +procedures, authorization keys, or other information required to install +and execute modified versions of a covered work in that User Product from +a modified version of its Corresponding Source. The information must +suffice to ensure that the continued functioning of the modified object +code is in no case prevented or interfered with solely because +modification has been made. + + If you convey an object code work under this section in, or with, or +specifically for use in, a User Product, and the conveying occurs as +part of a transaction in which the right of possession and use of the +User Product is transferred to the recipient in perpetuity or for a +fixed term (regardless of how the transaction is characterized), the +Corresponding Source conveyed under this section must be accompanied +by the Installation Information. But this requirement does not apply +if neither you nor any third party retains the ability to install +modified object code on the User Product (for example, the work has +been installed in ROM). + + The requirement to provide Installation Information does not include a +requirement to continue to provide support service, warranty, or updates +for a work that has been modified or installed by the recipient, or for +the User Product in which it has been modified or installed. Access to a +network may be denied when the modification itself materially and +adversely affects the operation of the network or violates the rules and +protocols for communication across the network. + + Corresponding Source conveyed, and Installation Information provided, +in accord with this section must be in a format that is publicly +documented (and with an implementation available to the public in +source code form), and must require no special password or key for +unpacking, reading or copying. + + 7. Additional Terms. + + "Additional permissions" are terms that supplement the terms of this +License by making exceptions from one or more of its conditions. +Additional permissions that are applicable to the entire Program shall +be treated as though they were included in this License, to the extent +that they are valid under applicable law. If additional permissions +apply only to part of the Program, that part may be used separately +under those permissions, but the entire Program remains governed by +this License without regard to the additional permissions. + + When you convey a copy of a covered work, you may at your option +remove any additional permissions from that copy, or from any part of +it. (Additional permissions may be written to require their own +removal in certain cases when you modify the work.) You may place +additional permissions on material, added by you to a covered work, +for which you have or can give appropriate copyright permission. + + Notwithstanding any other provision of this License, for material you +add to a covered work, you may (if authorized by the copyright holders of +that material) supplement the terms of this License with terms: + + a) Disclaiming warranty or limiting liability differently from the + terms of sections 15 and 16 of this License; or + + b) Requiring preservation of specified reasonable legal notices or + author attributions in that material or in the Appropriate Legal + Notices displayed by works containing it; or + + c) Prohibiting misrepresentation of the origin of that material, or + requiring that modified versions of such material be marked in + reasonable ways as different from the original version; or + + d) Limiting the use for publicity purposes of names of licensors or + authors of the material; or + + e) Declining to grant rights under trademark law for use of some + trade names, trademarks, or service marks; or + + f) Requiring indemnification of licensors and authors of that + material by anyone who conveys the material (or modified versions of + it) with contractual assumptions of liability to the recipient, for + any liability that these contractual assumptions directly impose on + those licensors and authors. + + All other non-permissive additional terms are considered "further +restrictions" within the meaning of section 10. If the Program as you +received it, or any part of it, contains a notice stating that it is +governed by this License along with a term that is a further +restriction, you may remove that term. If a license document contains +a further restriction but permits relicensing or conveying under this +License, you may add to a covered work material governed by the terms +of that license document, provided that the further restriction does +not survive such relicensing or conveying. + + If you add terms to a covered work in accord with this section, you +must place, in the relevant source files, a statement of the +additional terms that apply to those files, or a notice indicating +where to find the applicable terms. + + Additional terms, permissive or non-permissive, may be stated in the +form of a separately written license, or stated as exceptions; +the above requirements apply either way. + + 8. Termination. + + You may not propagate or modify a covered work except as expressly +provided under this License. Any attempt otherwise to propagate or +modify it is void, and will automatically terminate your rights under +this License (including any patent licenses granted under the third +paragraph of section 11). + + However, if you cease all violation of this License, then your +license from a particular copyright holder is reinstated (a) +provisionally, unless and until the copyright holder explicitly and +finally terminates your license, and (b) permanently, if the copyright +holder fails to notify you of the violation by some reasonable means +prior to 60 days after the cessation. + + Moreover, your license from a particular copyright holder is +reinstated permanently if the copyright holder notifies you of the +violation by some reasonable means, this is the first time you have +received notice of violation of this License (for any work) from that +copyright holder, and you cure the violation prior to 30 days after +your receipt of the notice. + + Termination of your rights under this section does not terminate the +licenses of parties who have received copies or rights from you under +this License. If your rights have been terminated and not permanently +reinstated, you do not qualify to receive new licenses for the same +material under section 10. + + 9. Acceptance Not Required for Having Copies. + + You are not required to accept this License in order to receive or +run a copy of the Program. Ancillary propagation of a covered work +occurring solely as a consequence of using peer-to-peer transmission +to receive a copy likewise does not require acceptance. However, +nothing other than this License grants you permission to propagate or +modify any covered work. These actions infringe copyright if you do +not accept this License. Therefore, by modifying or propagating a +covered work, you indicate your acceptance of this License to do so. + + 10. Automatic Licensing of Downstream Recipients. + + Each time you convey a covered work, the recipient automatically +receives a license from the original licensors, to run, modify and +propagate that work, subject to this License. You are not responsible +for enforcing compliance by third parties with this License. + + An "entity transaction" is a transaction transferring control of an +organization, or substantially all assets of one, or subdividing an +organization, or merging organizations. If propagation of a covered +work results from an entity transaction, each party to that +transaction who receives a copy of the work also receives whatever +licenses to the work the party's predecessor in interest had or could +give under the previous paragraph, plus a right to possession of the +Corresponding Source of the work from the predecessor in interest, if +the predecessor has it or can get it with reasonable efforts. + + You may not impose any further restrictions on the exercise of the +rights granted or affirmed under this License. For example, you may +not impose a license fee, royalty, or other charge for exercise of +rights granted under this License, and you may not initiate litigation +(including a cross-claim or counterclaim in a lawsuit) alleging that +any patent claim is infringed by making, using, selling, offering for +sale, or importing the Program or any portion of it. + + 11. Patents. + + A "contributor" is a copyright holder who authorizes use under this +License of the Program or a work on which the Program is based. The +work thus licensed is called the contributor's "contributor version". + + A contributor's "essential patent claims" are all patent claims +owned or controlled by the contributor, whether already acquired or +hereafter acquired, that would be infringed by some manner, permitted +by this License, of making, using, or selling its contributor version, +but do not include claims that would be infringed only as a +consequence of further modification of the contributor version. For +purposes of this definition, "control" includes the right to grant +patent sublicenses in a manner consistent with the requirements of +this License. + + Each contributor grants you a non-exclusive, worldwide, royalty-free +patent license under the contributor's essential patent claims, to +make, use, sell, offer for sale, import and otherwise run, modify and +propagate the contents of its contributor version. + + In the following three paragraphs, a "patent license" is any express +agreement or commitment, however denominated, not to enforce a patent +(such as an express permission to practice a patent or covenant not to +sue for patent infringement). To "grant" such a patent license to a +party means to make such an agreement or commitment not to enforce a +patent against the party. + + If you convey a covered work, knowingly relying on a patent license, +and the Corresponding Source of the work is not available for anyone +to copy, free of charge and under the terms of this License, through a +publicly available network server or other readily accessible means, +then you must either (1) cause the Corresponding Source to be so +available, or (2) arrange to deprive yourself of the benefit of the +patent license for this particular work, or (3) arrange, in a manner +consistent with the requirements of this License, to extend the patent +license to downstream recipients. "Knowingly relying" means you have +actual knowledge that, but for the patent license, your conveying the +covered work in a country, or your recipient's use of the covered work +in a country, would infringe one or more identifiable patents in that +country that you have reason to believe are valid. + + If, pursuant to or in connection with a single transaction or +arrangement, you convey, or propagate by procuring conveyance of, a +covered work, and grant a patent license to some of the parties +receiving the covered work authorizing them to use, propagate, modify +or convey a specific copy of the covered work, then the patent license +you grant is automatically extended to all recipients of the covered +work and works based on it. + + A patent license is "discriminatory" if it does not include within +the scope of its coverage, prohibits the exercise of, or is +conditioned on the non-exercise of one or more of the rights that are +specifically granted under this License. You may not convey a covered +work if you are a party to an arrangement with a third party that is +in the business of distributing software, under which you make payment +to the third party based on the extent of your activity of conveying +the work, and under which the third party grants, to any of the +parties who would receive the covered work from you, a discriminatory +patent license (a) in connection with copies of the covered work +conveyed by you (or copies made from those copies), or (b) primarily +for and in connection with specific products or compilations that +contain the covered work, unless you entered into that arrangement, +or that patent license was granted, prior to 28 March 2007. + + Nothing in this License shall be construed as excluding or limiting +any implied license or other defenses to infringement that may +otherwise be available to you under applicable patent law. + + 12. No Surrender of Others' Freedom. + + If conditions are imposed on you (whether by court order, agreement or +otherwise) that contradict the conditions of this License, they do not +excuse you from the conditions of this License. If you cannot convey a +covered work so as to satisfy simultaneously your obligations under this +License and any other pertinent obligations, then as a consequence you may +not convey it at all. For example, if you agree to terms that obligate you +to collect a royalty for further conveying from those to whom you convey +the Program, the only way you could satisfy both those terms and this +License would be to refrain entirely from conveying the Program. + + 13. Remote Network Interaction; Use with the GNU General Public License. + + Notwithstanding any other provision of this License, if you modify the +Program, your modified version must prominently offer all users +interacting with it remotely through a computer network (if your version +supports such interaction) an opportunity to receive the Corresponding +Source of your version by providing access to the Corresponding Source +from a network server at no charge, through some standard or customary +means of facilitating copying of software. This Corresponding Source +shall include the Corresponding Source for any work covered by version 3 +of the GNU General Public License that is incorporated pursuant to the +following paragraph. + + Notwithstanding any other provision of this License, you have +permission to link or combine any covered work with a work licensed +under version 3 of the GNU General Public License into a single +combined work, and to convey the resulting work. The terms of this +License will continue to apply to the part which is the covered work, +but the work with which it is combined will remain governed by version +3 of the GNU General Public License. + + 14. Revised Versions of this License. + + The Free Software Foundation may publish revised and/or new versions of +the GNU Affero General Public License from time to time. Such new versions +will be similar in spirit to the present version, but may differ in detail to +address new problems or concerns. + + Each version is given a distinguishing version number. If the +Program specifies that a certain numbered version of the GNU Affero General +Public License "or any later version" applies to it, you have the +option of following the terms and conditions either of that numbered +version or of any later version published by the Free Software +Foundation. If the Program does not specify a version number of the +GNU Affero General Public License, you may choose any version ever published +by the Free Software Foundation. + + If the Program specifies that a proxy can decide which future +versions of the GNU Affero General Public License can be used, that proxy's +public statement of acceptance of a version permanently authorizes you +to choose that version for the Program. + + Later license versions may give you additional or different +permissions. However, no additional obligations are imposed on any +author or copyright holder as a result of your choosing to follow a +later version. + + 15. Disclaimer of Warranty. + + THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY +APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT +HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY +OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, +THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR +PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM +IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF +ALL NECESSARY SERVICING, REPAIR OR CORRECTION. + + 16. Limitation of Liability. + + IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING +WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS +THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY +GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE +USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF +DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD +PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), +EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF +SUCH DAMAGES. + + 17. Interpretation of Sections 15 and 16. + + If the disclaimer of warranty and limitation of liability provided +above cannot be given local legal effect according to their terms, +reviewing courts shall apply local law that most closely approximates +an absolute waiver of all civil liability in connection with the +Program, unless a warranty or assumption of liability accompanies a +copy of the Program in return for a fee. + + END OF TERMS AND CONDITIONS + + How to Apply These Terms to Your New Programs + + If you develop a new program, and you want it to be of the greatest +possible use to the public, the best way to achieve this is to make it +free software which everyone can redistribute and change under these terms. + + To do so, attach the following notices to the program. It is safest +to attach them to the start of each source file to most effectively +state the exclusion of warranty; and each file should have at least +the "copyright" line and a pointer to where the full notice is found. + + + Copyright (C) + + This program is free software: you can redistribute it and/or modify + it under the terms of the GNU Affero General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU Affero General Public License for more details. + + You should have received a copy of the GNU Affero General Public License + along with this program. If not, see . + +Also add information on how to contact you by electronic and paper mail. + + If your software can interact with users remotely through a computer +network, you should also make sure that it provides a way for users to +get its source. For example, if your program is a web application, its +interface could display a "Source" link that leads users to an archive +of the code. There are many ways you could offer source, and different +solutions will be better for different programs; see section 13 for the +specific requirements. + + You should also get your employer (if you work as a programmer) or school, +if any, to sign a "copyright disclaimer" for the program, if necessary. +For more information on this, and how to apply and follow the GNU AGPL, see +. ADDED makefile Index: makefile ================================================================== --- makefile +++ makefile @@ -0,0 +1,158 @@ +# [ʞ] gdjn +# ~ lexi hale +# ? write godot games in a civilized language +# 🄯 AGPLv3 +# > make all + +o = out# final binary output +g = gen# where to store intermediate build artifacts +s = src# source of the main gdjn library +t = tool# source of utilities built for use during build +x = ext# where to fetch external binary libraries +l = lib# libraries written in janet + +# in case these are confusing: +# * ["src] only contains valuable files written by human hand +# +# * ["gen] does not contain any files that cannot be deleted +# without any repercussions beyond having to run `make` +# again. +# +# * ["tool] contains valuable hand-written source files which +# are interpreted during the build process and help generate +# artifacts that contribute to the final binary. [!however], +# none of the tool code itself ends up in the binary in any +# form. +# +# * ["ext] is a Keter-class high-security containment unit for +# Other People's Code. +# +# * ["lib] contains (mostly janet) code that will be included +# as blobs in the binary. janet code will be able to import +# them. these will be compiled down to .jimage files and +# then bundled into rsrc.o. libraries used in ["tool/*] +# should only be placed in this directory if they are also +# used at runtime in the godot environment (e.g. the OOP +# macros). library code used only by tools belongs in the +# tool directory. +# +# * ["out] contains all live binaries and object files. + +godot = godot4 +godot.flags = --headless +godot.cmd = "$(godot)" $(godot.flags) +janet = $o/janet +git = git +git.flags.clone = --depth=1 + +janet.src.path = $x/janet +janet.src.git = https://github.com/janet-lang/janet.git +janet.root = $x/janet/src +janet.cfg = + +cc.link = -flto +cc.comp = -fPIC + +ifeq ($(debug),1) + cc.link += -g + cc.comp += -g -O0 +endif + +cc.gdjn.comp = $(cc.comp) \ + -std=gnu23 \ + -I"$g" \ + -I"$s" \ + -I"$(janet.root)/include" \ + -I"$(janet.root)/conf" + +cc.gdjn.link = $(cc.link) -shared +cc.janet.link = $(cc.link) + +cc ?= $(CC) + +path-ensure = mkdir -p "$(@D)" + +# tell our scripts where to look for various files +export JANET_PATH = $(realpath $l) +export CC := $(cc) +export gd_build_out = $o +export gd_build_gen = $g +export gd_api_spec = $g/extension_api.json +export gd_api_iface = $g/gdextension_interface.h + +.PHONY: all clean purge +all: $o/gdjn.so +clean: + rm "$o/"*.o "$g/"*.{jimage,h} "$o/gdjn.so" +purge: + rm "$o/"* "$g/"* + +%/:; $(path-ensure) +%: | $(@D)/ + +tags: . + find "$s" "$g" -name "*.h" -o -name "*.c" | xargs ctags + +$o/gdjn.so: $o/gdjn.o $o/rsrc.o $o/interface.o \ + $o/janet-lang.o $o/janet-rsrc.o \ + $o/libjanet.a + "$(cc)" $(cc.gdjn.link) $^ -o"$@" + +$o/interface.o: $t/c-bind-gen.janet \ + $g/interface.h \ + $(gd_api_spec) \ + $(gd_api_iface) + "$(janet)" "$<" loader | "$(cc)" $(cc.gdjn.comp) -c -xc - -o "$@" + +$g/interface.h: $t/c-bind-gen.janet \ + $(gd_api_spec) + "$(janet)" "$<" header >"$@" + +$g/%.h: $s/%.gcd $t/class-compile.janet $(realpath $(janet)) + "$(janet)" "$t/class-compile.janet" "$<" header >"$@" +$o/%.o: $s/%.gcd $g/%.h $t/class-compile.janet $(realpath $(janet)) + "$(janet)" "$t/class-compile.janet" "$<" loader \ + | "$(cc)" $(cc.gdjn.comp) -c -xc - -o "$@" + +$o/%.o: $s/%.c $s/%.h $(realpath $(janet.root)/include/janet.h) + "$(cc)" -c $(cc.gdjn.comp) "$<" -o"$@" + +$o/rsrc.o: $t/rsrc.janet $(realpath $(janet)) \ + $g/api.jimage + "$(janet)" "$<" -- "$g/api.jimage" + +%.jimage: $(realpath $(janet)) + +$g/api.jimage: $t/api-compile.janet $(gd_api_spec) + "$(janet)" "$<" "$(gd_api_spec)" "$@" + +$g/%.jimage: $l/%.janet + "$(janet)" -c "$<" "$@" + +$x/janet $x/janet/src/include/janet.h: + "$(git)" $(git.flags) clone $(git.flags.clone) "$(janet.src.git)" "$x/janet" + +canon = $(realpath $(dir $1))/$(notdir $1) +define janet.build = + "$(MAKE)" -C "$(janet.src.path)" "$(call canon,$@)" \ + JANET_$1="$(call canon,$@)" \ + $(janet.cfg) +endef + +$o/libjanet.a: $(janet.src.path) + $(call janet.build,STATIC_LIBRARY) +$o/janet: $(janet.src.path) + $(call janet.build,TARGET) + +$g/extension_api.json $g/gdextension_interface.h: + cd "$g" && $(godot.cmd) --dump-extension-api-with-docs \ + --dump-gdextension-interface + + +# individual dependencies + +janet-header = $(janet.root)/include/janet.h + +$o/gdjn.o: $s/util.h $g/interface.h $g/janet-lang.h $g/janet-rsrc.h $(gd_api_iface) +$o/janet-lang.o: $s/util.h $(janet-header) +$o/janet-rsrc.o: $s/util.h $g/janet-lang.h $(janet-header) ADDED src/gdjn.c Index: src/gdjn.c ================================================================== --- src/gdjn.c +++ src/gdjn.c @@ -0,0 +1,161 @@ +/* [ʞ] src/gdjn.c + * ~ lexi hale + * 🄯 AGPLv3 + * ? gdjn entry point + */ + +#include "gdjn.h" +#include "janet-lang.h" +#include "janet-rsrc.h" + +gdjn* gdjn_ctx = nullptr; + +static void +gdjn_init +( void* data, + GDExtensionInitializationLevel lvl +) { + if (lvl != GDEXTENSION_INITIALIZATION_SCENE) return; + gdjn_types_fetch(&gdjn_ctx -> gd.t, gdjn_ctx -> gd.getProc); + + const gdjn_typeDB* c = &gdjn_ctx -> gd.t; + + gdjn_unit_janetLang_load(); + gdjn_unit_janetRsrc_load(); + + gdjn_ctx -> gd.janetLang_inst = gdjn_class_JanetLang_new() -> self; + + auto e = gd_engine_registerScriptLanguage( + c -> objects.engine, + gdjn_ctx -> gd.janetLang_inst + ); + if (e != gd_Error_ok) { + _err("could not register JanetLang"); + return; + } + + gdjn_ctx -> gd.janetSaver_inst = gdjn_class_JanetScriptSaver_new()->self; + gdjn_ctx -> gd.janetLoader_inst = gdjn_class_JanetScriptLoader_new()->self; + + gd_refCounted_reference(gdjn_ctx -> gd.janetLoader_inst); + gd_refCounted_reference(gdjn_ctx -> gd.janetSaver_inst); + + gd_resourceLoader_addResourceFormatLoader( + gdjn_ctx -> gd.t.objects.resourceLoader, + gdjn_ctx -> gd.janetLoader_inst, + false + ); + gd_resourceSaver_addResourceFormatSaver( + gdjn_ctx -> gd.t.objects.resourceSaver, + gdjn_ctx -> gd.janetSaver_inst, + false + ); + /* + gd_variant ret; + c -> gd_object.methodBindPtrcall( + c -> gd_m_engine.registerScriptLanguage_ptr, + c -> objects.engine, + (GDExtensionConstTypePtr[]) { + &gdjn_ctx -> gd.janetLang_inst, + }, &ret + ); + */ + + _t(array).empty(&gdjn_ctx -> gd.dox, nullptr); + gd_stringName empty = {}; + _t(stringName).empty(&empty, nullptr); + _t(array).setTyped(&gdjn_ctx -> gd.dox, + GDEXTENSION_VARIANT_TYPE_DICTIONARY, &empty, &empty); + + _t(stringName).dtor(&empty); +} + +static void +gdjn_teardown +( void* data, + GDExtensionInitializationLevel lvl +) { + if (lvl != GDEXTENSION_INITIALIZATION_SCENE) return; + /* we get double frees otherwise */ + + const gdjn_typeDB* c = &gdjn_ctx -> gd.t; + + gd_engine_unregisterScriptLanguage( + c -> objects.engine, + gdjn_ctx -> gd.janetLang_inst + ); + /* + GDExtensionTypePtr ret; + c -> gd_object.methodBindPtrcall( + c -> gd_m_engine.unregisterScriptLanguage_ptr, + (GDExtensionConstTypePtr[]) { + }, &ret + );*/ + + gd_resourceLoader_removeResourceFormatLoader( + gdjn_ctx -> gd.t.objects.resourceLoader, + gdjn_ctx -> gd.janetLoader_inst + ); + gd_resourceSaver_removeResourceFormatSaver( + gdjn_ctx -> gd.t.objects.resourceSaver, + gdjn_ctx -> gd.janetSaver_inst + ); + /* gd_refCounted_unreference(gdjn_ctx -> gd.janetLoader_inst); */ + /* gd_refCounted_unreference(gdjn_ctx -> gd.janetSaver_inst); */ + gdjn_class_JanetLang_del(nullptr, gdjn_ctx -> gd.janetLang_inst); + + gdjn_ctx -> gd.free(gdjn_ctx); + gdjn_ctx = nullptr; +} + + +gdBool +gdjn_library_init +( GDExtensionInterfaceGetProcAddress getProc, + GDExtensionClassLibraryPtr classLib, + GDExtensionInitialization* init +) { + + auto alloc = (GDExtensionInterfaceMemAlloc)getProc("mem_alloc"); + + gdjn_ctx = alloc(sizeof(gdjn)); + gdjn_ctx -> gd = (gdjn_gd) { + .lib = classLib, + .getProc = getProc, + .alloc = alloc, + .realloc = (GDExtensionInterfaceMemRealloc) + getProc("mem_realloc"), + .free = (GDExtensionInterfaceMemFree) + getProc("mem_free"), + + .err = (GDExtensionInterfacePrintError) + getProc("print_error"), + .errMsg = (GDExtensionInterfacePrintErrorWithMessage) + getProc("print_error_with_message"), + .warn = (GDExtensionInterfacePrintWarning) + getProc("print_warning"), + .warnMsg = (GDExtensionInterfacePrintWarningWithMessage) + getProc("print_warning_with_message"), + + .wrap = (GDExtensionInterfaceGetVariantFromTypeConstructor) + getProc("get_variant_from_type_constructor"), + .cast = (GDExtensionInterfaceGetVariantToTypeConstructor) + getProc("get_variant_to_type_constructor"), + }; + + *init = (GDExtensionInitialization) { + .initialize = gdjn_init, + .deinitialize = gdjn_teardown, + .userdata = gdjn_ctx, + .minimum_initialization_level = GDEXTENSION_INITIALIZATION_SCENE, + }; + + return true; +} + +void +gdjn_dox +( gd_dictionary* page +) { + +} ADDED src/gdjn.h Index: src/gdjn.h ================================================================== --- src/gdjn.h +++ src/gdjn.h @@ -0,0 +1,87 @@ +/* [ʞ] src/gdjn.h + * ~ lexi hale + * 🄯 AGPLv3 + * ? core types and declarations used by gdjn + */ + +#pragma once +#include +#include +#include "janet.h" +#include "interface.h" + +typedef void (*GDExtensionInterfacePrintError)(const char *p_description, const char *p_function, const char *p_file, int32_t p_line, GDExtensionBool p_editor_notify); + +#define _emit(fn, msg) \ + (gdjn_ctx -> gd.fn((msg), __func__, __FILE__, __LINE__, true)) +#define _warn(msg) _emit(warn, msg) +#define _err(msg) _emit(err, msg) + +typedef GDExtensionBool gdBool; + +#define _alloc(ty, n) \ + ((typeof(ty)*)gdjn_alloc(sizeof(ty) * (n))) +#define _free(v) \ + (gdjn_ctx -> gd.free(v)) +#define _sz(r) ((sizeof(r) / sizeof(*r))) + +#define _t(T) \ + (gdjn_ctx -> gd.t.gd_##T) +#define _method(name) \ + static void name \ + ( GDExtensionClassInstancePtr self, \ + const GDExtensionConstTypePtr* argv, \ + GDExtensionTypePtr ret \ + ) + + +typedef struct gdjn { + struct gdjn_gd { + GDExtensionClassLibraryPtr lib; + + GDExtensionInterfaceGetProcAddress getProc; + + GDExtensionInterfaceMemAlloc alloc; + GDExtensionInterfaceMemRealloc realloc; + GDExtensionInterfaceMemFree free; + + GDExtensionInterfacePrintError err; + GDExtensionInterfacePrintErrorWithMessage errMsg; + GDExtensionInterfacePrintWarning warn; + GDExtensionInterfacePrintWarningWithMessage warnMsg; + + GDExtensionInterfaceGetVariantFromTypeConstructor + wrap; + GDExtensionInterfaceGetVariantToTypeConstructor + cast; + + gdjn_typeDB t; + gd_array dox; + + GDExtensionObjectPtr + janetLang_inst, + janetLoader_inst, + janetSaver_inst; + } gd; + struct gdjn_jn { + Janet env; + } jn; +} gdjn; + +extern gdjn* gdjn_ctx; + +[[gnu::alloc_size(1)]] static inline +void* gdjn_alloc(size_t sz) { + return gdjn_ctx -> gd.alloc(sz); +} + + +typedef struct gdjn_gd gdjn_gd; // derp +typedef struct gdjn_jn gdjn_jn; + +typedef struct gdjn_class_def gdjn_class_def; + +void +gdjn_dox +( gd_dictionary* page +); ADDED src/janet-lang.gcd Index: src/janet-lang.gcd ================================================================== --- src/janet-lang.gcd +++ src/janet-lang.gcd @@ -0,0 +1,223 @@ +(* [ʞ] src/janet-lang.gcd vi:ft=d + * ~ lexi hale + * 🄯 AGPLv3 + * ? implement the godot-janet interface + *) + +use ; + +class JanetLang is ScriptLanguageExtension { + use ; + use "util.h"; + + new {}; + + impl _get_name() -> string { + gd_string j; + _t(string).newWithUtf8Chars(&j, "Janet"); + return j; + }; + + impl _get_extension() -> string { + gd_string j; + _t(string).newWithUtf8Chars(&j, "janet"); + return j; + }; + + impl _supports_documentation() -> bool { return true; }; + impl _supports_builtin_mode() -> bool { return true; }; + impl _is_using_templates() -> bool { return false; }; + impl _can_inherit_from_file() -> bool { return true; }; + + impl _handles_global_class_type(string t) -> bool { return false; }; + impl _get_type() -> string { + gd_string s = {}; + _t(string).newWithUtf8Chars(&s, "JanetScriptText"); + return s; + }; + impl _get_recognized_extensions() -> packed-string-array { + gd_packedStringArray r = {}; + _t(packedStringArray).empty(&r, nullptr); + _gdu_array_string_pushLit(&r, "janet"); + _gdu_array_string_pushLit(&r, "jimage"); + return r; + }; + impl _get_comment_delimiters() -> packed-string-array { + gd_packedStringArray r = {}; + _t(packedStringArray).empty(&r, nullptr); + _gdu_array_string_pushLit(&r, "#"); + return r; + }; + impl _get_string_delimiters() -> packed-string-array { + gd_packedStringArray r = {}; + _t(packedStringArray).empty(&r, nullptr); + _gdu_array_string_pushLit(&r, "\" \""); + _gdu_array_string_pushLit(&r, "```` ````"); + _gdu_array_string_pushLit(&r, "``` ```"); + _gdu_array_string_pushLit(&r, "`` ``"); + _gdu_array_string_pushLit(&r, "` `"); + (* et cetera ad infinitum *) + return r; + }; + impl _is_control_flow_keyword(string k) -> bool { + #define l(s) ((pstr){(s),sizeof(s)}) + const pstr words[] = { + l("if"), l("cond"), l("when"), l("unless"), + l("loop"), l("each"), + l("for"), l("forv"), l("forever"), + l("seq"), l("catseq"), + (* et cetera ad nauseam *) + }; + #undef l + for (size_t i = 0; i < _sz(words); ++i) { + if (gdu_strEq_sz(&k, words[i].v, words[i].sz)) + return true; + } + return false; + }; + impl _get_reserved_words() -> packed-string-array { + typedef struct {const char* w; size_t sz;} pstr; + #define l(s) ((pstr){(s),sizeof(s)}) + const pstr words[] = { + l("if"), l("cond"), + l("def"), l("defn"), l("defmacro"), + l("fn"), + l("var"), l("let"), + l("loop"), l("each"), + l("for"), l("forv"), l("forever"), + l("seq"), l("catseq"), + l("map"), l("mapcat"), + l("find"), + l("array"), l("tuple"), + l("string"), l("buffer"), + l("table"), l("struct"), + (* et cetera ad nauseam *) + }; + gd_packedStringArray r = {}; + _t(packedStringArray).empty(&r, nullptr); + for (size_t i = 0; i < _sz(words); ++i) { + gdu_array_string_pushPtr(&r, words[i].w, words[i].sz); + } + return r; + #undef l + }; + + impl _validate_path(string path) -> string { + gd_string s = {}; + _t(string).empty(&s, nullptr); + return s; + }; + + + impl _make_template + ( string tpl; + string class; + string base; + ) -> ref Script { + auto janscr = gdjn_class_JanetScriptText_new(); + return janscr -> self; + }; + impl _create_script() -> ref Object { + auto janscr = gdjn_class_JanetScriptText_new(); + return janscr -> self; + }; + + impl _get_documentation() -> array[dictionary] { + gd_array a = {}; + _t(array).ref(&a, &gdjn_ctx -> gd.dox); + return gdjn_ctx -> gd.dox; + }; + + impl _init() { /* (* "deprecated" but i still have to impl it?? *) */ }; + impl _frame() {}; + impl _thread_enter() { janet_init(); }; + impl _thread_exit() { janet_deinit(); }; + impl _finish() {}; + + impl _overrides_external_editor() -> bool { return false; }; + impl _get_global_class_name(string path) -> dictionary { + gd_dictionary dict; + _t(dictionary).empty(&dict,nullptr); + return dict; + (* FIXME *) + }; + impl _validate( + string script; + string path; + bool vFuncs; + bool vErrs; + bool vWarns; + bool vSafe; + ) -> dictionary { + gd_dictionary dict; + _t(dictionary).empty(&dict,nullptr); + return dict; + }; +}; + +class JanetScript is ScriptExtension { + var as string: path; + new { + _t(string).empty(&me -> path, nullptr); + }; + del { + _t(string).dtor(&me -> path); + }; + + impl _create_instance(array[variant] argv, int argc, ref Object owner, bool refCounted, int error) -> ref Object { + + }; + impl _get_language() -> ref ScriptLanguage { + return gdjn_ctx -> gd.janetLang_inst; + }; + impl _set_path(string path, bool takeOver) { + if (takeOver) { + _t(string).dtor(&me -> path); + me -> path = path; + } else { + _t(string).dtor(&me -> path); + _t(string).copy(&me -> path, (void const*[]) {&path}); + } + }; + impl _get_base_script() -> ref Script { + return nullptr; + }; + impl _has_static_method(string-name method) -> bool { + return false; + }; + impl _is_tool() -> bool { return false; }; (* FIXME *) +}; + +class JanetScriptText extends JanetScript { + var as string: src; + new { + _t(string).empty(&me -> src, nullptr); + }; + del { + _t(string).dtor(&me -> src); + }; + + impl _get_instance_base_type() -> string-name { + return _gdu_intern("ScriptExtension"); + }; + impl _has_source_code() -> bool { return true; }; + impl _get_source_code() -> string { + auto d = gdu_string_dup(&me -> src); + return d; + }; + impl _set_source_code(string s) { + _t(string).dtor(&me -> src); + _t(string).copy(&me -> src, (void const*[]) {&s}); + }; +}; + +class JanetScriptImage extends JanetScript { + impl _has_source_code() -> bool { return false; }; + var struct gdjn_class_JanetScript_image { + size_t sz; + uint8_t* buf; + }: image; + impl _get_instance_base_type() -> string-name { + return _gdu_intern("ScriptExtension"); + }; +}; ADDED src/janet-rsrc.gcd Index: src/janet-rsrc.gcd ================================================================== --- src/janet-rsrc.gcd +++ src/janet-rsrc.gcd @@ -0,0 +1,126 @@ +(* [ʞ] src/janet-rsrc.gcd vi:ft=d + * ~ lexi hale + * 🄯 AGPLv3 + * ? implement the saving and loading of janet scripts + *) +use "util.h"; +use ; +use "janet-lang.h"; + +use { + static gd_packedStringArray + janetExts(void) { + gd_packedStringArray r = {}; + _t(packedStringArray).empty(&r, nullptr); + _gdu_array_string_pushLit(&r, "janet"); + _gdu_array_string_pushLit(&r, "jimage"); + return r; + }; + typedef enum janetFileKind { + janetFileNone, + janetFileImage, + janetFileText, + } janetFileKind; + static inline janetFileKind + janetKind(gd_string const* const path) { + if (gdu_string_suffix(path, _litSz(".jimage"))) { + return janetFileImage; + } else if (gdu_string_suffix(path, _litSz(".janet"))) { + return janetFileText; + } else return janetFileNone; + } +}; + +class JanetScriptLoader is ResourceFormatLoader { + impl _get_recognized_extensions() -> packed-string-array { + return janetExts(); + }; + impl _handles_type(string-name type) -> bool { + return gdu_symEq(&type, "JanetScriptText") + || gdu_symEq(&type, "JanetScriptImage"); + }; + impl _get_resource_type(string path) -> string { + const char* str = ""; + switch (janetKind(&path)) { + case janetFileImage: str="JanetScriptImage"; break; + case janetFileText: str="JanetScriptText"; break; + } + return gdu_str(str); + }; + use { + static inline gd_variant + vFromErr(int64_t err) { + gd_variant v; + auto wrap = gdjn_ctx -> gd.wrap(GDEXTENSION_VARIANT_TYPE_INT); + wrap(&v, &err); + return v; + } + static inline gd_variant + vFromObj(GDExtensionObjectPtr o) { + gd_variant v; + auto wrap = gdjn_ctx -> gd.wrap(GDEXTENSION_VARIANT_TYPE_OBJECT); + wrap(&v, &o); + return v; + } + }; + impl _load + ( string path; + string origPath; + bool subThreads; + int cacheMode; + ) -> variant { + switch (janetKind(&path)) { + case janetFileImage: { + auto s = gdjn_class_JanetScriptImage_new(); + return vFromObj(gdu_cast(s->self, "Resource")); + }; + case janetFileText: { + auto s = gdjn_class_JanetScriptText_new(); + return vFromObj(gdu_cast(s->self, "Resource")); + }; + default: { + return vFromErr(gd_Error_errFileUnrecognized); + }; + } + }; +}; + + +class JanetScriptSaver is ResourceFormatSaver { + use { + static inline bool + gdjn_isJanet(GDExtensionObjectPtr* res) { + return _gdu_objIs(res, JanetScriptImage) + || _gdu_objIs(res, JanetScriptText); + } + }; + impl _get_recognized_extensions() -> packed-string-array { + return janetExts(); + }; + impl _recognize(ref Resource res) -> bool { + return gdjn_isJanet(res); + }; + impl _save(ref Resource res, string path, int flags) -> int { + gd_refCounted_reference(res); + assert(gdjn_isJanet(res)); + gd_string path_mine; + _t(string).copy(&path_mine, (void const*[]) {&path}); + auto fd = gd_fileAccess_open(path, + gd_FileAccess_ModeFlags_write); + gd_refCounted_reference(fd); + + if (_gdu_objIs(res, JanetScriptText)) { + auto asText = gdu_cast(res, "JanetScriptText"); + gd_string src = gd_script_getSourceCode(asText); + gd_fileAccess_storeString(fd, src); + _t(string).dtor(&src); + } else if (_gdu_objIs(res, JanetScriptImage)) { + auto asImg = gdu_cast(res, "JanetScriptImage"); + }; + + gd_fileAccess_close(fd); + _t(string).dtor(&path_mine); + gd_refCounted_unreference(fd); + gd_refCounted_unreference(res); + }; +}; ADDED src/util.h Index: src/util.h ================================================================== --- src/util.h +++ src/util.h @@ -0,0 +1,363 @@ +/* [ʞ] util.h + * ~ lexi hale + * 🄯 AGPLv3 + * ? encapsulate annoying operations (read: pitiful, fragile blast + * shield over the most indefensibly psychotic pieces of the godot + * "type" "system") + * + * if you want to use this outside gdjn, redefine the macro _t + * from gdjn.h appropriately. + * + * (honestly tho you should use c-bind-gen.janet too) + */ + +#pragma once +#include "gdjn.h" +#include + +static inline gd_string +gdu_string_of_stringName(const gd_stringName* const s) { + gd_string r; + _t(string).fromStringName(&r, (void*)&s); + return r; +} + +static inline gd_stringName +gdu_stringName_of_string(const gd_stringName* const s) { + gd_stringName r; + _t(stringName).fromString(&r, (void*)&s); + return r; +} + +static inline gd_stringName +gdu_intern_sz (const char* str, const size_t sz) { + gd_stringName r = {}; + if (sz == 0) _t(stringName).newWithUtf8Chars(&r, str); + else _t(stringName).newWithUtf8CharsAndLen(&r, str, sz); + return r; +} + +static inline gd_stringName +gdu_intern (const char* str) { + return gdu_intern_sz(str, 0); +} + +static inline gd_string +gdu_str_sz (const char* str, const size_t sz) { + gd_string r = {}; + if (sz == 0) _t(string).newWithUtf8Chars(&r, str); + else _t(string).newWithUtf8CharsAndLen(&r, str, sz); + return r; +} + +static inline gd_string +gdu_str (const char* str) { + return gdu_str_sz(str, 0); +} + +#define _gdu_intern(x) (gdu_intern_sz((x), sizeof(x)-1)) +#define _litSz(x) (x), (sizeof (x)-1) +#define _ref(x) typeof(typeof(x) const* const) +#define _refMut(x) typeof(typeof(x) * const) +#define _with(T, k, v, ...) ({\ + typeof(gd_##T) k = v; \ + do { __VA_ARGS__; } while (0); \ + _t(T).dtor(&k); \ +}) + +#define _withSym(k, v, ...) \ + _with(stringName, k, gdu_intern(v), __VA_ARGS__) +#define _withSym0(k, ...) \ + _with(stringName, k, {}, __VA_ARGS__) +#define _withStr(k, v, ...) \ + _with(string, k, gdu_str(v), __VA_ARGS__) +#define _withStr0(k, v, ...) \ + _with(string, k, {}, __VA_ARGS__) + +#define _typeEq(a, b) \ + __builtin_classify_type(typeof(a)) == _builtin_classify_type(typeof(b)) + +#define _refVal 0 +#define _refPtr 1 +#define _refArray 2 + +#define _indirect(a) \ + __builtin_types_compatible_p(typeof(a), void*) + +#define _refKind(a) \ + __builtin_choose( _typeEq(typeof_unqual(a), \ + typeof_unqual(a[0]) []), _refArray \ + /* false */ __builtin_choose(_typeEq(a, (typeof_unqual(a[0]) *)), _refPtr )) + +#define _szElse(a, zero) \ + __builtin_choose(_refKind(a) == _refArray, \ + /* true */ _sz(a), \ + /* false */ __builtin_choose(_refKind(a) == _refPtr, \ + /* true */ (__builtin_counted_by(ptr) != nullptr ? \ + *__builtin_counted_by(ptr) : (zero)) \ + /* false */ (void)0 /* bad type */ )) +#define _sz0(a) _szElse(a,0) +#define _szStr(a) \ + __builtin_choose(_typeEq((a), pstr), (a).sz, _szElse(a, strlen(a))) + +#define _array(t) struct {t* v; size_t sz;} +typedef _array(char) pstr; + +#define _strWithSz(a) (a), _strLen(a) + +static inline bool +gdu_symIs +( gd_stringName const* const a, + gd_stringName const* const b +) { + bool res; + _t(stringName).equal(a, b, &res); + return res; +} + +static inline bool +gdu_symEq_sz +( _ref(gd_stringName) a, + _ref(char) b, + size_t const sz +) { + auto bSym = gdu_intern_sz(b,sz); + bool res = gdu_symIs(a, &bSym); + _t(stringName).dtor(&bSym); + return res; +} + +static inline bool +gdu_symEq +( _ref(gd_stringName) a, + _ref(char) b +) { return gdu_symEq_sz(a, b, 0); } + +#define _gdu_symEq(a,b) (gdu_symEq_sz(a, _litSz(b))) + +static inline bool +gdu_objIs +( GDExtensionObjectPtr obj, + _ref(char) id, + size_t const sz +) { + bool res = false; + _withSym0(name, ({ + if (!_t(object).getClassName(obj, gdjn_ctx -> gd.lib, &name)) + break; + res = gdu_symEq_sz(&name, id, sz); + })); + return res; +} + +static inline bool +gdu_strIs +( gd_string const* const a, + gd_string const* const b +) { + bool res; + _t(string).equal(a, b, &res); + return res; +} + +static inline bool +gdu_strEq_sz +( _ref(gd_string) a, + _ref(char) b, + size_t const sz +) { + auto bSym = gdu_str_sz(b,sz); + bool res = gdu_strIs(a, &bSym); + _t(string).dtor(&bSym); + return res; +} + +static inline bool +gdu_strEq +( _ref(gd_string) a, + _ref(char) b +) { return gdu_strEq_sz(a, b, 0); } + +#define _gdu_symEq(a,b) (gdu_symEq_sz(a, _litSz(b))) +#define _gdu_strEq(a,b) (gdu_strEq_sz(a, _litSz(b))) +#define _gdu_objIs(obj, id) \ + (gdu_objIs(obj, _litSz(#id))) + +#define _gdu_string_emit(s, tgt) \ + (gdu_string_emit(&(s), (tgt), sizeof (tgt)-1)) + +static inline size_t +gdu_string_emit +( size_t sz; + + const gd_string* const s, + char target[static sz], + size_t sz +) { + /* docs lie btw, this returns a count of bytes, + * not "characters" (??) + * (thank the gods for small mercies) */ + size_t len = _t(string).toUtf8Chars(s, target, sz); + target[len] = 0; + return len; +} + +#define _gdu_stringName_emit(s, tgt) \ + (gdu_stringName_emit(&(s), (tgt), sizeof (tgt) - 1)) + +static inline pstr +gdu_string_pdup (_ref(gd_string) s) { + size_t len = gd_string_length(s) + 1; + char* buf = _alloc(char, len); + gdu_string_emit(s, buf, len - 1); + return (pstr){buf,len}; +} + +static inline gd_string +gdu_string_dup (_ref(gd_string) s) { + gd_string cp; + _t(string).copy(&cp, (void const*[]) {s}); + return cp; +} + +#define _cat(x,y) x##y +#define __cat(x,y) _cat(x,y) +#define _gensym __cat(_sym_,__COUNTER__) + +#define __gdu_string_auto(szid, name, str) \ + size_t szid = gd_string_length(str) + 1; \ + char[szid] name; \ + gdu_string_emit(str, name, szid-1); + +#define _gdu_string_auto(...) __gdu_string_auto(_gensym, __VA_ARGS__) + +#if __has_builtin(__builtin_alloca_with_align) +# define _stalloc(ty, n) \ + (__builtin_alloca_with_align(sizeof(ty)*(n), alignof(ty)*8)) +#else +# define _stalloc(ty, n) \ + (__builtin_alloca(sizeof(ty)*(n))) +#endif + +#define _gdu_gstr_stack(ty, str) ({ \ + size_t sz = gd_##ty##_length(str) + 1; \ + char* buf = _stalloc(char, sz); \ + gdu_##ty##_emit(str, buf, sz - 1); \ + buf; \ +}) +#define _gdu_gstr_stackp(ty, str) ({ \ + size_t sz = gd_##ty##_length(str) + 1; \ + char* buf = _stalloc(char, sz); \ + gdu_##ty##_emit(str, buf, sz - 1); \ + (pstr) {.v = buf, .sz = sz}; \ +}) + +#define _gdu_string_stack(str) _gdu_gstr_stack(string, str) +#define _gdu_stringName_stack(str) _gdu_gstr_stack(stringName, str) +#define _gdu_string_stackp(str) _gdu_gstr_stackp(string, str) +#define _gdu_stringName_stackp(str) _gdu_gstr_stackp(stringName, str) + + +static inline size_t +gdu_stringName_emit +( size_t sz; + + _ref(gd_stringName) s, + char target[static sz], + size_t sz +) { + gd_string r; + _t(string).fromStringName(&r, (void*)&s); + const auto len = gdu_string_emit(&r, target, sz); + _t(string).dtor(&r); + return len; +} + +#define _gdu_packedArray_push_def(name, T, input, fn) \ + static inline bool \ + gdu_array_##name \ + ( gd_packed##T##Array* self,\ + const typeof(input)* const arg \ + ) {\ + bool ret;\ + auto c = &gdjn_ctx -> gd.t; \ + (c -> gd_packed##T##Array.fn) ( \ + self,\ + (GDExtensionConstTypePtr[]) { \ + arg,\ + }, &ret, 1\ + );\ + return ret;\ + } + +#define _gdu_packedArrayTypes \ + _(Byte, byte, uint8_t ) \ + _(Int32, int32, int32_t ) \ + _(Int64, int64, int64_t ) \ + _(Float32, float32, int32_t ) \ + _(Float64, float64, int64_t ) \ + _(String, string, gd_string ) \ + _(Vector2, vector2, gd_vector2) \ + _(Vector3, vector3, gd_vector3) \ + _(Vector4, vector4, gd_vector4) \ + +#define _gdu_packedArray_defs(maj, min, input) \ + _gdu_packedArray_push_def(min##_##push, maj, input, append) \ + _gdu_packedArray_push_def(min##_##concat, maj, gd_packed##maj##Array, append_array) +/* bool gdu_array_(type)_push(self, type) + * bool gdu_array_(type)_concat(self, packedArray[type]) + */ + +#define _(...) _gdu_packedArray_defs(__VA_ARGS__) + _gdu_packedArrayTypes +#undef _ + +/* obnoxious special case */ +static inline bool +gdu_array_string_pushPtr +( gd_packedStringArray* self, + const char* const str, + size_t sz +) { + gd_string tmp; + if (sz == 0) _t(string).newWithUtf8Chars (&tmp, str); + else _t(string).newWithUtf8CharsAndLen(&tmp, str, sz); + bool ret = gdu_array_string_push(self, &tmp); + _t(string).dtor(&tmp); + return ret; +} +#define _gdu_array_string_pushLit(self, str) \ + (gdu_array_string_pushPtr((self), (str), sizeof (str) - 1)) + +static inline bool +gdu_string_suffix +( _ref(gd_string) self, + _ref(char) affix, + size_t affsz +) { + auto ch = _gdu_string_stackp(self); + if (affsz == 0) affsz = strlen(affix); + if (ch.sz < affsz) return false; + for (size_t i = 0; i < affsz; ++i) { + auto a = ch.v[ch.sz - 2 - i]; + auto b = affix[affsz - 1 - i]; + if (a != b) return false; + } + return true; +} + +static inline void* +gdu_classTag(_ref(char) name) { + void* tag = nullptr; + _withSym(sName, name, + tag = _t(classdb).getClassTag(&sName); + ); + return tag; +} +static inline GDExtensionObjectPtr +gdu_cast +( GDExtensionConstObjectPtr what, + _ref(char) to +) { + return _t(object).castTo(what, gdu_classTag(to)); +} ADDED tool/api-compile.janet Index: tool/api-compile.janet ================================================================== --- tool/api-compile.janet +++ tool/api-compile.janet @@ -0,0 +1,17 @@ +(defn api-parse [src] + {} #TODO parse json + ) + +(defn api-gen [api] + @{} #TODO gen bindings + ) + +(defn main [_ api-src api-dest & _] + (def api + (with [fd (file/open api-src :r)] + (api-gen (api-parse (:read fd :all))))) + (def api-bin (make-image api)) + (with [fd (file/open api-dest :w)] + (:write fd api-bin)) + 0) + ADDED tool/c-bind-gen.janet Index: tool/c-bind-gen.janet ================================================================== --- tool/c-bind-gen.janet +++ tool/c-bind-gen.janet @@ -0,0 +1,642 @@ +# [ʞ] c-bind-gen.janet +# ~ lexi hale , may the gods have mercy on +# the tattered remnants of my soul +# 🄯 CC0 (please, megacorps, im begging you, steal this +# piece of shit. YOUVE EARNED IT) +# > janet tool/c-bind-gen.janet (header|loader) +# +# ! look, im not gonna bullshit you. this code is terrible +# i started writing it when i was still getting the hang +# of janet, in particular working with its lispified OOP +# system, and i made some terrible mistakes. in +# particular because i've never actually used a proper +# prototype-based object system before (lua doesn't +# really count here). at some point i realized the code +# was unfixably bad and i just stopped caring. at some +# point, if this project goes anywhere, this whole +# gibbering aberration deserves to be ripped out and +# redone from scratch, ideally using some of the cleaner +# mechanisms i ended up putting together for +# tool/class-compile.janet + +(import :/lib/json) + +(def (let + [transform (fn[{:seg segments} tx delim] + (string/join (map tx segments) delim)) + capitalize (fn[x] (string + (string/ascii-upper (slice x 0 1)) + (slice x 1)))] + + {:@inherit (fn gd-sym:inherit[class & defs] + (struct/with-proto class ;defs)) + :@new (fn gd-sym:new[class & args] + (struct/with-proto class ;((class :%init) ;args))) + :%init (fn gd-sym:init[dfn] + [:id (dfn :id) + :seg (get dfn :seg [;(string/split "-" (string (dfn :id)))])]) + + + :from |(:@new $0 {:id $1}) + :from-snek |(as-> $1 x + (string/ascii-lower x) + (string/split "_" x) + {:id (string/join x "-") + :seg x} + (:@new $0 x)) + + :vstr |(if (> ($ :ver) 1) (string ($ :ver)) "") + :tall |(transform $ capitalize "") + :sulk |(transform $ identity "_") + :scream |(transform $ string/ascii-upper "_") + :name |(apply string [ (first ($ :seg)) + ;(map capitalize (slice ($ :seg) 1))])})) + +(def + (:@inherit + :%init (fn [spec] + [ ;(( :%init) spec) + :ver (spec :ver) ]))) + +(def + (:@inherit + :%init (fn[spec] + + (defn bind-def[bind-spec] + (:@new + (match bind-spec + (obj (struct? obj)) obj + [sym ver] {:id sym :ver ver} + sym {:id sym :ver 1 }))) + + [ ;(( :%init) spec) + :binds (map bind-def + (or (spec :binds) [])) + :methods (map bind-def + (or (spec :methods) [])) + :ops (map bind-def + (or (spec :ops) [])) + :ctors (or (spec :ctors) {}) + :mode (spec :mode)]) + :binds [] + :methods [] + :ctors {} + :ops [] + :mode : + :enum (fn [me] + (string "GDEXTENSION_VARIANT_TYPE_" (:scream me))) + )) + +(defn env: [v dflt] + (or ((os/environ) v) dflt)) + +(def api-spec + (let [api-spec-path + (env: "gd_api_spec" + (string (env: "gd_build_gen" "gen") + "/extension_api.json" ))] + (json/parse + (with [fd (file/open api-spec-path :r)] + (:read fd :all))))) + +(def vector-types-float (map |(symbol 'vector $) (range 2 5))) +(def vector-types + (tuple/join vector-types-float + (map |(symbol $ 'i) vector-types-float))) + +(def packed-types + (map |(symbol 'packed- $ '-array) + (tuple/join vector-types-float + ['color 'byte 'string + 'int32 'int64 + 'float32 'float64]))) + +(defn names-variant? [x] + (-> (map |(:tall (:from $)) packed-types) + (array/join ["String" "StringName" + "Array" "Dictionary"]) + (has-value? x))) +(defn names-prim? [x] + (-> ["int" "float" "bool"] + (has-value? x))) +(def variants (map |(:@new $) ~[ + {:id variant :binds [get-ptr-constructor + get-ptr-destructor + get-ptr-operator-evaluator + get-ptr-internal-getter + get-ptr-builtin-method + get-type + booleanize]} + {:id bool } + {:id color } + + ,;(map |{:id $} vector-types) + ,;(map |{:id $ + :methods '[get set size resize fill clear + append append_array insert remove-at + has is-empty find rfind count + reverse slice duplicate] + :ctors {:empty []} + } + packed-types) + {:id array + :binds [ref set-typed] + :ctors {:empty []}} + {:id dictionary + :binds [set-typed operator-index operator-index-const] + :ctors {:empty []}} + + {:id string-name :mode :dc + :ops [equal] + :binds [new-with-utf8-chars + new-with-utf8-chars-and-len] + :methods [length + ends-with begins-with + trim-suffix trim-prefix] + :ctors {:empty [] + :copy [[:from string-name]] + :from-string [[:from string]]}} + + {:id string :mode :dc + :ops [equal] + :binds [[new-with-utf8-chars 1] + [new-with-utf8-chars-and-len 2] + to-utf8-chars] + :methods [length + ends-with begins-with + trim-suffix trim-prefix] + :ctors {:empty [] + :copy [[:from string]] + :from-string-name [[:from string-name]]}} +])) + +(def classes (map |(:@new $) '[ + {:id classdb :binds [[register-extension-class 4] + unregister-extension-class + register-extension-class-method + register-extension-class-virtual-method + get-method-bind + get-class-tag + [construct-object 2]]} + {:id object :binds [set-instance + set-instance-binding + get-class-name + cast-to + has-script-method + call-script-method + method-bind-ptrcall + destroy + ]} + {:id global :binds [get-singleton]} #hax +])) + +(def internals (map |(:@new $) ~[ + {:id engine :binds [register-script-language + unregister-script-language]} + {:id ref-counted :binds [reference unreference + get-reference-count]} + {:id script :binds [get-source-code set-source-code]} + {:id file-access :binds [open close store-string get-as-text]} + {:id resource-loader :binds [add-resource-format-loader + remove-resource-format-loader]} + {:id resource-saver :binds [add-resource-format-saver + remove-resource-format-saver]} +])) + +(def global-enums (map |(:from $) '[ + error +])) + +(def singletons (map |(:from $) '[ + engine + resource-loader + resource-saver +])) + +(def c-fetch-decl (string + "void gdjn_types_fetch\n" + "( struct gdjn_typeDB* t,\n" + " GDExtensionInterfaceGetProcAddress getProc\n" + ")")) + +(defn main [_ mode & args] + (def api { + :decls @[] + :aliases @[] + :calls @[] + :defer-calls @[] # dependency Hel bypass + :types @[] + :method-defs @[] + }) + (def config (env: "gd_config" "double_64")) + (def sizes (do + (var sz-list nil) + (loop [cfg :in (api-spec "builtin_class_sizes") + :until (not= nil sz-list)] + (when (= config (cfg "build_configuration")) + (set sz-list (cfg "sizes")))) + + (def vt @{}) + (loop [sz :in sz-list] + (put vt (sz "name") (sz "size"))) + vt)) + (defn prim:gd->c [x] + (defn bp [x small big] + (case (sizes x) + 4 small + 8 big + (error (string "bad type size " (sizes x) " for " x)))) + (case x + "int" (bp "int" "int32_t" "int64_t") + "float" (bp "float" "float" "double") + "bool" "bool")) + (defn variant:gd->c [x] + (def v (find |(= x (:tall (:@new {:id ($ :id)}))) variants)) + (string "gd_" (:name v))) + (defn translate-type [st &opt flags] + (defn fl [x] (string/check-set (or flags :) x)) + (match (string/split "::" st) + # enums can be directly mapped to a C + # instantiation of the enum + ["enum" ty] + (match (string/split "." ty) + [a b] (string/format "gd_%s_%s" a b) + [x] (string "gd_" x)) + + # primitives will be returned directly + ([ty] (names-prim? ty)) + (prim:gd->c ty) + + # opaques ("variant" members) will be + # returned as the appropriate opaque object + ([ty] (names-variant? ty)) + (let [t (variant:gd->c ty)] + (if (not (fl :r)) t + (string/format "typeof(%s)%s*" t + (if (fl :c) " const" "")))) + + # everything else has to be an object; return + # a pointer + [ty] (string "GDExtension" + (if (fl :c) "Const" "") + "ObjectPtr /*"ty"*/") + + fbk (error (string/format "bad type %q" fbk)))) + (defn method:return-type [method] + (let [rv (method :return_value)] (cond + (nil? rv) "void" + (empty? rv) "void" + (translate-type (rv "type"))))) + (defn method:args [method t-self &opt self-flags] + (as-> (if (has-key? method :arguments) + (method :arguments) + []) lst + (if (method :is_static) lst + (tuple/join [{"name" "self" + "type" t-self + :flags (keyword :r (or self-flags :))}] lst)) + (map |(string (translate-type ($ "type") ($ :flags)) + " const " + ($ "name")) lst))) + (def gdclasses (merge + ;(seq [src :in ["classes" "builtin_classes"]] + (tabseq [class :in (api-spec src)] + (class "name") + {:methods (if (= nil (class "methods")) {} + (tabseq [meth :in (class "methods")] + (meth "name") + (tabseq [[k v] :pairs meth] + (keyword k) v))) + :enums (get class "enums" [])})))) + (defn add [to fmt & vals] + (array/push to (string/format fmt ;vals))) + (defn add-get-proc [class method] + (def version-str (:vstr method)) + # this is so hateful and evil im not even going to pretty it up + (def ptr-t (if (= (method :id) 'get-ptr-internal-getter) + "GDExtensionInterfaceGetVariantGetInternalPtrFunc" + (string/format "GDExtensionInterface%s%s" + (string (:tall class) (:tall method)) version-str + ))) + + (add (api :calls) "t -> gd_%s.%s = (%s)getProc(\"%s%s\");" + (:name class) (:name method) ptr-t + (string (:sulk class) "_" (:sulk method)) version-str)) + + (def gd-iface-pfx "GDExtensionInterface") + + (defn add-methods [class binds] + (loop [bind :in binds + :let [c-type (string gd-iface-pfx + (:tall class) (:tall bind))]] + (def ptr-t (if (= (bind :id) 'get-ptr-internal-getter) + "GDExtensionInterfaceGetVariantGetInternalPtrFunc" + c-type)) + (add (api :decls) "\t%s%s %s;" ptr-t (:vstr bind) (:name bind)) + (add-get-proc class bind))) + (defn add-enums [class] + (def api-ent (get-in gdclasses [(:tall class) :enums] [])) + (defn ln [& x] (add (api :types) ;x)) + (each e api-ent + (def id (string "gd_" (:tall class) "_" (e "name"))) + # the underlying type is IMPORTANT! godot enums + # appear to use the godot int type, which (at present) + # is always 8 bytes long. this means trying to write + # a godot "enum" to a plain old C enum will, if you + # are very lucky, cause your program to barf all over + # the stack and immediately segfault + (ln "typedef enum %s : int64_t {" id) + # thank the gods for C23. this would have been really + # unpleasant otherwise + (each n (e "values") + (def ident (:from-snek (n "name"))) + (def sym (:@new ident)) + (ln "\t%s_%s = %d," id (:name sym) (n "value")) + (ln "\t/* %s */" + (n "description"))) + (ln "} %s;\n" id))) + (defn add-ctors [class ctors] + (loop [[id form] :pairs ctors] + (def id-sym (:from id)) + (def key (freeze (seq [[name t] :in form + :let [tsym (:from t)]] + {"name" (string name) + "type" (string (:tall tsym))}))) + (def ent (as-> (api-spec "builtin_classes") x + (find |(= (freeze ($ "name")) (:tall class)) x) + (x "constructors") + (find |(if (empty? key) (not (has-key? $ "arguments")) + (let [args (freeze ($ "arguments"))] + (= key args))) x))) + (assert ent (string/format "no matching constructor: %q" form)) + (let [ctor-idx (ent "index")] + (add (api :decls) "\tGDExtensionPtrConstructor %s;" (:name id-sym)) + (add (api :calls) "t -> gd_%s.%s = t -> gd_variant.getPtrConstructor(%s, %d);" + (:name class) (:name id-sym) (:enum class) ctor-idx) + ))) + + (add (api :aliases) "#define _opaque(n) struct{unsigned char _opaque_ [n];}") + + (defn with-names [ln names func] + (ln "{") + (each [id val] names + (ln "gd_stringName %s;" id) + (ln "t -> gd_stringName.newWithUtf8Chars(&%s, %q);" id val)) + (func) + (each [id _] names + (ln "t -> gd_stringName.dtor(&%s);" id)) + (ln "}")) + + (loop [e :in global-enums] + (defn ln [& x] (add (api :types) ;x)) + (def spec (find |(= ($ "name") (:tall e)) + (api-spec "global_enums"))) + (assert spec (string/format "no enum with name %s found" + (:tall e))) + (ln "typedef enum gd_%s : int64_t {" (:tall e)) + (each v (spec "values") + (def name (:from-snek (v "name"))) + (ln "\tgd_%s_%s = %d," (:tall e) (:name name) (v "value")) + (when (v "description") + (ln "\t/* %s */" (v "description")))) + (ln "} gd_%s;\n" (:tall e)) + ) + + (loop [v :in variants + :let [vsz (or (sizes (:tall v)) + (sizes (string (v :id) )))]] + (add (api :aliases) # these are all opaque objects + "typedef _opaque(%d) gd_%s;" + vsz (:name v)) + (add (api :decls ) "struct {") + (def my-enum (:enum v)) + (add-methods v (v :binds)) + (add-enums v) + + # bind builtins + # WHY IS THIS *YET ANOTHER* COMPLETELY DIFFERENT API + # for the SAME LITERAL THING fuck youuuuu + (when (has-key? gdclasses (:tall v)) (loop [m :in (v :methods) + :let [method (get-in gdclasses [(:tall v) :methods + (:sulk m)])]] + (add (api :decls) "\tGDExtensionPtrBuiltInMethod %s;" (:name m)) + + (def return-type + (if (not (has-key? method :return_type)) "void" + (translate-type (method :return_type)))) + (def args (method:args method (:tall v) + (if (method :is_const) :c :))) + + (def impl @[]) + (unless (= return-type "void") + (array/push impl + (string/format "typeof(%s) ret;" return-type))) + (array/push impl + (string/format "_g_typeDB -> gd_%s.%s(" + (:name v) (:name m))) + + + (array/push impl + (string "\t" (if (method :is_static) + "nullptr" "(void*)self") ",") + "\t(void const*[]) {") + (when (has-key? method :arguments) + (each a (method :arguments) + (array/push impl + (string/format "\t\t&%s," (a "name"))) + )) + (array/push impl (string/format "\t}, %s, %d" + (if (= return-type "void") "nullptr" "&ret") + (if (not (has-key? method :arguments)) 0 + (length (method :arguments)))) + ");") + (unless (= return-type "void") + (array/push impl "return ret;")) + + + (array/push (api :method-defs) + {:dfn (string/format "%s gd_%s_%s\n(\t%s\n)" + return-type (:name v) (:name m) + (string/join args ",\n\t")) + :impl impl}) + + (with-names (fn [& a] (add (api :defer-calls) ;a)) + [[:methodID (:sulk m)]] + (fn [] (add (api :defer-calls) + "t -> gd_%s.%s = t -> gd_variant.getPtrBuiltinMethod(%s, &methodID, %d);" + (:name v) (:name m) + my-enum (method :hash) + ) + )))) + + (when (v :ctors) + (add-ctors v (v :ctors))) + + (when (not= "variant" (:name v)) + (add (api :decls) "\ttypeof(gd_%s* (*)(GDExtensionVariantType*)) raw;" (:name v)) + (add (api :calls) "t -> gd_%s.raw = (typeof(t->gd_%s.raw))t -> gd_variant.getPtrInternalGetter(%s);" + (:name v) (:name v) my-enum)) + + (loop [o :in (v :ops)] + + (add (api :decls) "\tGDExtensionPtrOperatorEvaluator %s;" (:name o)) + (add (api :calls) "t -> gd_%s.%s = t -> gd_variant.getPtrOperatorEvaluator(GDEXTENSION_VARIANT_OP_%s, %s, %s);" + (:name v) (:name o) (string/ascii-upper (:sulk o)) + my-enum my-enum) + ) + + (when (string/check-set (v :mode) :d) + (add (api :calls) + "t -> gd_%s.dtor = t -> gd_variant.getPtrDestructor(%s);" + (:name v) my-enum ) + (add (api :decls) "\tGDExtensionPtrDestructor dtor;")) + + (add (api :decls) "} gd_%s;" (:name v))) + + (loop [c :in classes + :let [pfx (string "GDExtensionInterface" (:tall c) (:vstr c)) + gd-t (:sulk c)]] + + (add (api :decls) "struct {") + (add-methods c (c :binds)) + (add-enums c) + (add (api :decls) "} gd_%s;" (:name c))) + + + (loop [i :in internals + :let [class (gdclasses (:tall i))]] + (def ctr-id (string/format "gd_m_%s" (:name i))) + + (add (api :decls) "struct {") + (add-enums i) + (loop [m :in (i :binds) + :let [method ((class :methods) (:sulk m))]] + (assert method + (string/format "method %s not found in class %s" + (m :id) (i :id))) + (add (api :decls) "\tGDExtensionMethodBindPtr %s_ptr;" + (:name m)) + + (def return-type (method:return-type method)) + (def args (method:args method (:tall i) + (if (method :is_const) :c :))) + + (def impl @[]) + (defn ln [& x] (array/push impl ;x)) + (when (not= return-type "void") + (ln (string/format "%s ret;" return-type))) + (ln "_g_typeDB -> gd_object.methodBindPtrcall(" + (string/format "\t_g_typeDB -> gd_m_%s.%s_ptr," + (:name i) (:name m)) + (if (method :is_static) "\tnullptr," "\t(void*)self,") + "\t(GDExtensionConstTypePtr[]) {") + (as-> (method :arguments) args + (if (nil? args) [] args) + (map |(string "\t\t&" ($ "name") ",") args) + (ln ;args)) + (ln (string "\t}, " + (if (not= return-type "void") + "&ret" + "nullptr")) ");") + (when (not= return-type "void") (ln "return ret;")) + (array/push (api :method-defs) + {:dfn (string/format "%s gd_%s_%s\n(\t%s\n)" + return-type + (:name i) + (:name m) + (string/join args ",\n\t") + ) + :impl impl}) + + (defn ln [& l] (add (api :calls) ;l)) + + (with-names ln + [["className" (:tall i)] + ["methodName" (:sulk m)]] + (fn [] + (ln (string + "auto ptr = t -> gd_classdb.getMethodBind(&className, &methodName, %d);\n" + "\tt -> %s.%s_ptr = ptr;\n" + "\t"`printf("* bind method %s.%s (%%p)\n",ptr);` "\n" + "\tassert(ptr != nullptr);") + (method :hash) + ctr-id (:name m) + (:name i) (:name m) + )))) + (add-ctors i (i :ctors)) + (add (api :decls) "} %s;" ctr-id)) + + + (add (api :decls) "struct {") + (loop [s :in singletons] + (add (api :decls) "\tGDExtensionObjectPtr %s;" (:name s)) + (defn cln [& v] (add (api :calls) ;v)) + (with-names cln + [["sgtName" (:tall s)]] + (fn [] + (cln "t -> objects.%s = t -> gd_global.getSingleton(&sgtName);" (:name s)) + (cln "if (t -> objects.%s == nullptr) abort();" (:name s)) + ))) + (add (api :decls) "} objects;") + + (case mode + "list" (do + # may the gods have mercy on me + (defn print-binds [v] + (print " • \e[94;4m" (v :id)"\e[m") + (each b (v :binds) + (print " · " (b :id) "\n" + " \e[3;35mgd_" (:name v) "." (:name b) "()\e[m"))) + (print "we are currently binding the following symbols") + (print "- \e[1mvariants\e[m -" ) + (each v variants (print-binds v)) + (print "- \e[1mclasses\e[m -" ) + (each c classes (print-binds c)) + (print "- \e[1mptrcalls\e[m -" ) + (each i internals + (print " • \e[94;4m" (i :id)"\e[m") + (each b (i :binds) + (print " · " (b :id) "\n" + " \e[3;33mgd_m_" (:name i) "." (:name b) "_ptr\e[m\n" + " \e[3;92mgd_" (:name i) "_" (:name b) "()\e[m"))) + + (print "- \e[1msingletons\e[m -" ) + (each s singletons + (print " • \e[94;4m" (s :id)"\e[m\n" + " \e[3;33mobjects." (:name s) "\e[m" )) + + (print "- \e[1mglobal enums\e[m -" ) + (each e global-enums + (print " • \e[94;4m" (e :id)"\e[m\n" + " \e[3;33mgd_" (:tall e) "\e[m" ))) + "header" (do + (print "/* automatically generated by tool/c-bind-gen.janet */\n\n" + "#pragma once\n" + "#include \"gdextension_interface.h\"\n") + (loop [list :in [(api :aliases)] + val :in list] (print val)) + (print "\ntypedef struct gdjn_typeDB {") + (loop [d :in (api :decls)] + (print "\t" d)) + (print "} gdjn_typeDB;") + (each t (api :types) (print t)) + (print c-fetch-decl ";") + (each m (api :method-defs) + (print (m :dfn) ";"))) + + "loader" (do + (print "#include \n" + "#include \n" + "#include \n" + "#include \"interface.h\"\n\n" + "static gdjn_typeDB* _g_typeDB;\n\n" + # HORRID HACK + + c-fetch-decl "{\n" + ;(map |(string "\t" $ "\n") + [ "_g_typeDB = t;" + ;(api :calls) + ;(api :defer-calls) ]) + "}") + (each m (api :method-defs) + (print (m :dfn) "{\n\t" (string/join (m :impl) "\n\t") "\n}\n"))))) ADDED tool/class-compile.janet Index: tool/class-compile.janet ================================================================== --- tool/class-compile.janet +++ tool/class-compile.janet @@ -0,0 +1,991 @@ +# [ʞ] tool/class-compile.janet +# ~ lexi hale +# 🄯 AGPLv3 +# ? compiles a godot class definition to C source +# > janet tool/class-compile.janet (loader|header) + +(def *src-file* (gensym)) + +(def parse-doc + (do + (def doc-parser (peg/compile '{ + :hs (+ " " "\t") + :- "-" + :open-line (* (? " ") (? '(some (if-not "\n" 1))) "\n") + :single-line (* (? " ") (? '(some (* (not :hs) 1))) (any :hs) -1) + :mid-line (+ (* (any :hs) :- (? " ") + (? '(some (if-not "\n" 1))) "\n") + (* (? '(some (if-not "\n" 1))) "\n")) + :close-line (+ (* (any :hs) -1) + (* (any :hs) :- (? " ") + (? '(some (if-not (* (any :hs) -1) 1))) + (any :hs) -1)) + :main (+ (* :open-line (any :mid-line) :close-line) + :single-line + '(any 1)) # admit defeat + })) + + (fn parse-doc[str] + (peg/match doc-parser str)))) + +(def syntaxes + (do (def quot-syntax + '(nth 1 (unref (* (<- (+ `"` `'`) :quo) + (<- (any (+ (* `\` (backmatch :quo)) + (if-not (backmatch :quo) 1)))) + (backmatch :quo)) :quo))) + (defn fail [cause] + (defn mk [ln col] + {:kind :parse + :cause cause + :ln ln :col col}) + ~(error (cmt (* (line) (column)) ,mk))) + (defn req [id body] + ~(+ (* ,;body) ,(fail (keyword :malformed- id)))) + (defn kw [id body] + ~(* ,id (> 1 :bound) ,(req id ~(:s+ ,;body)))) + (defn comment-syntax [id open close] + ~(* ,open '(any (+ ,id + :quot + (if -1 ,(fail :fell-off-comment)) + (if-not ,close 1))) ,close)) + + {:class-def (peg/compile ~{ + :b (any :s) + :bound (+ :s ";" "," `"` "{" "}" "<" ">" ":" "->" "(" ")") + :sym (some (if-not :bound 1)) + :sym-kw (cmt ':sym ,keyword) + :term (* :b ";" :b) + :quot ,quot-syntax + :quot-ang (* "<" (<- (any (+ `\>` + (if-not ">" 1)))) + ">") + :doc (cmt (* :b ,(comment-syntax :doc "(-" "-)") :b) + ,(fn [text] [:doc ;(parse-doc text)])) + :def-class (* (+ (* (constant :class) "class") + (* (constant :iface) "interface")) + :s+ (<- :sym) :s+ + (+ (* (constant :native) "is") + (* (constant :gdext) "extends") + ,(fail :bad-inherit)) + :s+ (<- :sym) + :b "{" :b (group (any :stmt)) :b "}") + :def-import (* (constant :import) + (+ (* (constant :impl) "use") + (* (constant :head) "import")) + :b + (+ (* (constant :lit) :c-block) + (* (constant :sys) :quot-ang) + (* (constant :loc) :quot))) + :c-comment (+ (* (+ "//" "#") (any (if-not (+ "\n" -1) 1)) (+ "\n" -1)) + (* "/*" (any (if-not "*/" 1)) "*/")) + :c-block (cmt (* "{" (line) (<- (any (+ (drop :quot) + (drop :c-block) + :c-comment + (if -1 ,(fail :fell-off-c-block)) + (if-not "}" 1)))) "}") + ,(fn [ln text] + (string/format "#line %d %q\n%s" + (+ 4 ln) (dyn *src-file*) text))) + :type-gd-vector (* "vector" (+ "2" "3" "4")) + :type-gd-basic (cmt '(+ + "int" + "float" + "bool" + "string-name" + "string" + "color" + :type-gd-vector + + "transform-2D" + "transform-3D" + "basis" + "projection" + + "variant" + "array" + "dictionary" + (* "packed-" + (+ (* (+ "int" "float") (+ "32" "64")) + :type-gd-vector + "byte" "color" "string") "-array")) + ,keyword) + :type-gd (+ (group (* (constant :ref) "ref" :b ':sym)) + (group (* (constant :array) "array" :b + "[" :b :type-gd-basic :b "]")) + (group (* (constant :dictionary) "dictionary" :b + "[" :b :type-gd-basic "," + :b :type-gd-basic :b "]")) + :type-gd-basic) + + :arg-spec (* (group (* :type-gd :s+ ':sym (? :doc))) (? (* :b (+ "," ";") :b :arg-spec))) + :arg-list (group (* "(" :b (? :arg-spec) :b (?";") :b ")")) + :def-method (* (constant :func) (+ (* (constant :method) "fn") + (* (constant :impl ) "impl")) + :s+ ':sym :b :arg-list :b + (+ (* "->" :b (group (* :type-gd (? :doc)))) + (constant [:void])) + :b :c-block) + :def-event (* (constant :event) + (+ (* (constant :ctor) "new") + (* (constant :dtor) "del") ) :b :c-block) + :def-var (* (constant :var) + # c type + (+ (* "var" (> (* :s+ "as")) (constant :auto)) + (* "var" :s+ + '(any (if-not (+ (* :s+ "as" :s+) + (* :b ":" )) 1)))) + (+ (* :s+ "as" :s+ :type-gd) + (constant :priv)) + (* :b ":" :b) (any (* ':sym :b "," :b)) ':sym) + + :def (* (? :doc) + (+ :def-class + :def-var + :def-import + :def-method + :def-event)) + :stmt (* :b (+ (group :def) "") :term) + # :main (+ (* (any :stmt) -1) + # ,(fail :bad-stmt)) + :main (* (any :stmt) (+ -1 ,(fail :bad-stmt)))}) + :comment-eraser (peg/compile ~{ + :quot ,quot-syntax + :comment ,(comment-syntax :comment "(*" "*)") + :main (% (any (+ (drop :comment) + (<- 1))))}) + })) + +(defn parse-class [str] + (def stripped (first (peg/match (syntaxes :comment-eraser) str))) + (peg/match (syntaxes :class-def) stripped)) + +(def *colorize* (gensym)) +(setdyn *colorize* true) + +(defn style [& body] + (def emit (if (dyn *colorize*) + (fn [sq] (string "\e[;" sq "m")) + (fn [_ ] ""))) + (defn enter [body style-seq] + (defn push [st] + (if (= "" style-seq) st + (string style-seq ";" st))) + (defn enc [st str] + (def cst (push st)) + (string (emit cst) + (enter str cst) + (emit style-seq))) + (match body + (str (string? str)) str + [:hl str] (enc "1" str) + [:em str] (enc "3" str) + [:rv str] (enc "7" str) + [:red str] (enc "31" str) + [:span & strs] (string ;(map |(enter $ style-seq) strs)) + _ (error (string/format "bad style spec %q" body)))) + (enter body "")) + +(defn err->msg [e] + (defn err-span [h & m] [:span [:hl [:red h]] ": " ;m ]) + (match e + {:kind :parse} (err-span "parse error" + (string (e :cause) " at ") + [:hl (string/format "%d:%d" (e :ln) (e :col))]) + _ (error e))) + # _ (err-span "error" + # "something went wrong (" [:em (string e)] ")"))) + + +(defn indent [n lst] + (map |(string (string/repeat "\t" n) $) lst)) + +(defn fmt-docs [dox] + (tuple/join ["/**"] (map |(string " * " $) dox) [" */"])) + +(def { + :new (fn [this & args] (struct/with-proto this ;args)) + :is? (fn [this obj] (and (struct? obj) + (= this (struct/getproto obj)))) + :impl? (fn [this obj] + (and (struct? obj) + (match (struct/getproto obj) + nil false + (@ this) true + p (:impl? this p)))) +}) + +(def + (let [tcap (fn tcap[str] + (def init (string/slice str 0 1)) + (def rest (string/slice str 1)) + (string (string/ascii-upper init) + rest))] + (:new + :segs [] + :read (fn read[this id] + (if (:impl? this id) + (:new this :segs (id :segs)) + (:new this :segs (string/split "-" id)))) + :form (fn form[me tx &opt sep] + (keyword (string/join (map tx (me :segs)) + (or sep "")))) + :tall |(:form $ tcap) + :scream |(:form $ string/ascii-upper "_") + :sulk |(:form $ identity "_") + :stab |(:form $ identity "-") + :say (fn [me] + (def s (me :segs)) + (string (first s) + ;(map tcap (slice s 1))))))) +(def (:new + :id : + :args [] + :ret : + :body [] + :quals [] + :dec* (fn [this quals ret id sig & body] + (:new this + :id id + :ret ret + :body body + :quals quals + :args (map (fn [[t id]] + {:id id :t t}) + sig))) + :dec- (fn [this & dfn] (:dec* this [:static] ;dfn)) + :dec (fn [this & dfn] (:dec* this [] ;dfn)) + :proto (fn [me arg-ids?] + (def arg->str (if arg-ids? + |(string "typeof(" ($ :t) ") " ($ :id)) + |(string "typeof(" ($ :t) ")"))) + (defn arg-lines [args] + (if (empty? args) [] + (let [a @[]] + (loop [arg :in args] + (when (not (empty? a)) + (put a (- (length a) 1) + (string (last a) ","))) + (array/push a (string "\t" (arg->str arg)))) + (tuple (string "(" (first a)) + ;(slice a 1) + ")")))) + [ (string (if (empty? (me :quals)) "" + (string (string/join (me :quals) " ") " ")) + (me :ret)) + (string (me :id) (if (empty? (me :args)) "(void)" "")) + ;(arg-lines (me :args)) ]) + :declare* (fn [me] [ ;(:proto me false) ";" ]) + :define* (fn [me] [ ;(:proto me true) "{" + ;(indent 1 (me :body)) "}" ]) + :declare (fn [me] + (defn flag? [f] (has-value? (me :quals) f)) + (cond + (flag? :inline) (:define* me) + (flag? :static) [] + (:declare* me))) + :define (fn [me] (if (has-value? (me :quals) :inline) [] + (:define* me))))) + +(def (:new + :id (:new ) + :dec* (fn [this mode id & meta] (:new this + :id (:read id) + :mode mode + ;meta)) + :dec (fn [this & dfn] (:dec* this :pub ;dfn)) + :dec- (fn [this & dfn] (:dec* this :priv ;dfn)) + :dec@ (fn [this & dfn] (:dec* this :opaq ;dfn)) + :content (fn [me] "void") + :declare (fn [me] + [(string "typedef " (:say (me :id)) ";")]) + :define (fn [me] + [(string "typedef " (:content me) " " (:say (me :id)) ";")]))) + +(def (:new + :dec* (fn [this mode id fields & meta] + (( :dec*) this mode id + :fields fields + ;meta)) + :declare (fn [me] + (let [id (:say (me :id))] + [(string "typedef struct " id " " id ";")])) + :define (fn [me] + [(string "struct " (:say (me :id)) " {") + ;(indent 1 + (catseq [f :in (me :fields)] + (def fdesc (string/format "typeof(%s) %s;" + (f :t) (:say (:read (f :id))))) + (if (f :doc) (tuple/join (fmt-docs (f :doc)) + [fdesc]) + [fdesc]) + )) + "};"]))) + +(def (:new + :path [] + :unit nil + :push (fn [me what & vals] + (array/push ((me :unit) what) ;vals)) + :branch (fn [me id & dfn] (:new me + :super me + :path (tuple/join (me :path) [id]) + :doc false + ;dfn)) + :prefix (fn [me &opt sep mode] + (string/join (map (or mode :say) (me :path)) + (or sep "_"))))) + +(defn cache [gen &opt ident] + (var idx 0) + (def box @{}) + (fn [& argv] + (def sig (if (nil? ident) argv + (ident ;argv))) + (if-let [val (get box sig)] val + (let [new-val (gen idx ;argv)] + (set idx (+ 1 idx)) + (put box sig new-val) + new-val)))) + +(defn cache/of-fn [pfx &opt inst] (cache + (fn [idx & argv] # gen + (def id (string/format "_priv_%s_%x" pfx idx)) + (when inst (inst id ;argv)) + id) + (fn [sig & _] sig))) # ident + +(defn gdtype->vartype [t] (match t + [:array _] :array + [:dictionary _] :dictionary + [:ref _] :object + x (keyword x))) +(defn gdtype->ctype [t] + (match t + :void :void + :float :double + :int :int64_t + :bool :bool + [:array _] :gd_array + [:dictionary _] :gd_dictionary + [:ref _] :GDExtensionObjectPtr + + # use an opaque wrapper struct defined in interface.h + x (string "gd_" (:say (:read t))))) + +(defmacro over [acc init binds & body] + (def acc (if (= acc :) (gensym) acc)) + ~(do (var ,acc ,init) + (loop ,binds + (set ,acc (do ,;body))) + ,acc)) + + +(defn unit-files [u] + (def h @[ `#pragma once` `#include "gdjn.h"` `#include "util.h"` + ;(u :header-prefix)]) + (def c @[ + (string `#include "` (:stab (u :name)) `.h"`) + `typedef struct gdjn_vcall {` + ` GDExtensionClassMethodPtrCall caller; ` + ` void* tgt;` + `} gdjn_vcall;` + ;(u :impl-prefix) + ]) + + (defn print-docs [dest obj] + (when-let [dox (get (u :doc) obj)] + (array/concat dest (fmt-docs dox)))) + (each t (u :types) + (def [f-dec f-def f-doc] + (case (t :mode) + :pub [h h h] + :priv [c c c] + :opaq [h c c])) + (print-docs f-doc t) + (array/concat f-dec (:declare t)) + (array/concat f-def (:define t))) + + # forward-declare private funcs + (each func (u :funcs) + (when (has-value? (func :quals) :static) + (array/join c (:declare* func)))) + + (each v (u :vars) + (when (not (v :priv)) + (print-docs h v) + (array/push h (string/format "extern typeof(%s) %s;" + (v :t) (v :id)))) + (def init (let [val (v :v)] (cond + ( nil? val) "" + ( keyword? val) (string " = " val) + ( string? val) (string/format ` = %q` val) + (function? val) (string " = " (val)) ))) + + (when (v :priv) (print-docs c v)) + (array/push c (string/format "%stypeof(%s) %s%s;" + (if (v :priv) "static " "") + (v :t) (v :id) init))) + + (defn func-push [func] + (array/join h (:declare func)) + (array/join c (:define func))) + + (each func (u :funcs) + (print-docs (if (func :priv) c h) func) + (func-push func)) + + (let [fname (string "gdjn_unit_" (:say (u :name)) "_load")] + (func-push (:dec :void fname [] + ;(indent 0 (u :load))))) + {:header h :impl c}) + +(defn with-names [kv & body] + (def [start end] [@[] @[]]) + (loop [[k v] :pairs (struct ;kv)] + (def v-rep (cond (keyword? v) (string v) + (string/format "%q" v))) + (array/push start + (string "gd_stringName " k ";") + (string/format "_t(stringName).newWithUtf8Chars(&%s, %s);" + k v-rep)) + (array/push end + (string/format "_t(stringName).dtor(&%s);" k))) + (tuple/join ["{"] + (indent 1 start) + body + (indent 1 (reverse end)) + ["}"])) + +(defn variant-type-enum [sym] + (def s (cond (:is? sym) sym + (or (keyword? sym) + (string? sym)) (:read sym) + (:read (gdtype->vartype sym)))) + (when (= :variant (:stab s)) + (error "value is already a variant")) + (string "GDEXTENSION_VARIANT_TYPE_" + (:scream s))) + +(defn func-ptr-t [ret args] + (defn wt [t] + (string "typeof(" t ")")) + (string/format "typeof(%s (*)(%s))" + (wt ret) + (if (empty? args) "void" + (string/join (map wt args) ", ")))) +(defn lines->str [lines] + (string (string/join lines "\n") "\n")) + +(defn basename [p] + (last (string/split "/" p))) +(defn entry [_ inp emit] + (def ast (with [fd (file/open inp :r)] + (with-dyns [*src-file* inp] + (parse-class (:read fd :all))))) + + (def unit + (let [unit-funcs @[] + unit-vars @[] + unit-load @[] ] + (defn unit-variant-inst [kind] + (when (= kind :variant) + (error "cannot rewrap a variant")) + (def modes + {:cast {:call "cast" + :type "GDExtensionTypeFromVariantConstructorFunc"} + :wrap {:call "wrap" + :type "GDExtensionVariantFromTypeConstructorFunc"}}) + (def mode (in modes kind)) + (fn [id ty] + (def ty-sym (:read (gdtype->vartype ty))) + (def ty-enum (variant-type-enum ty-sym)) + (array/push unit-vars + {:id id :priv true :v :nullptr + :t (mode :type)}) + (array/push unit-load + (string/format `%s = gdjn_ctx -> gd.%s(%s);` + id (mode :call) ty-enum)))) + + (def unit-variant-wrap + (cache/of-fn "variant_wrap" (unit-variant-inst :wrap))) + (def unit-variant-cast + (cache/of-fn "variant_cast" (unit-variant-inst :cast))) + + + (defn unit-invocant-ptr-inst [id [t-ret t-args]] + (def invoke-args '[ + # in + [void* target] + [GDExtensionClassInstancePtr inst] + ["const GDExtensionConstTypePtr*" argv] + # out + [GDExtensionTypePtr ret]]) + (def args* + (seq [i :range [0 (length t-args)] + :let [a (t-args i) ]] + (string/format "*((%s*)argv[%d])" (gdtype->ctype a) i))) + (def fn-t (func-ptr-t (gdtype->ctype t-ret) + [:void* ;(map gdtype->ctype t-args)])) + (def arg-str (string/join ["inst" ;args*] ", ")) + (def invoke [ + (string "typedef " fn-t " ptrCallFn;") + (string "ptrCallFn func = target;") + (string (if (= :void t-ret) "" + "auto rv = ") "func(" arg-str ");") + ;(if (= :void t-ret) [] [ + "* (typeof(rv)*) ret = rv;"])]) + (array/push unit-funcs + (:dec- :void id invoke-args + ;invoke))) + (defn unit-invocant-inst [id [t-ret t-args]] + (def invoke-args '[ + # in + [void* target] + [GDExtensionClassInstancePtr inst] + ["const GDExtensionConstVariantPtr*" argv] + [GDExtensionInt argc] + # out + [GDExtensionVariantPtr ret] + [GDExtensionCallError* err]]) + + (defn call-err [kind & params] + (let [kind-sym (:read kind) + enum (string "GDEXTENSION_CALL_ERROR_" + (:scream kind-sym)) + p (struct ;params)] + [(string `err -> error = ` enum `;`) + ;(map (fn[[k v]] + (string `err -> ` k ` = ` v `;`)) + (pairs p)) + `return;`])) + + (defn arity-enforce [m &opt x] + [(string/format `if (argc < %d) {` m) + ;(indent 1 (call-err :too-few-arguments :expected m)) + (string/format `} else if (argc > %d) {` (or x m)) + ;(indent 1 (call-err :too-many-arguments :expected (or x m))) + `}`]) + (defn unwrap-type [n] + (def var-t (gdtype->vartype (t-args n))) + (def tsym (:read var-t)) + (def tenum (variant-type-enum tsym)) + (def unwrap (unit-variant-cast var-t)) + [(string/format + `if (_t(variant).getType(argv[%d]) != %s) {` + n tenum) + ;(indent 1 (call-err :invalid-argument + :expected tenum + :argument n)) + `}` + (string (gdtype->ctype (t-args n)) + " arg_" n ";") + + (string/format "%s(&arg_%d, (void*)argv[%d]);" unwrap n n) + ]) + + (def invoke + (let [tx (fn (t) + (string "typeof(" (gdtype->ctype t) ")")) + wrapper (cond (= t-ret :void) nil + (= t-ret :variant) nil + (unit-variant-wrap t-ret))] + [(string/format "typedef %s wrappedFunc;" + (func-ptr-t (gdtype->ctype t-ret) [:void* + ;(map gdtype->ctype t-args)])) + (string/format "%s((wrappedFunc)target)(%s);" + (if (= t-ret :void) "" + (string (tx t-ret) " result = ")) + (string/join ["inst" + ;(seq [i :range [0 (length t-args)]] + (string "arg_" i))] + ", ")) + (cond (= t-ret :variant) "*(gd_variant*)ret = result;" + wrapper (string wrapper "(ret, &result);") + "") + ])) + (array/push unit-funcs + (:dec- :void id invoke-args + ;(arity-enforce (length t-args)) + ;(tuple/join ;(map |(unwrap-type $) + (range (length t-args)))) + ;invoke))) + (def unit-invocants (cache/of-fn "invoke" unit-invocant-inst)) + (def unit-invocants-ptr (cache/of-fn "invoke_ptr" + unit-invocant-ptr-inst)) + + {:name (:read (first (string/split "." (basename inp)))) + :vars unit-vars + :funcs unit-funcs + :load unit-load + :header-prefix @[] + :impl-prefix @[] + :variant-wrap unit-variant-wrap + :variant-cast unit-variant-cast + :invocants unit-invocants + :invocants-ptr unit-invocants-ptr + :classes @[] + :methods @[] + :types @[] + :doc @{}})) + + + (defn process [n csr] + (match n + [[:doc & lines] & node] + (let [doc-csr (:new csr :doc lines)] + (process node doc-csr)) + + ([cl id imode base body] (or (= cl :class) (= cl :iface))) + (let [class-def {:id id + :base base + :cursor csr + :events @{} + :fields @[] + :methods @[] + :vtbl-map @{} + :impls @[] + :base-mode imode + :abstract (= cl :iface)} + id-sym (:read id) + base-sym (:read base) + subcsr (:branch csr id-sym + :class class-def)] + (array/push (unit :classes) class-def) + (each n body (process n subcsr))) + ([:var t-c t-gd id] (has-key? csr :class)) + (array/push (get-in csr [:class :fields]) + {:id id :cursor csr + :t-gd t-gd + :t-c (match t-c + :auto (gdtype->ctype t-gd) + t t)}) + [:var t-c t-gd id] (do + (assert (= t-gd :priv) + "static globals cannot currently be exposed to godot") + (array/push (unit :vars) + {:id (string "gdjn_unit_" (:say (unit :name)) + "_" (:prefix csr) id) + :cursor csr + :v (keyword "{}") + :t (match t-c + :auto (gdtype->ctype t-gd) + t t)})) + [:import mode & what] + (array/push (case mode + :head (unit :header-prefix) + :impl (unit :impl-prefix)) + (match what + [:loc header] (string `#include "` header `"`) + [:sys header] (string `#include <` header `>`) + [:lit body] body)) + [:event ev c] + (do (assert (csr :class) + (string "event " ev " defined outside of class")) + (put-in csr [:class :events ev] + {:cursor csr + :text c})) + [:func kind id argv [rty & meta] c] + (let [cls (csr :class) + meth {:id id + :args (map (fn [[t id & r]] + [t + (keyword id) ;r]) argv) + :ret rty + :ret-doc (match (first meta) + [:doc & d] d) + :cursor csr + :text c}] + (array/push (unit :methods) meth) + (when cls (case kind + :method (array/push (cls :methods) meth) + :impl (array/push (cls :impls) meth))) + ))) + + (def root (:new :unit unit)) + (each n ast (process n root)) + + (defn class-prefix [c & r] + (def pf (let [p (:prefix c)] + (if (empty? p) [] [p]))) + (string/join ["gdjn_class" ;pf ;r] "_")) + + (defn bind-methods [class] + (defn bind [f kind] + (def t-args (map (fn [[t] &] t) + (f :args))) + (def invocant + ((unit :invocants) [(f :ret) t-args])) + (def invocant-ptr + ((unit :invocants-ptr) [(f :ret) t-args])) + (def fp-t (func-ptr-t (gdtype->ctype (f :ret)) + [(string "typeof(" + (class-prefix (class :cursor) + (class :id))")*") + ;(map gdtype->ctype t-args)])) + + (def strings-lst @[]) + (def strings + (cache (fn [idx text] + (def id (string "_priv_str_" idx)) + (array/push strings-lst id text) + id))) + (defn prop-info [t &opt id] [ + "(GDExtensionPropertyInfo) {" ;(indent 1 [ + (if (= :variant t) "" + (string ".type = " (variant-type-enum t) ",")) + (string ".name = &" (strings (if (nil? id) "" + (string id))) ",") + (string ".class_name = &" (strings (match t + [:ref c] (string (:tall (:read c))) + _ "")) ",") + (string ".hint_string = &" (strings "") ",") + `.usage = 6,` # DEFAULT + ]) "}" + ]) + (def arg-info (if (empty? t-args) [] [ + (string "." (case kind + :method "arguments_info" + :impl "arguments") + "= (GDExtensionPropertyInfo[]) {") + ;(indent 1 (mapcat (fn [[t id]] [;(prop-info t id) ","]) (f :args))) + "}," + ".arguments_metadata = (GDExtensionClassMethodArgumentMetadata[]) {" + ;(seq [i :range [0 (length (f :args))]] + "\tGDEXTENSION_METHOD_ARGUMENT_METADATA_NONE,") + "}," + ])) + (def ret-info + (indent 1 [`.return_value_metadata = GDEXTENSION_METHOD_ARGUMENT_METADATA_NONE,` + ;(case kind + :method (if (= :void (f :ret)) [] + [`.return_value_info = &` + ;(prop-info (f :ret)) + `,`]) + :impl [`.return_value = ` + ;(prop-info (if (= :void (f :ret)) :nil + (f :ret)))] + )]) + ) + + (def fn-path (class-prefix (f :cursor) "method" (f :id))) + (with-names [:s_methodName (f :id) ;strings-lst] + (if (not= kind :method) "" + (string fp-t " func = " fn-path ";")) + (string/format `auto info = (%s) {` + (case kind + :method "GDExtensionClassMethodInfo" + :impl "GDExtensionClassVirtualMethodInfo")) + ` .name = &s_methodName,` + (string "\t.argument_count = " + (length t-args) ",") + ;(indent 1 arg-info) + ;(if (= kind :method) [ + ` .method_userdata = func,` + ` .method_flags = GDEXTENSION_METHOD_FLAGS_DEFAULT,` + (string "\t.has_return_value = " + (if (= :void (f :ret)) "false" "true") ",") + (string "\t.call_func = " invocant ",") + (string "\t.ptrcall_func = " invocant-ptr ",") + ] []) + ;ret-info + `};` + (string `printf("binding method %s\n",` + (string/format "%q" fn-path) + `);`) + (string `_t(classdb).` + (case kind + :method "registerExtensionClassMethod" + :impl "registerExtensionClassVirtualMethod") + `(gdjn_ctx -> gd.lib, &s_className, &info);`))) + (array/concat @[] "{" ;(with-names [:s_className (class :id)] + ;(map |(bind $ :method) (class :methods)) + ;(map |(bind $ :impl) (class :impls))) "}")) + + (defn push-item [kind cursor item] # abuse hashtables for fun & profit + (array/push (unit kind) item) + (when (and cursor (cursor :doc)) + (put (unit :doc) item (cursor :doc)))) + + (loop [c :in (unit :classes)] + (def id (class-prefix (c :cursor) (c :id))) + (def [id-ctor id-dtor + id-ctor-api + id-init id-create] + (map |(string id "_" $) ["new" "del" + "api_new" "init" "create"])) + + (def id-base (as-> (c :base) b + (string/split "." b) + (string/join b "_") + (string "gdjn_class_" b))) #HAAACK + (when (not (empty? (c :impls))) + (def vtbl @[]) + (loop [i :range [0 (length (c :impls))] + :let [f ((c :impls) i)]] + (def t-args (map (fn [[t] &] t) + (f :args))) + (def call (class-prefix (f :cursor) "method" (f :id))) + (def caller ((unit :invocants-ptr) [(f :ret) t-args])) + (put (c :vtbl-map) (f :id) i) + (array/push vtbl + (string "{.caller=" caller ", .tgt=" call "}")) + ) + (let [vstr (string/join (map |(string "\n\t" $ ",") vtbl)) + vwr (string "{" vstr "\n}") ] + (array/push (unit :vars) + {:id (string id "_vtbl") + :priv true + :t "const gdjn_vcall[]" + :v |vwr}))) + + (defn push-event [ev-kind ev-id ret-t args gen] + (push-item :funcs (get-in c [:events ev-kind :cursor]) + (:dec ret-t ev-id + args + ;(gen (if c ["{" (get-in c [:events ev-kind :text] "") "}"] []))))) + (array/push (unit :funcs) + (:dec :GDExtensionObjectPtr id-ctor-api + [[:void* :_data] + [:GDExtensionBool :postInit]] + (string/format "return %s() -> self;" id-ctor))) + (def self-ref-t (string "typeof(" id ")*")) + (push-event :ctor id-init :void [[self-ref-t :me] + [:GDExtensionObjectPtr :obj]] + |[(string/format "me -> self = obj;") + ;(if (= :native (c :base-mode)) [] + [(string id-base "_init(&me -> super, obj);")]) + ;$]) + (array/push (unit :funcs) + (:dec :GDExtensionObjectPtr id-create [] + "GDExtensionObjectPtr super;" + ;(if (= :native (c :base-mode)) + (with-names ["superName" (c :base)] + "super = _t(classdb).constructObject(&superName);") + [(string/format "super = %s_create();" + id-base)]) + "return super;")) + + (array/push (unit :funcs) + (:dec self-ref-t id-ctor [] + (string "typeof("id")* me = _alloc("id", 1);") + ;(with-names ["className" (c :id)] + (string/format "auto gdobj = %s();" + id-create) + `printf("constructed super object %p\n", gdobj);` + "_t(object).setInstance(gdobj, &className, me);" + (string id-init "(me, gdobj);")) + "return me;")) + (push-event :dtor id-dtor :void + [[:void* :_data] + [:GDExtensionClassInstancePtr :_ptr_me]] + |[(string "typeof("id")* me = _ptr_me;") + ;$ + "_free(me);"]) + (def id-virt (class-prefix (c :cursor) (c :id) "virt")) + + (array/push (unit :funcs) (:dec- :void* id-virt + [[:void* :data] + [:GDExtensionConstStringNamePtr :method] + [:uint32_t :hash]] + `bool res = false;` + ;(catseq [[name idx] :pairs (c :vtbl-map)] [ + ;(with-names [:name name] + `_t(stringName).equal(&name, method, &res);` + `if (res) {` + (string "\treturn (void*)&" id "_vtbl[" idx "];") + `}`)]) + ;(if (= :native (c :base-mode)) [`return nullptr;`] + # inherits from a gdextension class; call up + [(string/format "return %s_virt(data, method, hash);" + id-base)]) + )) + (def id-virt-call (class-prefix (c :cursor) (c :id) "virt_call")) + (array/push (unit :funcs) (:dec- :void id-virt-call + [[:GDExtensionClassInstancePtr :inst] + [:GDExtensionConstStringNamePtr :method] + [:void* :vcall] + ["const GDExtensionConstTypePtr*" :args] + [:GDExtensionTypePtr :ret]] + `auto c = (const gdjn_vcall*)vcall;` + `c -> caller(c -> tgt, inst, args, ret);`)) + (array/push (unit :load) + ;(with-names ["className" (c :id) + "superName" (c :base)] + "auto classDesc = (GDExtensionClassCreationInfo4) {" + ` .is_virtual = false,` + (string "\t.is_abstract = " (if (c :abstract) "true" "false")",") + ` .is_exposed = true,` + ` .is_runtime = true,` + (string "\t.create_instance_func = " id-ctor-api ",") + (string "\t.free_instance_func = " id-dtor ",") + (string "\t.get_virtual_call_data_func = " + id-virt ",") + (string "\t.call_virtual_with_data_func = " + id-virt-call ",") + "};" + `_t(classdb).registerExtensionClass(gdjn_ctx -> gd.lib, &className, &superName, &classDesc);` + )) + (def fields + (tuple/join (if (= :native (c :base-mode)) [] + [{:id "super" + :t id-base}]) + [{:id "self" :t :GDExtensionObjectPtr}] + (seq [f :in (c :fields)] + {:id (f :id) + :t (f :t-c) :v {} + :doc (get-in f [:cursor :doc] nil)}))) + (push-item :types (c :cursor) + (:dec id + fields)) + (def binder (bind-methods c)) + (array/concat (unit :load) binder) + + + + ) + (loop [f :in (unit :methods)] + (def class (class-prefix (f :cursor))) + (def cid (class-prefix (f :cursor) "method" (f :id))) + (def cfn (:dec (gdtype->ctype (f :ret)) cid + [ [(string class "*") "me"] + ;(map (fn [[t id dox]] + [(gdtype->ctype t) id]) + (f :args))] + (f :text))) + (def arg-dox + (mapcat (fn [[t id & meta]] + (match (first meta) + ([:doc & dox] (not (empty? dox))) + (do (def pfx (string "@param " id " ")) + (def pad (string/repeat " " (length pfx))) + [(string pfx (first dox)) + ;(map |(string pad $) (slice dox 1))]) + _ [])) + (f :args))) + (let [func-dox (if-let [x (get-in f [:cursor :doc])] + (tuple/join x [""]) + []) + ret-dox (if-let [x (f :ret-doc)] + [(string "@return " (first x)) + ;(if (= (length x) 1) [] + (map |(string " " $) (slice x 1)))] + []) + curs (if (empty? arg-dox) (f :cursor) + (:new (f :cursor) + :doc (tuple/join func-dox + arg-dox + ret-dox)))] + (push-item :funcs curs cfn)) + ) + + (let [uf (unit-files unit)] + (:write stdout (case emit + "header" (lines->str (uf :header)) + "loader" (lines->str (uf :impl)) + (error :bad-cmd))))) + +(defn main [& argv] + # (entry ;argv)) + (try (entry ;argv) + ([e] (:write stderr (style ;(err->msg e)))))) ADDED tool/rsrc.janet Index: tool/rsrc.janet ================================================================== --- tool/rsrc.janet +++ tool/rsrc.janet @@ -0,0 +1,74 @@ +# [ʞ] rsrc.janet +# ~ lexi hale +# ? the usual bullshit +# > CC=cc gd_build_out=out gd_build_gen=gen +# janet rsrc.janet -- ... + +(def *cc* (gensym)) +(def *out-path* (gensym)) +(def *gen-path* (gensym)) + +(defn blob->c-array [data] + (def bytes (string/bytes data)) + (def buf @"") + (defn nl [] (buffer/push buf "\n")) + + (loop [i :range [0 (length bytes)] + :let [col (mod i 20) + val (data i)] + :after (when (= col 0) (nl))] + (buffer/push buf (string/format "%d," val))) + + (string buf)) + +(defn basename [f] (array/peek (string/split "/" f))) + +(defn blob [path] + (print "doing path " path) + (let [fd (file/open path :r) + rec {:id (reduce |(string/replace-all $1 "_" $0) + (basename path) ["-" "." "/"]) + :vals (blob->c-array (:read fd :all))}] + (:close fd) + rec)) + +(defn c-decl [t] + (string "const uint8_t gdjn_rsrc_" (t :id) " []")) +(defn c-def [t] + (string (c-decl t) " = {" (t :vals) "}")) + + +(defn c-compile [c to-path] + (def cc (os/spawn [(dyn *cc*) + "-xc" "-c" "-" + "-o" to-path] + :p {:in :pipe})) + (ev/gather (do (:write (cc :in) + "#include \n") + (ev/write (cc :in) c) + (ev/close (cc :in))) + (os/proc-wait cc))) + +(defn build [paths] + (let [ lst (map blob (slice paths 2 -1)) + decl (map |(string (c-decl $) ";\n") lst) + impl (map |(string (c-def $) ";\n") lst) + obj-path (string/format "%s/rsrc.o" (dyn *out-path*)) + decl-path (string/format "%s/rsrc.h" (dyn *gen-path*)) + decl-fd (file/open decl-path :w)] + (:write decl-fd + "#pragma once\n" + "#include \n") + (each d decl (:write decl-fd d)) + (each i impl (c-compile i obj-path)) + (:close decl-fd))) + +(defn env: [k dflt] + (or (get (os/environ) k) dflt)) + +(defn main [& argv] + (with-dyns [ *cc* (env: "CC" "cc" ) + *out-path* (env: "gd_build_out" "out") + *gen-path* (env: "gd_build_gen" "gen")] + (build argv)) + 0)