2024-03-18 10:06:38 -07:00
|
|
|
# Namespacing
|
|
|
|
|
|
|
|
In order to work with C's namespace limitations, I've designed the following
|
|
|
|
system:
|
|
|
|
|
|
|
|
## Namespaces
|
|
|
|
|
|
|
|
In C, there is a GCC extension (also supported by clang and TCC) to allow for
|
|
|
|
dollar signs in identifiers. This provides a way to have compiled C code which
|
|
|
|
segments its imports into different namespaces. For example `Foo$Baz` would be
|
|
|
|
the identifier `Baz` in the namespace `Foo`, and would be guaranteed to not
|
|
|
|
collide with a user-chosen name like `FooBaz`.
|
|
|
|
|
2024-08-18 21:38:41 -07:00
|
|
|
```tomo
|
|
|
|
// File: foo.tm
|
|
|
|
my_var := 123
|
|
|
|
|
2024-08-18 21:34:11 -07:00
|
|
|
struct Baz(x:Int):
|
2024-03-18 10:06:38 -07:00
|
|
|
member := 5
|
2024-10-09 10:26:28 -07:00
|
|
|
func frob(b:Baz -> Int):
|
2024-03-18 10:06:38 -07:00
|
|
|
return b.x
|
2024-08-18 21:38:41 -07:00
|
|
|
```
|
2024-03-18 10:06:38 -07:00
|
|
|
|
2024-08-18 21:38:41 -07:00
|
|
|
```C
|
|
|
|
// File: foo.tm.h
|
2024-03-18 10:06:38 -07:00
|
|
|
...
|
|
|
|
typedef struct foo$Baz_s foo$Baz_t;
|
|
|
|
struct foo$Baz_s {
|
2024-08-18 21:38:41 -07:00
|
|
|
Int_t $x;
|
2024-03-18 10:06:38 -07:00
|
|
|
};
|
2024-08-18 21:38:41 -07:00
|
|
|
|
|
|
|
extern Int_t foo$my_var;
|
2024-09-30 11:39:30 -07:00
|
|
|
extern const TypeInfo_t foo$Baz;
|
2024-08-18 21:38:41 -07:00
|
|
|
|
2024-03-18 10:06:38 -07:00
|
|
|
extern Int_t foo$Baz$member;
|
2024-08-18 21:38:41 -07:00
|
|
|
Int_t foo$Baz$frob(struct foo$Baz_s $b);
|
|
|
|
void foo$main();
|
2024-03-18 10:06:38 -07:00
|
|
|
...
|
2024-08-18 21:38:41 -07:00
|
|
|
```
|
2024-03-18 10:06:38 -07:00
|
|
|
|
2024-08-18 21:38:41 -07:00
|
|
|
```C
|
|
|
|
// File: foo.tm.c
|
|
|
|
...
|
|
|
|
Int_t foo$my_var = I_small(123);
|
|
|
|
Int_t foo$Baz$member = I_small(5);
|
2024-03-18 10:06:38 -07:00
|
|
|
|
2024-09-13 10:52:57 -07:00
|
|
|
static Text_t foo$Baz$as_text(foo$Baz_t *obj, bool use_color)
|
2024-08-18 21:38:41 -07:00
|
|
|
{
|
|
|
|
if (!obj)
|
|
|
|
return "Baz";
|
2024-09-13 10:52:57 -07:00
|
|
|
return Texts(use_color ? Text("\x1b[0;1mBaz\x1b[m(") : Text("Baz("),
|
|
|
|
Int$as_text(stack(obj->$x), use_color, &Int$info), Text(")"));
|
2024-03-18 10:06:38 -07:00
|
|
|
}
|
|
|
|
|
2024-08-18 21:38:41 -07:00
|
|
|
public Int_t foo$Baz$frob(struct foo$Baz_s $b)
|
|
|
|
{
|
2025-03-11 10:18:30 -07:00
|
|
|
return ($b).x;
|
2024-03-18 10:06:38 -07:00
|
|
|
}
|
2024-08-18 21:38:41 -07:00
|
|
|
...
|
2024-03-18 10:06:38 -07:00
|
|
|
```
|
|
|
|
|
2024-08-18 21:38:41 -07:00
|
|
|
And on the usage site, the code `include ./foo.tm` compiles to `#include
|
2024-03-18 10:06:38 -07:00
|
|
|
"./foo.tm.h"` in the header and `use$foo()` in the code that is executed.
|
|
|
|
|