diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..30560b6 --- /dev/null +++ b/.gitignore @@ -0,0 +1,11 @@ +**/serve/ +**/soupault.toml +css/code.css +pgvv/ +all_chars.txt +**/fonts/**/*-Subset.* +woff2/ +**/serve_* +/lexers.out +fonts/*trial +**/*.log diff --git a/.vscode/settings.json b/.vscode/settings.json new file mode 100644 index 0000000..ef6c64a --- /dev/null +++ b/.vscode/settings.json @@ -0,0 +1,40 @@ +{ + "cSpell.words": [ + "Alfie", + "Almuth", + "Carmal", + "Chondalwood", + "Chondath", + "demi", + "Eldath", + "extraplanar", + "extraplanars", + "Faerûn", + "Feywild", + "Figrett", + "Figridge", + "Gottlob", + "Grinbriar", + "guardly", + "harengon", + "Iggwilv", + "Karmel", + "Laeral", + "Moradin", + "Mystra", + "nelist", + "planeswalker", + "pranking", + "Pteey", + "Rumbar", + "scrying", + "Silverhand", + "Toril", + "Venron", + "Waterdeep", + "Waterhavian", + "Waterhavians", + "Whitlock", + "Xanathar" + ] +} \ No newline at end of file diff --git a/README.md b/README.md index 1c9b0ae..ff2d596 100644 --- a/README.md +++ b/README.md @@ -1,3 +1 @@ -# plexpage - -All of my websites, self-served from a single host. +Scripts for building my static web pages. diff --git a/acl.cool/lexers.out b/acl.cool/lexers.out new file mode 120000 index 0000000..1dfca52 --- /dev/null +++ b/acl.cool/lexers.out @@ -0,0 +1 @@ +../lexers.out \ No newline at end of file diff --git a/acl.cool/math_wrapper.sh b/acl.cool/math_wrapper.sh new file mode 120000 index 0000000..f40564e --- /dev/null +++ b/acl.cool/math_wrapper.sh @@ -0,0 +1 @@ +../math_wrapper.sh \ No newline at end of file diff --git a/acl.cool/site/Gottlob_flat.pdf b/acl.cool/site/Gottlob_flat.pdf new file mode 100644 index 0000000..20044a1 Binary files /dev/null and b/acl.cool/site/Gottlob_flat.pdf differ diff --git a/html/OVERVIEW_GP1.html b/acl.cool/site/OVERVIEW_GP1.html similarity index 86% rename from html/OVERVIEW_GP1.html rename to acl.cool/site/OVERVIEW_GP1.html index 8a6e89a..f250ec3 100644 --- a/html/OVERVIEW_GP1.html +++ b/acl.cool/site/OVERVIEW_GP1.html @@ -1,5 +1,4 @@ -

Overview of the GP1 Programming Language

-

Description

+

Overview of the
GP1 Programming Language

GP1 is a statically typed, multi-paradigm programming language with an emphasis on brevity and explicitness. It provides both value and reference types, as well as higher-order functions and first-class @@ -18,7 +17,7 @@ section.

the character doesn't cause a parsing issue. For example, whitespace tokens are not allowed in variable names.

Some examples of assigning variables:

-
var x: i32;  // x is an uninitialized 32-bit signed integer
+
var x: i32;  // x is an uninitialized 32-bit signed integer
 var y <- x;  // this won't work, because x has no value
 x <- 7;
 var y <- x;  // this time it works, because x is now 7
@@ -26,12 +25,12 @@ var y <- x;  // this time it works, because x is now 7
 con a: f64 <- 99.8;  // a is immutable
 a <- 44.12;          // this doesn't work, because con variables cannot be reassigned

The following lines are equivalent,

-
con a <- f64(7.2);
+
con a <- f64(7.2);
 con a: f64 <- 7.2;
 con a <- 7.2;        // 7.2 is implicitly of type f64
 con a <- 7.2D;       // With an explicit type suffix

as are these.

-
var c: f32 <- 9;
+
var c: f32 <- 9;
 var c <- f32(9);
 var c: f32 <- f32(9);
 var c <- 9F;
@@ -69,7 +68,7 @@ Numeric operators are as one expects from C, with the addition of ** as a power operator.

Numeric literals have an implicit type, or the type can be specified by a case-insensitive suffix. For example:

-
var i1 <- 1234;    // implicitly i32
+
var i1 <- 1234;    // implicitly i32
 var f1 <- 1234.5;  // implicitly f64
 
 var i3 <- 1234L;   // i64
@@ -150,8 +149,8 @@ value can be used as a literal in this fasion.

string is a unicode string. String literals are double-quoted, e.g. "Hello, World.".

Arrays

-

GP supports typical array operations.

-
var tuples : (int, int)[]; // declare array of tuples
+

GP1 supports typical array operations.

+
var tuples : (int, int)[]; // declare array of tuples
 var strings : string[];    // declare array of strings
 
 var array <- i32[n];       // declare and allocate array of n elements
@@ -162,7 +161,7 @@ con nums <- {1, 2, 3};     // immutable array of i32
 

Use the length property to access the number of elements in an allocated array. Attempting to access length of an unallocated array is an exception.

-

+

 var colors <- {"Red", "White", "Blue"};  // allocate array
 
 var count <- colors.length; // count is usize(3)
@@ -171,7 +170,7 @@ var count <- colors.length; // count is usize(3)
 Negative values wrap from the end (-1 is the last element). An exception
 occurs if the value is too big, i.e.no modulo operation is
 performed.

-
var w <- {1, 2, 3, 4, 5, 6, 7};
+
var w <- {1, 2, 3, 4, 5, 6, 7};
 
 w[0]  // first element, 1
 w[-1] // last element, 7
@@ -192,7 +191,7 @@ i.e.(u128(4), "2").1 would be "2".

identical to that of .NET 5 and very similar to that of gawk.

Named Functions

Some examples of defining named functions:

-
fn sum(a: f32, b: f32): f32 { a + b }        // takes parameters and returns an f32
+
fn sum(a: f32, b: f32): f32 { a + b }        // takes parameters and returns an f32
 
 fn twice_println(s: string) {                // takes parameters and implicitly returns ()
     println("${s}\n${s}");
@@ -211,13 +210,13 @@ ordered from left to right in the function definition  that is
 unassigned. With regard to the join_println function
 defined above, this means that all of the following are valid and behave
 identically.

-
join_println(a <- "Hello,", b <- "World.");
+
join_println(a <- "Hello,", b <- "World.");
 join_println(b <- "World.", a <- "Hello,");
 join_println(b <- "World.", "Hello,");
 join_println("Hello,", "World.");

Function names may be overloaded. For example, join_println could be additionally defined as

-
fn join_println(a: string, b: string, sep: string) {    
+
fn join_println(a: string, b: string, sep: string) {    
     println("${a}${sep}${b}");
 }

and then both join_println("Hello,", "World.", " ") and @@ -227,7 +226,7 @@ be familar with this pattern from functional languages like F#, wherein a wrapper function is often used to guard an inner recursive function (GP1 permits both single and mutual recursion in functions). For example:

-
fn factorial(n: u256): u256 {
+
fn factorial(n: u256): u256 {
     fn aux(n: u256, accumulator: u256): u256 {
         match n > 1 {
             true => aux(n - 1, accumulator * n),
@@ -243,7 +242,7 @@ syntax used in this example, refer to Control Flow.

Closures behave as one would expect in GP1, exactly like they do in most other programming languages that feature them. Closures look like this:

-
var x: u32 <- 8;
+
var x: u32 <- 8;
 
 var foo <- { y, z => x * y * z};     // foo is a closure; its type is fn<u32 | u32>
 assert(foo(3, 11) == (8 * 3 * 11));  // true
@@ -269,7 +268,7 @@ sign is enclosed by them.

Lambdas are nearly identical to closures, but they don't close over their environment, and they use the -> symbol in place of =>. A few examples of lambdas:

-
con x: u32 <- 4;  // this line is totally irrelevant
+
con x: u32 <- 4;  // this line is totally irrelevant
 
 con square <- { x -> x * x };                 // this in not valid, because the type of the function is not known
 con square <- { x: u32 -> x * x };            // this if fine, because the type is specified in the lambda
@@ -282,20 +281,20 @@ there is a separate syntax for function types. Given the function
 fn sum(a: f64, b: f64): f64 { a + b } the function type is
 expressed fn<f64 f64 | f64>, meaning a function that
 accepts two f64 values and returns an f64. Therefore,

-
fn sum(a: f64, b: f64): f64 { a + b } 
-
con sum: fn<f64 f64 | f64> <- { a, b -> a + b };
-
con sum <- { a: f64, b: f64 -> a + b };
+
fn sum(a: f64, b: f64): f64 { a + b } 
+
con sum: fn<f64 f64 | f64> <- { a, b -> a + b };
+
con sum <- { a: f64, b: f64 -> a + b };

are all equivalent ways of binding a function of type fn<f64 f64 | f64> to the constant sum. Here's an example of how to express a function type for a function argument.

-
fn apply_op(a: i32, b: i32, op: fn<i32 i32 | i32>): i32 {
+
fn apply_op(a: i32, b: i32, op: fn<i32 i32 | i32>): i32 {
     op(a, b)
 }

Function Type Inference

The above example provides an explicit type for the argument op. You could safely rewrite this as

-
fn apply_op(a: i32, b: i32, op: fn): i32 {
+
fn apply_op(a: i32, b: i32, op: fn): i32 {
     op(a, b)
 }

because the compiler can safely infer the function type of @@ -307,19 +306,19 @@ is not allowed.

syntax used in this section.

Numeric types are automatically coerced into other numeric types as long as that coercion is not lossy. For example,

-
var x: i32 <- 10;
+
var x: i32 <- 10;
 var y: i64 <- x;

is perfectly legal (the 32-bit value fits nicely in the 64-bit variable). However, automatic coercion doesn't work if it would be lossy, so

-
var x: i64 <- 10;
+
var x: i64 <- 10;
 var y: i32 <- x;

doesn't work. This holds for numeric literals as well. Unsurprisingly, var x: i32 <- 3.14 wouldn't compile. The floating point value can't be automatically coerced to an integer type. So what does work? Casting via the target type's pseudo-constructor works.

-
con x: f64 <- 1234.5;        // okay because the literal can represent any floating point type
+
con x: f64 <- 1234.5;        // okay because the literal can represent any floating point type
 con y: f64 <- f16(1234.5);   // also okay, because any f16 can be losslessly coerced to an f64
 con z: i32 <- i32(x);        // also okay; uses the i32 pseudo-constructor to 'cast' x to a 32-bit integer
 
@@ -347,7 +346,7 @@ type of the function is not an integer, GP1 assumes an exit code of
 usize(0) and returns that to the operating system.

The following program prints Hello, World. and exits with an error code.

-
entry main(): usize {
+
entry main(): usize {
     hello_world();
     1
 }
@@ -359,9 +358,9 @@ fn hello_world() {
 keyword that makes it the entry point. The entry function may also be
 implicit. If one is not defined explicitly, the entire file is treated
 as being inside an entry function. Therefore,

-
println("Hello, World.");
+
println("Hello, World.");

is a valid and complete program identical to

-
entry main(): usize {
+
entry main(): usize {
     println("Hello, World.");
 }

This behavior can lend GP1 a very flexible feeling akin to many @@ -369,7 +368,7 @@ scripting languages.

In a program where there is an entry-point specified, only expressions made within that function will be evaluated. This means that the following program does NOT print anything to the console.

-
entry main(): usize {
+
entry main(): usize {
     con x: usize <- 7;
 }
 
@@ -384,7 +383,7 @@ structure, in two variants: match and
 *expr* are expressions and pattern* are
 pattern matching options (refer to Pattern Matching for more
 info).

-
match expr {
+
match expr {
     pattern1 => arm_expr1,
     pattern2 => arm_expr2,
     _ => arm_expr3,
@@ -395,7 +394,7 @@ expression executes all arms that match the pattern. Both flavors return
 their last executed expression.

The when keyword may be used in a given match arm to further restrict the conditions of execution, e.g.

-
con fs <- 43;
+
con fs <- 43;
 
 con is_even <- match fs {
     n when n % 2 == 0 => " is "
@@ -413,10 +412,10 @@ print(fs + is_even + "even.")

along with continue and break to help control program flow. All of these are statements.

-
loop { . . . }  // an unconditional loop -- runs forever or until broken
-
for i in some_iterable { . . . }  // loop over anything that is iterable
-
while some_bool { . . . }  // classic conditional loop that executes until the predicate is false
-
do { . . .
+
loop { . . . }  // an unconditional loop -- runs forever or until broken
+
for i in some_iterable { . . . }  // loop over anything that is iterable
+
while some_bool { . . . }  // classic conditional loop that executes until the predicate is false
+
do { . . .
 } while some_bool  // traditional do/while loop that ensures body executes at least once

Pattern Matching

Pattern matching behaves essentially as it does in SML, with support @@ -424,7 +423,7 @@ for various sorts of destructuring. It works in normal assignment and in match arms. It will eventually work in function parameter assignment, but perhaps not at first.

For now, some examples.

-
a <- ("hello", "world");  // a is a tuple of strings
+
a <- ("hello", "world");  // a is a tuple of strings
 (b, c) <- a;
 
 assert(b == "hello" && c == "world")
@@ -443,24 +442,24 @@ fn u32_list_to_string(l: List<u32>): string {  // this is assuming that sq
 

Enums

Enums are pretty powerful in GP1. They can be the typical enumerated type you'd expect, like

-
enum Coin { penny, nickle, dime, quarter }  // 'vanilla' enum
+
enum Coin { penny, nickle, dime, quarter }  // 'vanilla' enum
 
 var a <- Coin.nickle
 assert a == Coin.nickle
 

Or an enum can have an implicit field named value

-
enum Coin: u16 { penny(1), nickle(5), dime(10), quarter(25) }
+
enum Coin: u16 { penny(1), nickle(5), dime(10), quarter(25) }
 
 var a <- Coin.nickle;
 assert(a == Coin.nickle);
 assert(a.value == 5);

Or an enum can be complex with a user-defined set of fields, like

-
enum CarModel(make: string, mass: f32, wheelbase: f32) {  // enum with multiple fields
+
enum CarModel(make: string, mass: f32, wheelbase: f32) {  // enum with multiple fields
    gt          ( "ford",  1581, 2.71018 ),
    c8_corvette ( "chevy", 1527, 2.72288 )
 }

A field can also have a function type. For example

-
enum CarModel(make: string, mass: f32, wheelbase: f32, gasUsage: fn<f32 | f32>) {
+
enum CarModel(make: string, mass: f32, wheelbase: f32, gasUsage: fn<f32 | f32>) {
    gt          ( "ford",  1581, 2.71018, { miles_traveled -> miles_traveled / 14 } ),
    c8_corvette ( "chevy", 1527, 2.72288, { miles_traveled -> miles_traveled / 19 } )
 }
@@ -468,7 +467,7 @@ assert(a.value == 5);
var my_car <- CarModel.c8_corvette; var gas_used <- my_car.gasUsage(200); // estimate how much gas I'd use on a 200 mile trip

Equivalence of enums is not influenced by case values, e.g.

-
enum OneOrAnother: u16 { one(0), another(0) }
+
enum OneOrAnother: u16 { one(0), another(0) }
 
 con a <- OneOrAnother.one;
 con b <- OneOrAnother.another;
@@ -483,7 +482,7 @@ only value types are allowed for enum fields.

keyword. Fields are defined in the record block and behavior is defined in the optional impl block.

For example,

-
record Something {
+
record Something {
     label: i32    // field label followed by some type
 } impl { . . . }  // associated functions. This is different than having functions in the fields section because impl functions are not assignable.

If the record implements some interface, SomeInterface, @@ -493,7 +492,7 @@ the impl would be replaced with functions of the Something record.

Unions

Unions are the classic discriminated sum type.

-
union BinaryTree {
+
union BinaryTree {
     Empty,
     Leaf: i32,
     Node: (BinaryTree BinaryTree),
@@ -503,7 +502,7 @@ functions of the Something record.

section.

Type aliasing is provided with the type keyword, e.g.

-
type TokenStream Sequence<Token>
+
type TokenStream Sequence<Token>
 type Ast Tree<AbstractNode>
 
 fn parse(ts: TokenStream): Ast { . . . }
@@ -519,7 +518,7 @@ Types #, &, and @. These are immutable reference, mutable reference, and dereference, respectively. Some examples of referencing/dereferencing values:

-
var a <- "core dumped";
+
var a <- "core dumped";
 var b <- &a;                                       // b is a mutable reference to a
                                                  
 assert(a == @b);                                  
@@ -540,7 +539,7 @@ assert(@@c == a);
 references.

The reference operators may be prepended to any type, T, to describe the type of a reference to a value of type T, e.g.

-
fn set_through(ref: &string) {  // this function takes a mutable reference to a string and returns `()`
+
fn set_through(ref: &string) {  // this function takes a mutable reference to a string and returns `()`
     @ref <- "goodbye";
 }
 
diff --git a/html/recipes/EasySalsa.pdf b/acl.cool/site/assets/EasySalsa.pdf.draft
similarity index 100%
rename from html/recipes/EasySalsa.pdf
rename to acl.cool/site/assets/EasySalsa.pdf.draft
diff --git a/acl.cool/site/assets/favicon.png b/acl.cool/site/assets/favicon.png
new file mode 100755
index 0000000..76ab87a
Binary files /dev/null and b/acl.cool/site/assets/favicon.png differ
diff --git a/acl.cool/site/assets/fonts b/acl.cool/site/assets/fonts
new file mode 120000
index 0000000..26aa9d4
--- /dev/null
+++ b/acl.cool/site/assets/fonts
@@ -0,0 +1 @@
+../../../fonts
\ No newline at end of file
diff --git a/html/cats.ml b/acl.cool/site/cats.ml
similarity index 100%
rename from html/cats.ml
rename to acl.cool/site/cats.ml
diff --git a/html/cats.ml.txt b/acl.cool/site/cats.ml.txt
similarity index 100%
rename from html/cats.ml.txt
rename to acl.cool/site/cats.ml.txt
diff --git a/acl.cool/site/css b/acl.cool/site/css
new file mode 120000
index 0000000..8e8b6d0
--- /dev/null
+++ b/acl.cool/site/css
@@ -0,0 +1 @@
+../../css
\ No newline at end of file
diff --git a/acl.cool/site/css-sample.dj b/acl.cool/site/css-sample.dj
new file mode 100644
index 0000000..f426add
--- /dev/null
+++ b/acl.cool/site/css-sample.dj
@@ -0,0 +1,56 @@
+# Evaluate This Style.
+
+Abraham Lincoln delivered the Gettysburg Address in 1863 at the dedication of Soldiers' National Cemetery.
+
+> Four score and seven years ago our fathers brought forth on this continent, a new nation, conceived in Liberty, and dedicated to the proposition that all men are created equal.
+>
+> Now we are engaged in a great civil war, testing whether that nation, or any nation so conceived and so dedicated, can long endure. We are met on a great battle-field of that war. We have come to dedicate a portion of that field, as a final resting place for those who here gave their lives that that nation might live. It is altogether fitting and proper that we should do this.
+>
+> But, in a larger sense, we can not dedicate --- we can not consecrate --- we can not hallow --- this ground. The brave men, living and dead, who struggled here, have consecrated it, far above our poor power to add or detract. The world will little note, nor long remember what we say here, but it can never forget what they did here. It is for us the living, rather, to be dedicated here to the unfinished work which they who fought here have thus far so nobly advanced. It is rather for us to be here dedicated to the great task remaining before us --- that from these honored dead we take increased devotion to that cause for which they gave the last full measure of devotion --- that we here highly resolve that these dead shall not have died in vain --- that this nation, under God, shall have a new birth of freedom --- and that government of the people, by the people, for the people, shall not perish from the earth.
+
+## Djot Syntax
+
+We can set block quotes like the above by prefixing each line (including blank ones) with `> `. This is _essentially_ a port from [commonmark](https://commonmark.org/), though as usual, [djot](https://djot.net/) makes minor changes for simplicity and consistency.
+
+> .o'i mu xagji sofybakni cu zvati le purdi
+
+*Caution.* Five hungry Soviet cows are in the garden.
+
+```lean4
+def map' {α β : Type} (f : α → β) : List α → List β
+  | [] => []
+  | x :: xs => f x :: map' f xs
+
+theorem fuse {α β γ} : ∀ (xs : List α) (f : α → β) (g : β → γ),
+  (map' g ∘ map' f) xs = map' (g ∘ f) xs := by
+  intro xs f g
+  induction xs
+  . simp [map']
+  . rename_i _ _ IH
+    simp [map', ←IH, Function.comp]
+```
+
+A simple proof of fusion for `List.map` in Lean 4. This and similar theorems are why pure languages like Lean and Haskell can transform e.g. `map f xs |> map g xs` into `map (fun x -> g (f x)) xs`, i.e. `map g . map f` into `map (g . f)`, reducing the number of times a structure must be iterated and thus improving spatial locality.
+
+The above block is set with ```` ``` ```` above and below the code. Interestingly, trying to type that little backtick sequence there is a little unintuitive in markdown/djot. If the code you're trying to set has $`n` consecutive backticks in it, you have to surround it with $`n+1` backticks and pad those delimiters inside with a space. 1234567890 is a pretty small number, really.
+
+{.thematic}
+***
+
+There are ten books in Iain M. Banks' _Culture_ series, possibly the greatest cohesive science-fiction series of all time. Banks' prose and poetry leaves little to be desired.
+
+1. Consider Phlebas
+2. The Player of Games
+3. The State of the Art
+4. Use of Weapons
+5. Excession
+6. Inversions
+7. Look to Windward
+8. Matter
+9. Surface Detail
+10. The Hydrogen Sonata
+
+Math is something I'm still working on; in more ways than one. Something like $$`\forall x \in \mathbb{N}, x \in \mathbb{N}` is easy enough, but other things are harder.
+Not everyone knows what distfix grammars[^mixfix] are, but they're quite useful when it comes to implementing user-defined syntax.
+
+[^mixfix]: Also, perhaps more commonly, called "mixfix" grammars.
\ No newline at end of file
diff --git a/html/culture.dot.png b/acl.cool/site/culture.dot.png
similarity index 100%
rename from html/culture.dot.png
rename to acl.cool/site/culture.dot.png
diff --git a/html/culture.dot.svg b/acl.cool/site/culture.dot.svg
similarity index 100%
rename from html/culture.dot.svg
rename to acl.cool/site/culture.dot.svg
diff --git a/html/culture.dot.txt b/acl.cool/site/culture.dot.txt
similarity index 100%
rename from html/culture.dot.txt
rename to acl.cool/site/culture.dot.txt
diff --git a/acl.cool/site/draft/assam.dj b/acl.cool/site/draft/assam.dj
new file mode 100644
index 0000000..1021016
--- /dev/null
+++ b/acl.cool/site/draft/assam.dj
@@ -0,0 +1,17 @@
+# Algorithm ℳ
+
+During the implementation of my library "Aasam", based on the paper "Precedences in specifications and implementations of programming languages" by Annika Aasa, was the first time I fully read and understood an academic CS paper. It's a nice algorithm, and worth revisiting.
+
+If you want to look at the implementation ahead-of-time, [Hackage](https://hackage.haskell.org/package/aasam) has got you covered. Frankly though, just keep reading; it was also the first time I wrote a Haskell program, and the code not terribly penetrable.
+
+## Distfix Grammars
+
+_Distfix grammars and notation are more commonly referred to as "mixfix", but the paper calls them "distfix" and that's what I'm sticking with._
+
+The idea of distfix grammars is to provide a formalism for manipulating user-defined operators. The formalism is weaker than that of context-free grammars--- CFGs can describe far more languages then DFGs--- but it is because of this weakness that we can reason about DFGs with relative ease.
+
+Let's look at a definition.
+
+*STUFF HERE*
+
+As we can see, ...
\ No newline at end of file
diff --git a/acl.cool/site/draft/derive-appfun.dj b/acl.cool/site/draft/derive-appfun.dj
new file mode 100644
index 0000000..617e0bb
--- /dev/null
+++ b/acl.cool/site/draft/derive-appfun.dj
@@ -0,0 +1,110 @@
+# Functors and Applicatives, Gratis[^falsehood]
+
+It's usually possible to derive implementations of general structures from those of more specific ones; here, `Applicative` from `Monad` and `Functor` from `Applicative`. This is how to do it, and why not to.
+
+```ocaml
+module type Monad = sig
+  type 'a t
+  val return : 'a -> 'a t
+  val bind : ('a -> 'b t) -> 'a t -> 'b t
+end
+
+module type Applicative = sig
+  type 'a t
+  val pure : 'a -> 'a t
+  val apply : ('a -> 'b) t -> 'a t -> 'b t
+end
+
+module type Functor = sig
+  type 'a t
+  val map : ('a -> 'b) -> 'a t -> 'b t
+end
+```
+
+Above, we have the usual OCaml signatures for functors[^other-functor], applicative functors, and monads respectively. The only thing of note is that I've written the functions in pipe-last[^pipe-last] style. It's more common to see pipe-first style, which agrees with the usual infix operators, but I don't see any of those around to get offended; do you?
+
+```ocaml
+module ApplicativeOfMonad (M : Monad) :
+  Applicative with type 'a t = 'a M.t = struct
+  type 'a t = 'a M.t
+  let pure = M.return
+  let apply f x = M.(bind (fun y -> bind (fun g -> return (g y)) f) x)
+end
+
+module FunctorOfApplicative (A : Applicative) :
+  Functor with type 'a t = 'a A.t = struct
+  type 'a t = 'a A.t
+  let map f x = A.(apply (pure f) x)
+end
+
+module FunctorOfMonad (M : Monad) :
+  Functor with type 'a t = 'a M.t = struct
+  include FunctorOfApplicative(ApplicativeOfMonad(M))
+end
+```
+
+Each of these functors accepts an instance of a less general structure and uses only the elements that module provides to implement an instance of the more general structure. `FunctorOfMonad` is boring, being just the composition of the others, but those themselves are somewhat more interesting. Looking at the implementation of `map` in terms of `pure` and `apply`, we can see that we have the function `f` put into an empty context and then applied to `x`. Since we can't know more about the particular applicative functor given, this is the only way to obtain a new instance of its backing type `('a -> 'b) t`, so there aren't any real options here in the way of implementation[^unique-functor]. Still, the meaning in terms of monads and/or effects is worth contemplating; applicatives tell us what application looks like in a context while monads do the same for composition[^makes-sense].
+
+The more involved implementation in `ApplicativeOfMonad` is where we get some options in terms of implementation and also, not unrelatedly, where our problems arise. Because it turns out that there are multiple ways to implement the derivation functor--- also multiple ways to implement a particular monad or applicative--- it becomes hard to predict whether a derived implementation is the expected one without resorting to _ad hoc_ testing, testing that rather defeats the point of "gratis"[^low-effort]. The `apply` function, shown above, is derived from `bind` and `return` by threading `x` and `f` into the context through bind (as `y` and `g`, respectively), thus "stripping off" the context in the body of the lambda, then applying `g` to `y` to obtain a fresh `'b`, and finally passing that `'b` to `M.return`, thus producing a `'b M.t`, which of course is also an `'a t`, since `type 'a t = 'a M.t`[^with-type].
+
+To explore concretely how deriving instances can go wrong, consider the following `EitherMonad`.
+
+```ocaml
+type ('a, 'b) either = A of 'a | B of 'b
+
+module EitherMonad (T : sig type t end) : Monad with type 'a t = ('a, T.t) either = struct
+  return x = [x]
+  let rec bind (f : 'a -> 'b list) : 'a list -> 'b list = function
+    | [] -> []
+    | x :: xs -> f x @ bind f xs
+end
+```
+
+This has the following derived `Applicative`.
+
+```ocaml
+derived app for bar monad
+```
+
+And then, here's a lawful[^legis] implementation of `Applicative` for `bar` which is _not_ the one produced by `ApplicativeOfMonad (BarMonad)`.
+
+```ocaml
+lawful other bar
+```
+
+Just to be sure, let's check that this new instance satisfies the required properties, i.e. that
+
+1. `apply (pure Fun.id) x`                          = `x`
+1. `apply (apply (apply (pure Fun.compose) f) g) x` = `apply f (apply g x)`
+1. `apply (pure f) (pure x)`                        = `pure (f x)`
+1. `apply f (pure x)`                               = `apply (pure (fun g -> g x)) f`
+
+for `BarApplicative'` just as for `ApplicativeOfMonad (BarMonad)`.
+
+{% these are identity, composition, homomorphism, and interchange %}
+
+Monads have their own laws of course, but while a lawful monad is guaranteed to entail a lawful applicative, as we can see, it isn't guaranteed to produce the _desired_ applicative when given as input to a particular derivation functor. The alternate definition above may or may not be a useful one, but the point is that the arbitrary nature of what applicative implementation is considered "correct"[^correct] means you don't `per se` get the applicative you want when deriving an instance; rather, you get the version that accords with the monad, which is _probably_ what you want, but perhaps not. The nice thing about OCaml here, as opposed to Haskell with its typeclasses, is that there's no barrier to having multiple implementation of the `Applicative` signature, so it's easy to implement a different instance without ambiguity. Furthermore, because `ApplicativeOfMonad` operates on a generic applicative and thus cannot make use of any peculiar structure in its argument, even a result that does behave as desired may be less performant in code than a decent handwritten version--- compare such implementations for *FooMonad*.
+
+```ocaml
+foo monad stuff
+```
+
+[^with-type]: In regards to the `with type = ...` syntax, there is a subtlety of the OCaml module system that if a module is defined with a particular `module type` (a.k.a. signature) attached--- for example, `module M : S = struct ...`--- all the types that are abstract in the signature `S` will _also_ be abstract in the module `M` itself. This means that the compiler can't see or be convinced that for some `F (M)` with `type t = M.t` in `F`, `M.t` and `(F (M)).t` are equal, because both types are abstract, i.e. the underlying type is not available. To fix this, we can explicitly expose the equality by using the `with type` construct. In the above example, `Functor with type 'a t = 'a M.t` exposes the equality of `'a t` and `'a M.t`, so that functions defined as expecting arguments of `'a t` can accept `'a M.t`, and _vice versa_, etc.
+
+[^falsehood]: Unsurprisingly, that's a lie. Isn't it always? You have to buy a monad first.
+
+[^1ml]: See [1ML](https://people.mpi-sws.org/~rossberg/1ml/1ml-jfp-draft.pdf) for an OCaml-like language without this stratification.
+
+[^pipe-last]: This idea is that to harmonize with OCaml's automatic currying, parameters to which a function is more likely to be "partially applied" should be earlier in its parameter list. This cuts down on syntactic noise; particularly, pipes which apply to the _last_ argument (see?) don't require shuffling-about of the parameter order, e.g. `xs |> List.map f` rather than `xs |> (fun xs -> List.map xs f)`. Jane Street will tell you that [labels](https://ocaml.org/docs/labels) can [address](https://opensource.janestreet.com/base/) the issue best, but to my eyes, `:` and `~` were never meant to spend so much time that close to one another.
+
+[^makes-sense]: It makes sense then, that having a monad nets you an applicative functor--- how can one talk about composition without having application first, which is needed to consider function-like objects at all?
+
+[^other-functor]: A functor, in OCaml parlance, is distinct from anything called a "functor" elsewhere, being essentially a function from modules to modules. This can indeed become confusing. For practical reasons, modules and value-level programs are stratified from one another in OCaml, so a functor does not literally have a function type, but to think of them that way is still basically correct. See [1ML](https://people.mpi-sws.org/~rossberg/1ml/1ml-jfp-draft.pdf) if interested in an OCaml-like language without such a stratification.
+
+[^low-effort]: On the other hand, the derivations here can usually be performed rather mechanically, with little insight, by following the types in much the same way one might mechanically infer a direct proof in sentential logic, making them fairly low-effort and so still possibly not a waste of time.
+
+[^correct]: Assuming, of course, that you admit some definition of correct as roughly "making sense in context" or "being broadly useful".
+
+[^legis]: There are [laws about these sorts of things](https://hackage.haskell.org/package/base-4.14.1.0/docs/Control-Applicative.html), you know.
+
+[^unique-functor]: This is true is a [precise sense](https://mail.haskell.org/pipermail/libraries/2011-February/015964.html).
\ No newline at end of file
diff --git a/acl.cool/site/draft/misc.dj b/acl.cool/site/draft/misc.dj
new file mode 100644
index 0000000..7080672
--- /dev/null
+++ b/acl.cool/site/draft/misc.dj
@@ -0,0 +1 @@
+- Good Eats, Chocolate Lava Cake and Chocolate Mousse episode: great style; plenty of references
\ No newline at end of file
diff --git a/acl.cool/site/draft/nomad.dj b/acl.cool/site/draft/nomad.dj
new file mode 100644
index 0000000..fe24358
--- /dev/null
+++ b/acl.cool/site/draft/nomad.dj
@@ -0,0 +1,111 @@
+# A Monad in OCaml
+
+It's an old tradition that any programmer who thinks they know something useful about monads eventually succumbs to the temptation to go off and write a blog post about their revelations . . .
+
+_Anyway_ . . .
+
+Lets take a look at a `Monad` definition in OCaml and walk through the clues that suggest a monad's implementation.
+
+In OCaml, abstract structures such as monads are typically best represented using [modules](https://www.pathsensitive.com/2023/03/modules-matter-most-for-masses.html). A module is essentially a record, containing types and terms, along with a manifest or interface that allows a programmer to selectively expose information about that module to the outside world and, dually, to selectively depend on particular characteristics of other modules. Modules provide programmers the machinery of composition and reuse and are the primary mechanism by which OCaml code is structured, neatly capturing the notion of a program abstraction boundary.
+
+```ocaml
+module type Monad = sig
+  type 'a t
+  val return : 'a -> 'a t
+  val bind : ('a -> 'b t) -> 'a t -> 'b t
+end
+```
+
+Above is a module _signature_. Signatures themselves can be thought of as relating to modules in much the same way that types relate to values (hence `module type` in the syntax): each one defines the set of all possible modules that comply with the structure it describes. In this case, we give the name "`Monad`" to the set of modules exposing _at least_ a type constructor `'a t`[^alpha], a function `return : 'a -> 'a t`, and a function `bind : ('a -> 'b t) -> 'a t -> 'b t`. Abstractly, these three items together are what constitute a monad.
+
+It's helpful to think about what each item means in general before examining them in more concrete terms. `t` is a function from types to types, also known as a type constructor, or a "generic type"[^not-quite] in some languages. `list` and `option` both are examples of type constructors. The presence of `t` in our `Monad` signature--- specifically the fact that it's parametric, i.e. `'a t` rather than just `t`--- represents the idea that a monad is essentially a _context_ around underlying computations of an abstract type. For some particular `'a` and some particular module that fits the `Monad` signature above, `'a` is the type of the underlying computation; that is, `t` is the generic context itself, and `'a t` is an instance of that generic context which is specific to the inner type `'a`; `'a t` is the type of alphas in the `t` sort of context.
+
+Hopefully, something in that bundle of phrasings made at least a little bit of sense--- what exactly is meant by "context" is the key to this whole endeavor, but I'm going to avoid addressing it directly until we're a little further along. For now, let's consider `return`.
+
+If `t` is the generic context, then `return` is the function that makes it specific or "specializes" it to the type `'a` of some particular value `x : 'a`. This function takes an object[^object] of the base type `'a` and puts it into the context of `t`. The specialized context of the resulting `'a t` value will be in some sense basic, empty, default, null; it is the starting-point context that exists just to have `x` in it, so that computations involving `x` can take place in that sort of context later on.
+
+```ocaml
+module ListMonad = struct
+  type 'a t = 'a list
+  let return : 'a -> 'a t = fun x -> [x]
+  . . .
+end
+```
+
+Since `t` here is `list`, `return` is the function that takes an argument and sticks it into a list, i.e. `fun x -> [x]`. As you might guess, `list` forms a monad when equipped with suitable definitions of `return` and `bind` (the latter of which is omitted for now). The meaning of `list` as a monad--- that is, the context that `list` and its natural accompanying definitions of `bind` and `return` represent--- is interesting, broadly useful, and sufficiently non-obvious as to demand some intuition, so I'll use it as a running example.
+
+In its most natural interpretation, `list` represents--- or simulates[^physical]--- the property of [nondeterminism](https://en.wikipedia.org/wiki/Nondeterministic_Turing_machine), which is characteristic of a computational model in which all possible paths are taken _simultaneously_. A value of type `'a list` thus represents all possible results of a particular computation of type `'a`, with each result being a list element. Considered in this light, `[x]` is a value where only one path is taken, i.e. where no branches in execution are encountered. Examining the code above, notice how the implementation of `return` inherently gives rise to the "no branches" notion of the empty context, which is embedded in it by definition. That notion, that the null context means there are no branches, is specific to nondeterminism, and `return` is what encodes it into the formal structure of the `ListMonad` module.
+
+Finally, we move on to `bind`. `bind` is the driving force of monads; it performs the heavy lifting that makes them a useful tool for structuring algorithms. An implementation of `bind` is what captures the meaning of a particular sort of context and contextual data by encoding it into a `Monad` instance. Thus, it is `bind` _abstractly_, as it appears in the definition of the `Monad` signature, that captures what is meant by "context" in general. A context should thusly be thought of as some computation that is driven by--- and gives additional structure to--- the underlying computation in `'a`. In other words, every time a program manipulates an `'a t`, some additional, implicit computation is carried out alongside, or possibly modifying, that direct interaction with the context or data therein. This implicit computation is embedded in the implementation of `bind`, and, thus, it is the `bind` function for a type constructor that fundamentally determines what is the context in question, what that context _means_ informally, and how it behaves.
+
+```ocaml
+module ListMonad = struct
+  type 'a t = 'a list
+  let return x = [x]
+  let rec bind (f : 'a -> 'b list) (xs : 'a list) : 'b list =
+    match xs with
+    | [] -> []
+    | x :: xs' -> f x @ bind f xs'
+end
+```
+
+Above is the completed definition of `ListMonad`, including `bind`. A good way to think about what any implementation of bind is doing at a high level is that it
+
+1. extracts the value of the underlying type `'a` from `xs`,
+1. transforms it _via_ `f`, producing some `'b` value with its own associated context, and
+1. uses that new context, along with the original context of `xs`, to determine the final context of the returned `'b t`.
+
+The "value of the underlying type" may be literally a single value of type `'a`, but it needn't be. In `ListMonad.bind`, above, we are actually extracting a whole list's worth of alphas, applying `f` to them as we recurse over the list structure--- these constitute the "underlying value" of the `'a list` `xs`. To understand how this plays out concretely, let's walk through the definition `ListMonad.bind`.
+
+If `xs` is empty, `bind` returns the empty list; this is the usual base case for recursion on lists. If `xs` is not empty, we have an inductive case; it is safe to
+
+1. take the first element `x` and the remaining elements `xs'`,
+1. apply `f` to `x` to obtain a new `'b list`,
+1. append the result of `f x` to the recursive call `bind f xs'`.
+
+We know that the `bind` function returns a `'b list`, so we're appending the `'b list` `f x` to  the `'b list` `bind f xs'`, thus obtaining a new `'b list` that we return the caller.
+
+Pay careful attention to the parallels here with the high-level steps outlined previously. It may seem at first that we don't use the original context, but we do! We recurse over the context, i.e. the list structure of the `'a list` `xs`; it determines the call graph of `bind` and is integral to the final result of the function.
+
+```ocaml
+let sqrt (x : float) =
+  if x < 0 then invalid_arg "negatives have no sqrt" else
+  if x = 0 then [0] else
+  let pos_root = Float.sqrt x in [pos_root; ~-.pos_root]
+
+let various_floats = [1.0; 4.0; 9.0]
+
+let together : float ListMonad.t = ListMonad.bind sqrt various_floats
+```
+
+Here's an example of the monad in action. `together` is `[1.0; -1.0] @ [2.0; -2.0] @ [3.0; -3.0]`, which of course is `[1.0; -1.0; 2.0; -2.0; 3.0; -3.0]`. In this case, we used the taking-all-branches nature of the list monad to compute all the square roots of the numbers in the provided list. If taking the square-root is considered to be an ambiguous operation[^i-know], then *yada yada*. This monad is often used to run operations that have some ambiguous result, to capture the idea that multiple possible return values are valid, e.g. "the square root of four" can be considered ambiguous, since both 2^2^ and (-2)^2^ are 4. Another example of this can be found in parsing with ambiguous grammars. Parser combinator libraries often make it easy to define ambiguous-on-the-face parsers and resolve the ambiguity through some convention, but perhaps 
+
+looks like multiple return with only one in the chain, but the sequencing is what gives us nondeterminism; multiple return doesn't chain the same. To do this without a monad we'd need to do
+
+```ocaml
+bad shit
+```
+
+The list monad allows us to write non-deterministic code in much the same style as we would write fundamentally simpler deterministic code, albeit with substantial boilerplate. We can reduce this boilerplate by making use of OCaml's `let*` [binding operators](https://ocaml.org/manual/5.3/bindingops.html#ss:letops-rationale)[^haskocaml].
+
+```ocaml
+insert code using binding operators
+```
+
+***
+
+[^physical]: Of course, we say that `list` _simulates_ nondeterminism for the same reason that we say physical computers simulate Turing machines: both are constrained by the resource limitations of physical reality and thus less capable than the theoretical devices they seem to emulate.
+
+[^alpha]: Pronounced "alpha tee".
+
+[^object]: "Object" in the general sense; nothing to do with object-orientation or kin.
+
+TODO: be explicit about how monads exist independently and we are _capturing_ them in the particular language of ocaml. `list` forms a monad whether we actually implement that monad, or not
+
+[^action-std]: This gives rise to a standard term. See [Monads as Computations](https://wiki.haskell.org/Monads_as_computation).
+
+[^not-quite]: These are not exactly the same, but the similarity is more important than the difference.
+
+[^haskocaml]: Haskell and Lean lack binding operators and instead use [Typeclasses](https://www.haskell.org/tutorial/classes.html) and an infix operator `>>=` for this boilerplate reduction. OCaml, in turn, lacks typeclasses (or the more likely equivalent feature, [modular implicits](https://www.cl.cam.ac.uk/~jdy22/papers/modular-implicits.pdf)).
+
+[^i-know]: Whether taking the square root of a number _is_ considered to be ambiguous tends to be regional. In some regions, only to the positive root is referred to, by convention.
diff --git a/acl.cool/site/draft/umbral1.dj b/acl.cool/site/draft/umbral1.dj
new file mode 100644
index 0000000..26abb7e
--- /dev/null
+++ b/acl.cool/site/draft/umbral1.dj
@@ -0,0 +1,62 @@
+# Umbral Gaze 1
+
+Two years have passed since our intrepid adventurers fought and defeated a hydra near Venron in what villagers now call "the hydra incident". In other parts of Faerûn, those less in-the-know refer to the battle as "that thing at M. Pteey Lake".
+
+As they stand together now, summoned by supreme authority to a high-curtained forecourt under the mild Waterhavian sun, party members speculate about their situation and watch as shadows cast by serried wall-top grotesques slide unremittingly across the flagstones. Jaggedly sculpted profiles grow long and pointed in the golden hour, a hundred umbral fingers that stretch over our heroes to scrabble at the stonework and prank the quadrangle in narrow slats of shade. At one end, a pair of doors blocks the entrance of the mansion to which the courtyard belongs; at the other, iron gates fill an archway that leads to the road.
+
+In spite of the shared wealth of knowledge and experience between them, no adventurer can say what has ultimately brought about this happy reunion, only they attend a summons from Laeral Silverhand[^laeral], Open Lord of Waterdeep, whom it would be unwise to disappoint. Their conversation is still worthwhile--- all are glad to see one-another again and to share a few brief stories of where they've been and what they've been doing since that fated day two years ago.
+
+Warren[^warren] looks much as his companions remember, powerful and rotund as the day they parted. He opened a business a while back, crafting and trading in high-end cutlery, and has taken up residence within a nearby mid-sized town, to which customers are drawn from all over Faerûn by the fine workmanship of his forks, knives, and spoons. He carries several examples of that handiwork with him now, secured by loops and pouches all about his person. As the harengon talks, he reveals a few interesting details of his past, including that he was raised underground among the dwarves!
+
+Eyes turn to Clementine[^clementine], who is dressed in the crisp uniform of an officer of the city guard--- one heavily altered to accommodate her equine anatomy. Clementine' rank is clear, but no insignia advertizes an allegiance to any house or party: a rare independence for a person of standing in Waterdeep. The discharge of her guardly duties has allowed the her to amass considerable knowledge of the city's criminal and/or political institutions, but even that intimate familiarity fails to yield clues about the situation. Like Warren, Clementine's person is largely unchanged by the intervening years, save for a new and conspicuously superior longbow at her back.
+
+Constitutionally peaceful cleric Almuth Cheerio[^almuth] sits pensively, forgoing his vestments today in favor of well-worn leather armor. The servant of Eldath is prepared for the possibility that their forthcoming task involves inescapable violence--- he has arrived with steel in his heart; whatever the matter, he will do the will of his goddess without hesitation. His gaze radiates self assurance and wisdom of a new profundity.
+
+Gottlob Graal[^gottlob] leans casually against the door, a cloak of pale twill hanging evenly on his broad shoulders. The richness of its fabric and precision of its stitch give some hint at the success the satyr has found since his immigration to Waterdeep twenty months earlier. As he found his place in the city, happenstance led Gottlob to join the Unblinking Patrol, a tiny, quasi-religious order dedicated to protecting this Waterhavian slice of Coast from unnatural incursion. There, he learned the real business of the Watchers and advanced his abilities with rapidity that startled even him. Though proud of his achievements, the satyr feels conflicted: as he and the order grow in renown, will his pursuers, too, take notice?
+
+{% "ambles" %}
+
+Carmal Rumbar[^carmal] exchanges idle words as he looks about the courtyard. Behind him hangs a bulging traveler's pack, stuffed to its limit with unseen pounds of equipment, a large, polished button securing a flap over its opening. The actor shares little of his recent escapades, preferring to listen to those of the others: the fundaments of stories yet unwritten.
+
+As the party counts heads, they notice that one of their number is missing: the wizard, Louisa Whitlock[^louisa]. Sensing an immense challenge ahead of them, the present members are hopeful that no ill-fortune has befallen her. Louisa will be around as soon as she can, no doubt; probably she was waylaid reassuring some hapless farmer that talking animals are _not_ on the rise and that he needn't worry about his pigs planning a revolt any time soon.
+
+Before long, a guard emerges from the heavy double doors, holding one open with his gauntleted hand and stating politely that their presence is requested inside. Taking up the rear, he sets a brisk pace down a long and richly decorated hallway. On the walls hang paintings of otherworldly scenes--- some of which Gottlob recognizes as belonging to other planes--- and scores of magical artifacts beyond a mean treasure hunter's wildest dreams. As the party comes to yet another set of doors, silver-inlaid slabs of oak that reach up to the ceiling, a second guard swings them open and ushers our heroes through.
+
+With trepidation, they glance around the war-room before them. Gottlob and Clementine, Waterhavians of the group, recognize Laeral Silverhand, child of Mystra and Lord of Waterdeep, as she reposes on a shallow dais at the end of a long, low table in the center of the chamber. Her white robes and silver hair conspire in a stately cascade to convey the momentary impression of a calcite-hewn portrait gilded with a thousand-thousand pearls. Dozens of officials and functionaries fill rows of seats toward the periphery or the room, each behind their own small desk, and only as Lord Silverhand gestures to the newly-arrived party do they stymie the frenzy of their conversations. Silverhand addresses its members, inviting them to approach her grand table. They bow deeply, and she proceeds to explain the situation that constitutes the ultimate reason for their presence.
+
+{% This supposedly happened "within the last month". %}
+> I have received troubling reports of an otherworldly incursion in the Sword Coast's northern peak--- eyewitnesses verify what I am about to tell you. The region has undergone a planar fissure, a tear in the fabric that separates one aspect of reality from the next. By great fortune, a powerful wizard was able to patch the hole, but not quickly enough to contain everything. My intelligence has determined that _nine_ beholders slipped into our realm before the fissure was closed and have since scatted themselves to the far reaches of Toril. Each is wreaking something between havoc and irritation as we speak.
+
+The Open Lord goes on to divulge details of the incursion, prompting Almuth--- who was summoned for his expertise on beholders--- to elucidate the species for his companions. He describes beholders' conventional behaviors and motivations, explaining their cunning paranoia, supreme arrogance, and their origin in the Far Realms, being descended from a deity that beholder-kind calls the "Great Mother". Producing an image, he goes on to detail the monsters' abilities: they project a cone a magic suppression from a single central eye and rays of devastating magical power from the eye stalks that surround it. Though capable melee fighters, beholders usually prefer to float just beyond the range of attackers' primitive physical weapons, raining curses and death on their playthings from above.
+
+As Almuth concludes his lesson and his answers to succeeding questions, Lord Silverhand makes the adventurers' task clear: they will vanquish the invaders, or they will die in their attempt. As skepticism permeates the group, Laeral reveals the attendance of two consultants, each of whom has agreed to provide whatever assistance they can. As if on queue, a lurid vortex fills the space beside her and a raven-haired woman[^tasha], dressed to match, materializes in a rush of air with a crack like a gods's tankard, fumbled from the table of heaven, striking earth a mile off.
+
+She is introduced as "Tasha", but needs no introduction. It was she who sealed the planar fissure and tracked several of the nine beholders to their current locations. The demonologist and renowned planeswalker volunteers to serve as transportation for the party, shuttling them through dimensions to far flung corners of Toril unreachable by non-magical means. Unfortunately, this will the the extent of her help, as other, more pressing issues demand the bulk of her attention elsewhere.
+
+Concurrently, Laeral's hands intricately over the table, tracing an inscrutable pattern across its top. A ten-pound sphere of hazy crystal deploys from the great slab's center and comes to rest on a dark, squat, satin-lined plinth. As Tasha finishes speaking, Laeral continues her spell, and smaller spheres, set into the walls of the room, float upward, issuing a limpid glow in solidarity with the overextended lamplight of the chamber's recesses. A voice like sand and broken glass emanates from the central ball as it too glows and the second consultant makes himself heard.
+
+> Oh, Great Xanathar!
+
+{.thematic}
+***
+
+Under the light of the scimitar moon that slips coolly through blinds and around shutters drawn only half-shut, our heroes slumber in rented beds, paid for with municipal coin. While some toss in excitement, thrilled by dreams of the dawn's adventures, others are serene in their anticipation. Amidst the clamor of clocks across Waterdeep that chime the midnight hour, the party is whisked by unanswerable magics through a chasm of scintillating vapors and deposited, standing under their own powers, upon a roundel of charoite in a muddle of lilac effervescence. Each is unsettled to see the others in their dreams so suddenly and in so strange a setting, but before any can ask the question on their lips, Tasha reappears in a heady turbulence of bubbles, preempting them all.
+
+She explains her reasons; the renowned planes-traveler provides an alternative to the Open Lord's path of violence. If the party is willing to attempt to reason with the beholders they encounter on their quest, learning their motives, relating to them, and guiding them away from evil, she is willing in turn to compensate them most handsomely for their efforts. The irregular behaviors of the beholders loosed into the realms hint at irregular temperaments, and if there is a chance to align new such powerful creatures with the light, it must be seized with all tenacity and ardor.
+
+
+[^warren]: Harengon Forge Cleric (10) of Moradin
+
+[^clementine]: Centaur Fey Wanderer Ranger (10)
+
+[^almuth]: Human Peace Cleric (10) of Eldath
+
+[^gottlob]: Satyr Paladin (10) of the Watchers
+
+[^carmal]: Human Bard (10) of the [College of Masks](https://www.dandwiki.com/wiki/College_of_Masks_%285e_Subclass%29)
+
+[^louisa]: Human (llama) Wizard (10) of the Scribes' Order
+
+[^laeral]: Immortal Chosen of the goddess Mystra, Laeral Silverhand is a wizard of untold beauty and power who has been the public face of Waterdeep's elites for decades; she will no doubt continue to rule for centuries more.
+
+[^tasha]: You already know who [Iggwilv](https://forgottenrealms.fandom.com/wiki/Iggwilv) is.
\ No newline at end of file
diff --git a/acl.cool/site/inclusions/footer.html b/acl.cool/site/inclusions/footer.html
new file mode 120000
index 0000000..8632a08
--- /dev/null
+++ b/acl.cool/site/inclusions/footer.html
@@ -0,0 +1 @@
+../../../inclusions/footer.html
\ No newline at end of file
diff --git a/acl.cool/site/index.html b/acl.cool/site/index.html
new file mode 100644
index 0000000..e67a184
--- /dev/null
+++ b/acl.cool/site/index.html
@@ -0,0 +1,10 @@
+

+ acl.cool +

+ +
+

Welcome! Below are links to things I've made or just enjoy.

+ + \ No newline at end of file diff --git a/html/msvcr110.dll b/acl.cool/site/msvcr110.dll similarity index 100% rename from html/msvcr110.dll rename to acl.cool/site/msvcr110.dll diff --git a/acl.cool/site/resume.pdf b/acl.cool/site/resume.pdf new file mode 100755 index 0000000..df6f35f Binary files /dev/null and b/acl.cool/site/resume.pdf differ diff --git a/acl.cool/site/resume.typ.txt b/acl.cool/site/resume.typ.txt new file mode 100755 index 0000000..578a3a6 --- /dev/null +++ b/acl.cool/site/resume.typ.txt @@ -0,0 +1,112 @@ +#let fontsize = 10.2pt +#let typeface_text = "Fira Sans" +#let typeface_math = "STIX Two Math" + +#set text(font: typeface_text, size: fontsize) +#show math.equation: set text(font: typeface_math, size: fontsize) + +#let inlineFrac(a, b) = [$#super([#a]) #h(-1pt) slash #h(-1pt) #sub([#b])$] + +#set smartquote(enabled: false) + +#show heading: q => { + if q.depth != 1 { + v(fontsize / 5) + } + text(q, weight: "bold") + if q.depth == 2 { + v(-0.7em) + line(length: 100%, stroke: (thickness: 0.7pt)) + v(0.5em) + } +} + +#let head = { + align(center)[ + = Alexander Lucas + #set text(font: "Fira Code") + #text([alexander.clay.lucas\@gmail.com], size: fontsize * 0.9) + #linebreak() + #text([(+1) 347-644-9265], size: fontsize * 0.8) + ] +} + +#set page(margin: (x: 0.9in, y: 0.35in)) + +#head + +== Summary +I am a computer science enthusiast with an inclination for harnessing computer science +theory to tackle practical challenges as cleanly as possible. I believe strongly in the +importance of codebase health and quality, maintaining those values over time as programs and projects evolve. + +== Skills +#let skills = [ + *Languages*: Javascript/Typescript, Java, Python, Rust, Haskell, OCaml, F\#, Ruby, C\#, C, C++, Lean 4, HTML/CSS, LaTeX, Typst + #linebreak() + *Platforms*: Ten years using GNU/Linux including Debian and Redhat, QEMU, Google Cloud + #linebreak() + *Technologies*: Buildroot, WebGL, Numpy/Pytorch/Sklearn, Matplotlib, Git, Gitlab/Github, PostgreSQL, Node, Slurm + #linebreak() + *Soft Skills*: Technical Writing, Software Documentation, Presentation +] + +#skills + +#let interline() = { + box(width: 1fr, inset: fontsize / 4, line(length: 100%, stroke: (thickness: fontsize / 10, dash: "loosely-dotted"))) +} + +== Experience +#let experience = [ + *Embedded Software Engineer, Jr.* #interline() #text(weight: "semibold")[Trusted Microelectronics, KBR, 01/2025-05/2025 (End of Funds)] + - Continuing to work with the same great team, tools and software as during my internship. + - Developing QEMU virtual hardware devices for building/testing platform-specific applications. + + *Linux Driver Development Intern* #interline() #text(weight: "semibold")[Trusted Microelectronics, KBR, 05/2024-08/2024] + - Learned Linux kernel subsystems and developed device drivers for custom "system on a chip" hardware, including GPIO/pin controllers and an AES encryption accelerator module. + - Worked with team members to develop testing and assurance methodologies including coverage profiling and input fuzzing for Linux drivers while porting Linux to our boards. + - Automated common tasks, writing scripts to handle OS installations and code restructuring. + - Presented project status and details to large, cross-functional and interdisciplinary groups. + + *Teaching Assistant* #interline() #text(weight: "semibold")[James Madison University, 08/2022-12/2023] + - Took questions and led review sessions in proofs, programming, tooling, debugging code. + - Maintained a calm and encouraging environment while helping students with difficult problem sets against a deadline. +] + +#experience + +== Education +#let degrees = [ + *B.S. Computer Science* (3.8 GPA) #interline() #text(weight: "semibold")[James Madison University, 12/2023] +] +#degrees +#let courses = [ + - Programming Languages, Compiler Construction + - Independent Study in Constructive Logic, Symbolic Logic + - Applied Algorithms, Data Structures + - Parallel and Distributed Systems, 3D Graphics +] +#courses +*Study Abroad, London, UK* #interline() #text(weight: "semibold")[JMU at Florida State Study Center, Summer 2023] +#let cw = [ + - Rigidity Theory + - Independent Study in Computational Geometry +] +#cw + +*Academic Awards* +#let awards = [ + - "President's List" #interline() #text(weight: "semibold")[JMU, 2023] + - "Alonzo Church Award for Theory" #interline() #text(weight: "semibold")[JMU CS Department, 2024] +] +#awards + +== Personal Projects +#let projects = [ + *Aasam* (on #underline([#link("https://hackage.haskell.org/package/aasam")[Hackage]])) is a Haskell implementation of the CFG-generation algorithm $#math.cal([M])$ from Annika Aasa's paper "Precedences in specifications and implementations of programming languages". + #linebreak() + *Randall* (on #underline([#link("https://gitlab.com/mobotsar/randall")[Gitlab]])) is a Discord bot for executing dice-notation, making it easy to play TTRPGs remotely. It uses a recursive descent parser and tree-walk interpreter on the backend and the .NET Discord library up front. +] + +#projects diff --git a/acl.cool/site/writings/amaretti.dj b/acl.cool/site/writings/amaretti.dj new file mode 100644 index 0000000..5dcb556 --- /dev/null +++ b/acl.cool/site/writings/amaretti.dj @@ -0,0 +1,42 @@ +# Amaretti (Chewy Almond Cookies) + +These are genuinely excellent and surprisingly undemanding to make, particularly if you don't beat the egg whites by hand. From start to finish, the process should take less than an hour. + +Keep in mind that the ideal crispy-outside chewy-inside texture forms over time while the cookies are cool. They _taste_ right immediately after coming out of the oven, but for the best texture, let them cool completely and rest in a sealed container for several hours before consuming. + +Total caloric content of this recipe is 2840 kilocalories, or 109.6 kcal per cookie for twenty-five cookies. + +## Ingredients + +- 1/2 cup white granulated sugar +- 1/2 cup demerara sugar (Florida Crystals or similar) +- 280 grams blanched almond flour +- 1/2 teaspoon kosher salt +- 3 extra large eggs +- 1/2 teaspoon vanilla extract +- 1 ounce (weight) Lazzaroni Amaretto +- 1 cup powdered sugar +- 25 whole, roasted almonds + +## Equipment + +- A medium mixing bowl (for dry ingredients) +- A small mixing bowl (for beating egg whites) +- A whisk or mixer +- A standard set of measuring spoons +- A kitchen scale +- A medium cookie sheet +- A silicone sheet-pan liner + +## Process + +1. Preheat the oven to 325°F. +2. Mix the flour and sugars into a medium bowl. +3. Separate three egg whites into another bowl and discard the yolks. +4. Beat the egg whites until peaks are stiff. +5. Add the vanilla extract and amaretto to the bowl of dry ingredients. +6. Add the beaten egg whites to the dries and fold gently until a paste forms. +7. Form small balls of the dough and coat them completely in powdered sugar. +8. Gently press the dough balls onto a sheet-pan with a silicone mat, flattening them slightly. +9. Press an almond into the top of each cookie so that the dough will hold it when baked. +10. Place the pan (with cookies) in the oven for 25 minutes then remove it and let them cool. \ No newline at end of file diff --git a/acl.cool/site/writings/chili.dj b/acl.cool/site/writings/chili.dj new file mode 100644 index 0000000..0bc235c --- /dev/null +++ b/acl.cool/site/writings/chili.dj @@ -0,0 +1,29 @@ +# Unassailable Slow-Cooker Chili + +This is a simple recipe of beans, tomato, and ground beef, refined across generations into the local maximum you see before you. + +## Ingredients + +- A bit more than 1 lb of ground beef +- 2 14.5 oz cans of diced tomatoes +- 2 1.25 oz packets of chili powder spice mix (such as McCormick, etc) +- 4 cans of beans (typically one each of pinto, black, great-northern, and light kidney) +- 1 large bottle of tomato juice +- 1 medium or large onion +- Black pepper to taste + +## Equipment + +- A knife to cut the onion +- A skillet to cook the beef +- A large slow-cooker +- A heat-resistant spoon + +## Process + +1. Cook the ground beef until most of the fat has rendered, then drain most of the grease away. +2. Chop onion and add to skillet with beef, cooking just until color develops. +3. Add the beef and onion to the pot with tomatoes, beans, and spice mix. +5. Pour in tomato juice until it reaches a consistency too thick for soup but still more suitable for consumption with a spoon than with any other dining implement. +4. Cook on low until you're happy with the texture of your onions, as these usually take the longest. +5. Black pepper to taste shortly before serving. diff --git a/acl.cool/site/writings/coronation-chicken.dj b/acl.cool/site/writings/coronation-chicken.dj new file mode 100644 index 0000000..c761e01 --- /dev/null +++ b/acl.cool/site/writings/coronation-chicken.dj @@ -0,0 +1,45 @@ +# Typical Coronation Chicken + +This recipe is adapted from the original recipe used for Queen Elizabeth's “Coronation Luncheon” in 1953 and faithfully incorporates elements of several variations served around London in 2023. Most of the changes I've made are to ratios, but I've also included more fruits, omitted watercress, and used a mayonnaise/milk combination in place of whipping cream. + +## Ingredients + +- 3 tbsp almond slivers +- 1/2 shallot +- 1 tbsp dried apricots +- 1 tbsp lemon juice (roughly 1/4 of a smooth lemon) +- 1 tbsp extra-virgin olive oil +- 3 tsp your favorite yellow curry powder +- 1 tsp tomato paste +- 90 ml dry red wine +- 30 ml water +- 1/4 tsp dark brown sugar +- 225 ml Duke's mayonnaise \* +- 100 ml 2% milk \* +- 4 tsp thompson raisins \* +- 1 tsp dried black currants \* +- 650 g shredded cooked chicken breast * + +Values marked with \* have been estimated after-the-fact. I made visual judgments during preparation to decide actual amounts and neglected to record them. The combined volume of mayonnaise and milk was measured at 325 ml. The chicken was measured at 500 g, but was too little for the amount of dressing made. + +## Equipment + +- A wide skillet or frypan +- A knife and cutting surfaces +- A standard set of measuring spoons +- Two medium mixing bowls + +## Process + +1. Toast the almonds in your pan before setting them aside. +2. Chop the half shallot and apricots very finely. +3. Squeeze 1 tbsp of lemon juice and set it aside. +4. Add olive oil to the pan and place it on medium heat. +5. Add the shallot and curry powder then cook about two minutes or until the shallot begins to soften. +6. Add tomato paste, wine, and water, then bring the pan to a mild boil. +7. Once it boils, add lemon juice and brown sugar then simmer until the mixture is slightly reduced. +8. Remove from heat and let cool substantially. +9. Transfer to a bowl and mix in mayonnaise, milk, almonds, and all the fruit to complete the dressing. +10. Place shredded chicken in another bowl and add dressing until the desired consistency is reached. +11. Sample the mixture before adding salt and pepper to taste. +12. Let rest in the refrigerator until completely cooled. \ No newline at end of file diff --git a/acl.cool/site/writings/culture-order.dj b/acl.cool/site/writings/culture-order.dj new file mode 100644 index 0000000..99097ca --- /dev/null +++ b/acl.cool/site/writings/culture-order.dj @@ -0,0 +1,17 @@ +# Reading Order of The Culture + +I've generated a reading order dependency graph for books in Iain M. Banks' unsurpassable Sci-Fi classic, the _Culture_ series. The idea is that if there's an arrow from book A to book B, then to get the most possible enjoyment from either A or B, A should be read before B. + +![A dependency graph diagram of what Culture books must eb read before what others.](/culture.dot.png) Above is the graph, and [right here](/culture.dot.txt) is the vizgraph description file that lists my rationale for each dependency. + +- _Consider Phlebas_ before _Look to Windward_--- both are about the Idiran War. The events of _Consider Phlebas_ happen first and are important both for familiarity and for putting LtW into some emotional context. +- _Use of Weapons_ before _The State of the Art_--- these share a main character in Diziet Sma. SotA was actually released before UoW but in my opinion is more satisfying if read after it. +- _Use of Weapons_ before _Inversions_--- UoW gives the best idea of any book about what Special Circumstances is, which must be understood to fully appreciate _Inversions_ in all its subtlety. +- _Excession_ before _The Hydrogen Sonata_--- _Hydrogen Sonata_ is dual to _Excession_ in many ways that can't be explained here without abject spoilage. This one is not a hard rule, but HS is better if you know _Excession_. +- _Excession_ before _Matter_--- GSV Sleeper Service is mentioned in _Matter_ as "The granddaddy, the exemplary hero figure, the very God...", referencing events in _Excession_. +- _Use of Weapons_ before _Surface Detail_--- you must know who Zakalwe is, the main character of UoW, to fully appreciate the ending of _Surface Detail_. +- _Look to Windward_ before _Surface Detail_--- These books deal with common themes and subjects. Some will disagree with me here, but LtW is more impactful _without_ certain knowledge revealed in _Surface Detail_. + +Assuming one agrees with the graph, the set of ideal reading orders (that is, the set such that for all orders it contains, no order exists which is strictly better) is the set of [topological sorts](https://en.wikipedia.org/wiki/Topological_sorting) of the graph. + +This gives the number of possible ideal orders as 63840. That's a lot of good ways to do it! diff --git a/acl.cool/site/writings/gottlob.dj b/acl.cool/site/writings/gottlob.dj new file mode 100644 index 0000000..737588e --- /dev/null +++ b/acl.cool/site/writings/gottlob.dj @@ -0,0 +1,11 @@ +# Woes of Gottlob Graal: Umbral Gaze 0 + +Gottlob Graal is a level-{five,ten} Watchers' Oath paladin, a satyr, bent on avoiding a faery card sharp he pissed off years ago during a regular visit to the Feywild. He fled that plane and his native Chondalwood for Waterdeep, half a continent away, where he took up defenses against any and all extraplanar pursuers. At first he just wanted to avoid his creditor, but later, finding purpose and fraternity in the city as never before, the satyr began to feel at home. A jovial fellow, Gottlob is energetic in his late middle-age, but finds the reckless carousing of his youth a bit beyond him now. + +> The last time I _really_ partied, you know, I wound up in debt to an Unseelie courtier! Sylas Grinbriar of the Bleeding Grove... hmm, but there's no sense _worrying_ about that sort of thing, my friend! + +## A Watchers' Order + +Upon leaving Chondath, Gottlob found himself heading West until he could do so no more. Thereupon, he was in Waterdeep. The satyr decided he would find a place to sleep, but instead found the bottoms of some tankards, alongside a couple of Watchers' paladins--- out for some merry-making themselves--- who became very interested in this strange, cloven-hoofed man and his experiences in the Feywild. With so little coin weighing in his pockets and his stomach grumbling for something richer than mead, the offer they made him at the end of the night--- of help staying hidden and a job that payed--- was too good to turn down. + +In the few intervening years, Gottlob took the oath of their little order, the Unblinking Patrol, and showed natural talent, quickly becoming a formidable and knowledgeable member. He's since remained in Waterdeep, living well, but always keeping an eye over his shoulder in case Lord Grinbriar--- or one of his lackeys--- ever manages to track him down. \ No newline at end of file diff --git a/acl.cool/site/writings/umbral0.5.dj b/acl.cool/site/writings/umbral0.5.dj new file mode 100644 index 0000000..4cc158b --- /dev/null +++ b/acl.cool/site/writings/umbral0.5.dj @@ -0,0 +1,45 @@ +# Umbral Gaze ½ + +It's early morning; our intrepid adventurers are just beginning their day. They awaken in Venron, a small inland village equilatitudinal to the southern Sword Coast, where, for one reason or another, each wound up stopping for rest the night before. + +The centaur Clementine[^clementine] helps a farmer store his crops, managing bins of grain with ease. On her back hangs a powerful bow, but she has no need of it now--- as she takes in the wind and the smell of earth and the stirring sounds of nature, she's at peace. + +Warren[^warren], a harengon, clad in plate and festooned with weaponry, makes breakfast over an outdoor fire. A local innkeeper, unexpectedly short-staffed this morning, follows the succulent smell of Warren's griddle to its source and beseeches that he come cook for _him_ today, just through the breakfast rush, and for an outstanding wage too! Our harengon friend obliges, but accepts only half of the money offered, not one to take advantage of someone in a bind. As the innkeeper thinks back on things later, he too decides that he may have been too generous in his desperation. + +In the scant lanes of Venron, a _llama_ breathes the cool light of dawn; an ornate pendant hangs from its neck. No villager suspects the creature of its true identity: she is a powerful wizard, Louisa Whitlock[^louisa], cursed by an unseen adversary to wander Faerûn on four legs. + +Further on, Karmel[^karmel], a brightly-dressed human, snoozes under a tree, indulging in an early morning nap. His tightly-drawn ponytail lies splayed about him as it gathers subtle moisture from the dewy grass. A noise wakes him, and he plods off in search of breakfast. + +Across the road from where Warren will soon man the stove, hunkered in Venron's cheapest and poorest inn, Almuth Cheerio[^almuth] sits down to "pancakes". A half-elf woman and a human man fill the seats beside him. In his usual way, the gray-haired, white-robed cleric of Eldath strikes up a conversation that somehow turns toward the subject of his deity. His captive companions are surprisingly receptive. + +By the town's northern entrance, Gottlob Graal[^gottlob], a satyr, chats with a lone town guard. Though the guard can get in little more than the occasional nod or word of confusion edgewise, he is grateful for the aid staying awake near the end of his long shift. Still, as minutes threaten to become hours, he wearily wishes that this chatty goat and his obvious comb-over would find someone else to regale with pointless trivia and dubious stories of past revels. + +As the morning continues and the breakfast hour draws to a close, villagers and adventurers alike begin to take notice of a giant frog, apparently arrived undetected early in the morning. The monstrously massy amphibian perches with apparent ease, though presumed precariousness, over the mouth of the town's main well, which is adjacent to the inn wherein Warren now labors. A second guard, a half-elf, approaches Gottlob and his interlocutor for the changing shift. Drawing up close, he takes the helmeted head of the latter between his hands and turns it forcibly toward the frog; neither Gottlob nor his companion have looked down the road for some time. "That's becoming a problem now, ay!", the new arrival injects, but the tired and frankly overwhelmed human just stares, uncaring or uncomprehending. Gottlob, suddenly aware of the potential danger, abandons his conversation and heads toward the well--- giant frogs aren't unheard of on the prime material, but they are common in the Feywild. He casts "detect evil and good", furtively, a little embarrassed, but finds nothing to fear from other planes this morning. "Perhaps the frog is enchanted", he thinks, but doesn't bother with "detect magic", satisfied to know that if there is any threat, at least it's native. + +Almuth, having finished his breakfast across the street, comes outside and makes his way over to the curiously poised anuran. He tests the bounds of its docility, inching close and pushing it gently, trying to physically coax it off the well, but wisely backs away when it shows signs of aggression. A better idea occurs to him, and he heads back to his room to prepare for another attempt. Gottlob starts to follow, eager to talk to this interesting fellow, but the cleric doesn't even notice. + +Most townsfolk have now taken heed of the commotion. The innkeeper offers Karmel, who chose the establishment for his breakfast, a profligate sum to remove the frog from its perch--- the villagers need water and the innkeeper needs one less shiny green gargoyle at the entrance scaring away his customers--- so the bard makes his way outside. The rest of the party shows up apace, finished with their respective morning activities and finally getting keyed in to the issue at hand. + +Almuth has returned. He invokes the magic of his goddess to "calm" bumpy green "emotions", which he hopes will make the beast more receptive to his coaxing, but alas, with no success. Peering sidelong down into the well, he determines the reason for the frog's obstinacy: it's guarding a milky, speckled mass of eggs with its life. As he makes this known to spectators, the innkeeper repeats to Karmel--- and to any who will listen--- the earlier offer of payment for the relocation of the frog and its clutch. Almuth and Karmel hatch a plan: they'll retrieve the eggs from the well with the winch bucket then hightail it to the nearest large body of water, wherein they can deposit the eggs and the no-doubt fiercely pursuing frog. They find a wagon, but fail to find a horse; the centaur Clementine is the only unoccupied equine around, who, though she finds it somewhat demeaning, volunteers to pull the load. + +As they put their plan to voice, a halfling threads his way through the crowd. He steps forward and introduces himself as "Alfie". The newcomer offers information about the area, where the frog may have come from, and what it might take to put it back. Our adventurers learn that the nearest suitable body of water is nearly three-hours' swift ride from Venron! Only something truly dire could have driven the amphibian this far from home, no mere fancy or wanderlust. The plan is revised--- the frog will be taken to this distant lake and whatever expelled it will be brought under control or vanquished! Almuth calms the frog magically, with success this time, and Clementine carefully maneuvers the eggs into the bucket and up, out of the well. Seeing their success, and having nothing better to do at the moment--- or perhaps just catching wind of money to be earned--- Gottlob interjects. He can provide another horse (and says as much, to Clementine's chagrin), which should speed the journey considerably. He casts "find steed", and hitches the ensuing beast to the growing party's rented wagon. Warren and Louisa decide that this is getting interesting, and each likewise decides to attend the mission. Before the party sets off, Almuth probes Alfie for further helpfulness and tries to convince the man to accompany them, but the only help Alfie will be convinced to give is a map of the area and directions to the lake. + +The mission gets underway. As the party travels, its members talk amongst themselves. Almuth expresses interest in the Feywild, and queries Clementine and Gottlob about their origins to that effect. Clementine is reticent, but Gottlob shares a bit of his past. The satyr hails from Chondalwood, in the south-eastern country of Chondath, but he has visited the Feywild on numerous occasions and under a variety of circumstances. Alas, he can never return to that plane, nor even to his home, lest he be caught and made to pay a gambling debt owed to a powerful enemy. + +As they near the lake, a swarm of birds can be heard above; Clementine uses magic to understand their caws. She listens as the ravens squabble over whether to attack the group. "Those eggs look so tasty, but those people are _so_ well-armed!" Gluttony beats self-preservation, and the swarm dives to attack. They snatch an egg or two, but are easily beaten back with magic and swords. The giant frog even gets in on the action, launching its huge, sticky harpoon of a tongue to swallow a score of ravens like flies. Though he's too late to object, Almuth wonders whether killing the birds was really necessary. + +As the lake comes into view, terrain grows low and a thick miasma fills the party's sinuses. They abandon their charges for the moment, at a safe distance from whatever produced the matted skein of carrion they see slicked over the water before them and from which, no-doubt, emanates this odor clogs their every orifice. As they disembark, Clementine asks the frog to describe what drove it from its home. "Big thing, many heads!", it answers. Forging onward toward the shore, the party spots what appear to be five crocodiles, just their eyes and nostrils breaching the surface. Clementine queries them--- do they know what's going on here? Why do they seem so unbothered? They divulge no helpful information, but the centaur gets her answer as the five heads are jerked out of the water on five reptilian necks, joined at a single base. A hydra! No wonder the place reeks... + +As the party is thrown into combat, Gottlob takes the first action, guiding his steed sideways as he casts "moonbeam" on the monster's position. In the heat of melee, Warren does substantial damage with "guiding bolt", and the other party members make good use of the advantage it grants them. Karmel wraps the hydra's many teeth in [sheathes of water](https://www.worldanvil.com/block/1548815) that dull its bite, reducing the danger to his companions. Louisa casts "fireball", a foresighted choice against their many-headed foe, but the hydra attacks Warren viciously in response, nearly downing him. He fights on bravely, and the party manages to avoid most damage, striking reliably at their enemy's vitality, until Clementine is similarly attacked after rushing in close to strike. As the Hydra bites her, Louisa seen an opening. She reaches out to the weave and summons a trio of magic missiles. Sure that they will find their targets, she sends them hurtling upward, piercing through the hydra's multitude of necks in a triple sextuple collateral. The monster jerks wildly, then crumples, half floating on the lake, half lying on the shore. + +{.thematic} +*** + +Our heroic band of adventurers has slain a terror and lived to enjoy the rewards! In the following days, merchants and scavengers cart away the hydra--- a valuable prize--- and skim the lake of its refuse. The giant frog returns to its life as before, guarding its eggs in the lake's sloughs for just a few more days, when they hatch dozens of new, tiny giant frogs into the world. The party members collect their gold in town and go their separate ways, but they worked well together. Perhaps they will meet again, someday. + +[^clementine]: A Centaur "fey wanderer" ranger (5) +[^warren]: A Harengon forge cleric (5) +[^louisa]: A Human (llama) wizard (5) of the scribes' order +[^karmel]: A Human bard (5) from the College of Masks +[^almuth]: A Human peace cleric (5) of Eldath +[^gottlob]: A Satyr paladin (5) of the Watchers diff --git a/acl.cool/soupault.frag.toml b/acl.cool/soupault.frag.toml new file mode 100644 index 0000000..6f2f1b9 --- /dev/null +++ b/acl.cool/soupault.frag.toml @@ -0,0 +1,28 @@ + +[index] +index = true +# sort_descending = true +# sort_type = "calendar" +# date_formats = ["%F"] +# strict_sort = true + +[index.fields] + +[index.fields.title] +selector = ["h1"] + +# [index.fields.date] +# selector = ["time"] +# extract_attribute = "datetime" +# fallback_to_content = true + +[index.fields.abstract] +selector = ["p"] + +[index.views.writings-index] +index_selector = "#writings" +section = "writings" +index_item_template = """ +

{{title}} +
{{abstract}}

+ """ \ No newline at end of file diff --git a/acl.cool/syntax_wrapper.sh b/acl.cool/syntax_wrapper.sh new file mode 120000 index 0000000..2af984f --- /dev/null +++ b/acl.cool/syntax_wrapper.sh @@ -0,0 +1 @@ +../syntax_wrapper.sh \ No newline at end of file diff --git a/acl.cool/templates/main.html b/acl.cool/templates/main.html new file mode 120000 index 0000000..fc72d5f --- /dev/null +++ b/acl.cool/templates/main.html @@ -0,0 +1 @@ +../../shared_templates/main.html \ No newline at end of file diff --git a/build.sh b/build.sh new file mode 100755 index 0000000..9a3d098 --- /dev/null +++ b/build.sh @@ -0,0 +1,84 @@ +#! /usr/bin/env nix-shell +#! nix-shell --pure -i bash +#! nix-shell --pure -p nodejs_24 bash harfbuzz soupault woff2 jotdown python3 recode perl538Packages.LaTeXML minify + +if ! [[ -d pgvv/ ]]; then + python3 -m venv pgvv + source ./pgvv/bin/activate + python3 -m pip install --upgrade pip + pip install --upgrade pygments + deactivate +fi + +function soup_config { + rm soupault.toml + cp ../soupault.toml soupault.toml + cat soupault.frag*.toml >>soupault.toml +} + +source ./pgvv/bin/activate + +if ! [[ -f lexers.out ]] || [[ "$(head -1 lexers.out)" != "$(pygmentize -V)" ]]; then + pygmentize -L lexer >lexers.out + echo "Created pygments lexer cache at lexers.out" +fi + +find acl.cool/site/ ytheleus.org/site/ -type f \( -name '*.dj' -o -name '*.html' \) -exec cat {} + >all_chars.txt +cat common_chars.txt >>all_chars.txt + +for font in fonts/LiterataTT/LiterataTT-Subhead{Regular,Italic,Semibold,SemiboldItalic,Bold,BoldItalic}.woff2 \ + fonts/JuliaMono/*{-Light,-Regular,-SemiBold}{,Italic}.woff2; do + woff2_decompress "$font" + ttf_font="${font%.woff2}.ttf" + + subset_ttf="${ttf_font%.ttf}-Subset.ttf" + hb-subset "$ttf_font" \ + --output-file="$subset_ttf" \ + --text-file=all_chars.txt \ + --layout-features='*' \ + --passthrough-tables + + woff2_compress "$subset_ttf" + + rm "$subset_ttf" "$ttf_font" +done + +for font in \ + fonts/Alegreya/static/Alegreya-{Regular,Italic,Bold,BoldItalic}.ttf \ + fonts/Alegreya_Sans/AlegreyaSans-{Regular,Italic,Bold,BoldItalic}.ttf; do + subset_ttf="${font%.ttf}-Subset.ttf" + hb-subset "$font" \ + --output-file="$subset_ttf" \ + --text-file=all_chars.txt \ + --layout-features='*' \ + --passthrough-tables \ + --unicodes+="0x0435" # this is the cyrillic e. For some reason, alegreya's ff calt breaks without it + + woff2_compress "$subset_ttf" + + rm "$subset_ttf" +done + +rm css/code.css +pygmentize -f html -S algol_nu | grep -v 'line-height' >css/code.css + +for site in acl.cool ytheleus.org; do + pushd "$site" + soup_config + rm -rf serve/ + soupault + pushd serve/ + find -type f -name '*.html' -o -name '*.css' -o -name '*.svg' | xargs -0 -d\\n -I{} minify -o {} {} + popd + NEXT_DIR="serve_$(date +%s)" + CUR_DIR=$(find . -maxdepth 1 -type d -regex './serve_[0-9]+') + echo "$PREV_DIR" + cp -a serve "$NEXT_DIR" + ln -sfn "$NEXT_DIR" serve_ + for d in $CUR_DIR; do + rm -r $d + done + popd +done + +deactivate diff --git a/common_chars.txt b/common_chars.txt new file mode 100644 index 0000000..610a53a --- /dev/null +++ b/common_chars.txt @@ -0,0 +1,13 @@ +—–- + +⁰¹²³⁴⁵⁶⁷⁸⁹ ⁽⁾ + +↩︎ + +“” + +!"#$%&\'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\\]^_`abcdefghijklmnopqrstuvwxyz{|}~ + +… + +◆◇⬥⬦ \ No newline at end of file diff --git a/css/fonts.css b/css/fonts.css new file mode 100644 index 0000000..35a1487 --- /dev/null +++ b/css/fonts.css @@ -0,0 +1,252 @@ +@font-face { + font-family: 'Heading'; + src: url('../assets/fonts/LiterataTT/LiterataTT-SubheadRegular-Subset.woff2') format('woff2'); + font-weight: normal; + font-style: normal; +} + +@font-face { + font-family: 'Heading'; + src: url('../assets/fonts/LiterataTT/LiterataTT-SubheadItalic-Subset.woff2') format('woff2'); + font-weight: normal; + font-style: italic; +} + +@font-face { + font-family: 'Heading'; + src: url('../assets/fonts/LiterataTT/LiterataTT-SubheadBold-Subset.woff2') format('woff2'); + font-weight: bold; + font-style: normal; +} + +@font-face { + font-family: 'Heading'; + src: url('../assets/fonts/LiterataTT/LiterataTT-SubheadBoldItalic-Subset.woff2') format('woff2'); + font-weight: bold; + font-style: italic; +} + +@font-face { + font-family: 'Subheading'; + src: url('../assets/fonts/LiterataTT/LiterataTT-SubheadRegular-Subset.woff2') format('woff2'); + font-weight: normal; + font-style: normal; +} + +@font-face { + font-family: 'Subheading'; + src: url('../assets/fonts/LiterataTT/LiterataTT-SubheadItalic-Subset.woff2') format('woff2'); + font-weight: normal; + font-style: italic; +} + +@font-face { + font-family: 'Subheading'; + src: url('../assets/fonts/LiterataTT/LiterataTT-SubheadSemibold-Subset.woff2') format('woff2'); + font-weight: bold; + font-style: normal; +} + +@font-face { + font-family: 'Subheading'; + src: url('../assets/fonts/LiterataTT/LiterataTT-SubheadSemiboldItalic-Subset.woff2') format('woff2'); + font-weight: bold; + font-style: italic; +} + +@font-face { + font-family: 'BodySerif'; + src: url('../assets/fonts/Alegreya/static/Alegreya-Regular-Subset.woff2') format('woff2'); + font-weight: normal; + font-style: normal; + font-feature-settings: "lnum" 1, "kern" 1, "liga" 1; +} + +@font-face { + font-family: 'BodySerif'; + src: url('../assets/fonts/Alegreya/static/Alegreya-Italic-Subset.woff2') format('woff2'); + font-weight: normal; + font-style: italic; + font-feature-settings: "lnum" 1, "kern" 1, "liga" 1; +} + +@font-face { + font-family: 'BodySerif'; + src: url('../assets/fonts/Alegreya/static/Alegreya-Bold-Subset.woff2') format('woff2'); + font-weight: bold; + font-style: normal; + font-feature-settings: "lnum" 1, "kern" 1, "liga" 1; +} + +@font-face { + font-family: 'BodySerif'; + src: url('../assets/fonts/Alegreya/static/Alegreya-BoldItalic-Subset.woff2') format('woff2'); + font-weight: bold; + font-style: italic; + font-feature-settings: "lnum" 1, "kern" 1, "liga" 1; +} + +@font-face { + font-family: 'BodySans'; + src: url('../assets/fonts/Alegreya_Sans/AlegreyaSans-Regular-Subset.woff2') format('woff2'); + font-weight: normal; + font-style: normal; + font-feature-settings: "lnum" 1, "kern" 1, "liga" 1; +} + +@font-face { + font-family: 'BodySans'; + src: url('../assets/fonts/Alegreya_Sans/AlegreyaSans-Italic-Subset.woff2') format('woff2'); + font-weight: normal; + font-style: italic; + font-feature-settings: "lnum" 1, "kern" 1, "liga" 1; +} + +@font-face { + font-family: 'BodySans'; + src: url('../assets/fonts/Alegreya_Sans/AlegreyaSans-Bold-Subset.woff2') format('woff2'); + font-weight: bold; + font-style: normal; + font-feature-settings: "lnum" 1, "kern" 1, "liga" 1; +} + +@font-face { + font-family: 'BodySans'; + src: url('../assets/fonts/Alegreya_Sans/AlegreyaSans-BoldItalic-Subset.woff2') format('woff2'); + font-weight: bold; + font-style: italic; + font-feature-settings: "lnum" 1, "kern" 1, "liga" 1; +} + +@font-face { + font-family: 'Mono'; + src: url('../assets/fonts/JuliaMono/JuliaMono-Light.woff2') format('woff2'); + font-weight: 300; + font-style: normal; +} + +@font-face { + font-family: 'Mono'; + src: url('../assets/fonts/JuliaMono/JuliaMono-LightItalic-Subset.woff2') format('woff2'); + font-weight: 300; + font-style: italic; +} + +@font-face { + font-family: 'Mono'; + src: url('../assets/fonts/JuliaMono/JuliaMono-Regular-Subset.woff2') format('woff2'); + font-weight: normal; + font-style: normal; +} + +@font-face { + font-family: 'Mono'; + src: url('../assets/fonts/JuliaMono/JuliaMono-RegularItalic-Subset.woff2') format('woff2'); + font-weight: normal; + font-style: italic; +} + +@font-face { + font-family: 'Mono'; + src: url('../assets/fonts/JuliaMono/JuliaMono-SemiBold-Subset.woff2') format('woff2'); + font-weight: bold; + font-style: normal; +} + +@font-face { + font-family: 'Mono'; + src: url('../assets/fonts/JuliaMono/JuliaMono-SemiBoldItalic-Subset.woff2') format('woff2'); + font-weight: bold; + font-style: italic; +} + +@font-face { + font-family: "Quote"; + src: url('../assets/fonts/Alegreya_Sans/AlegreyaSans-Italic.ttf') format('woff2'); +} + +@font-face { + font-family: 'Math'; + src: url('../assets/fonts/STIXTwo/STIXTwoMath-Regular.woff2') format('woff2'); +} + +:root { + --base-font-size: 16pt; +} + +html { + font-size: var(--base-font-size); +} + +/* Setting the line height here apparently stops "normal" from varying + across the course of . */ +body { + font-size: var(--base-font-size); + line-height: var(--read-spacing); + font-display: swap; +} + +.font-hidpi body { + font-family: "BodySerif", serif; +} + +.font-lodpi body { + font-family: "BodySans", sans-serif; +} + +h1 { + font-family: "Heading"; + line-height: normal; + font-optical-sizing: auto; +} + +h2, +h3, +h4, +h5, +h6 { + font-family: "Subheading"; + line-height: var(--ui-spacing); + font-optical-sizing: auto; + font-style: normal; +} + +:root { + --head-mult: 0.88; /* This is pairwise fixed, Literata + Alegreya. */ +} + +h1 { + margin-block: 0.67em; + font-size: calc(2.3 * var(--base-font-size) * var(--head-mult)); +} + +h2 { + font-size: calc(1.8 * var(--base-font-size) * var(--head-mult)); +} + +h3 { + font-size: calc(1.6 * var(--base-font-size) * var(--head-mult)); +} + +h4 { + font-size: calc(1.4 * var(--base-font-size) * var(--head-mult)); +} + +h5 { + font-size: calc(1.2 * var(--base-font-size) * var(--head-mult)); +} + +h6 { + font-size: calc(1.0 * var(--base-font-size * var(--head-mult))) +} + +code, pre code { + font-family: "Mono"; + font-size: calc(0.84 * var(--base-font-size)); +} + +/* for STIX 2 */ +math { + font-family: "Math"; + font-size: calc(0.96 * var(--base-font-size)); +} \ No newline at end of file diff --git a/css/inverted_colors.css b/css/inverted_colors.css new file mode 100644 index 0000000..8d52468 --- /dev/null +++ b/css/inverted_colors.css @@ -0,0 +1,75 @@ +:root { + --lightest-color: rgb(255, 250, 245); + --lighter-color: rgb(205, 200, 195); + --light-color: rgb(170, 165, 160); + --wide-gray-invert: rgb(10, 5, 5); + --narrow-gray-invert: rgb(15, 8, 8); +} + +.invert .est-color { + color: var(--lightest-color) !important +} +.invert .er-color { + color: var(--lighter-color) !important +} +.invert .null-color { + color: var(--light-color) !important +} + +.invert { + background-color: black; + color: var(--lighter-color); +} + +.invert code:not(pre code) { + background-color: var(--wide-gray-invert); + color: white; +} + +.invert pre { + color: white; + background-color: var(--wide-gray-invert); + border-color: var(--wide-gray-invert); +} + +.invert body { + background-color: black; + color: var(--lighter-color); +} + +.invert h1 { + color: var(--lightest-color); +} + +.invert h2, +.invert h3, +.invert h4, +.invert h5, +.invert h6 { + color: var(--lighter-color); +} + +.invert a:link, +.invert a:visited { + color: var(--lightest-color) +} + +.invert table tr th, +.invert table tr td { + border-right: 2px solid var(--narrow-gray-invert); + border-bottom: 2px solid var(--narrow-gray-invert); +} + +.invert table tr th:first-child, +.invert table tr td:first-child { + border-left: 2px solid var(--narrow-gray-invert); +} + +/* top row a.k.a. table header */ +.invert table tr th { + border-top: 2px solid var(--narrow-gray-invert); +} + +.invert hr { + background-color: var(--narrow-gray-invert); +} \ No newline at end of file diff --git a/css/layout.css b/css/layout.css new file mode 100644 index 0000000..c9ea7ac --- /dev/null +++ b/css/layout.css @@ -0,0 +1,12 @@ +.container { + max-width: 900px; + margin-left: auto; + margin-right: auto; + padding-left: 0.3rem; + padding-right: 0.3rem; + overflow: auto; +} + +body { + margin: 0; +} diff --git a/css/looks.css b/css/looks.css new file mode 100644 index 0000000..b59acd5 --- /dev/null +++ b/css/looks.css @@ -0,0 +1,221 @@ +:root { + --darkest-color: rgb(10, 5, 0); + --darker-color: rgb(60, 55, 50); + --dark-color: rgb(95, 85, 80); + --ui-spacing: 1.25; + --read-spacing: 1.5; + --wide-gray: rgb(245, 240, 240); + --narrow-gray: rgb(240, 233, 233); +} + +.est-color { + color: var(--darkest-color) !important +} +.er-color { + color: var(--darker-color) !important +} +.null-color { + color: var(--dark-color) !important +} + +code { + font-variant-ligatures: no-contextual; +} + +code:not(pre code) { + background-color: var(--wide-gray); + padding-left: 3px; + padding-right: 3px; + padding-top: 1px; + padding-bottom: 1px; + color: black; + border-radius: 3px; + line-height: var(--ui-spacing); + /* This prevents inline code from wrapping, c.f. Typst's `box`. */ + display: inline-block; + /* These are needed if we allow code to line break. */ + box-decoration-break: clone; + -webkit-box-decoration-break: clone; +} + +pre { + color: black; + background-color: var(--wide-gray); + overflow-x: auto; + border-style: solid; + border-radius: 3px; + border-width: 2px; + border-color: var(--wide-gray); + padding-left: 0.35em; + padding-top: 0.1em; + padding-bottom: 0.2em; + line-height: normal; +} + +body { + background-color: rgb(255, 255, 255); + color: var(--darker-color); +} + +h1 { + color: var(--darkest-color); + margin-bottom: 0.05em; + margin-top: 1em; +} + +h2, +h3, +h4, +h5, +h6 { + color: var(--darker-color); + margin-bottom: 0; + margin-top: 1em; +} + +/* This must be above the hn+* rules */ + +blockquote > p { + margin-top: 0.7em; + margin-bottom: 0.7em; +} + +h1+*, +h2+*, +h3+*, +h4+*, +h5+*, +h6+* { + margin-top: 0; + padding-top: calc(var(--base-font-size) * (2/3)); +} + +blockquote { + font-size: 1em; + line-height: var(--ui-spacing); + border-left: 4px solid var(--darkest-color); + padding-left: 0.45em; + margin: 0; +} + +blockquote:has(p + p) { + text-indent: 1em; +} + +a:link, +a:visited { + color: var(--darkest-color) +} + +[role="doc-noteref"] { + text-decoration: none; + font-family: "BodySans"; +} + +[role="doc-noteref"] sup { + font-size: 0.7em; + font-style: normal; +} + +[role="doc-noteref"] sup::before { + content: "("; + padding-left: 0.075em; +} + +[role="doc-noteref"] sup::after { + content: ")"; +} + +[role="doc-backlink"] { + margin-left: 0.25em; + text-decoration: none; +} + +img { + width: 100%; + height: auto; +} + +table { + --padding-px-h: 0.35em; + --padding-px-v: 0; + border-collapse: separate; + border-spacing: 0; + overflow-x: auto; +} + +table tr th, +table tr td { + border-right: 2px solid var(--narrow-gray); + border-bottom: 2px solid var(--narrow-gray); + padding-right: var(--padding-px-h); + padding-left: var(--padding-px-h); + padding-top: var(--padding-px-v); + padding-bottom: var(--padding-px-v); +} + +table tr th:first-child, +table tr td:first-child { + border-left: 2px solid var(--narrow-gray); +} + +/* top row a.k.a. table header */ +table tr th { + border-top: 2px solid var(--narrow-gray); + text-align: left; +} + +/* top-left border-radius */ +table tr:first-child th:first-child { + border-top-left-radius: 3px; +} + +/* top-right border-radius */ +table tr:first-child th:last-child { + border-top-right-radius: 3px; +} + +/* bottom-left border-radius */ +table tr:last-child td:first-child { + border-bottom-left-radius: 3px; +} + +/* bottom-right border-radius */ +table tr:last-child td:last-child { + border-bottom-right-radius: 3px; +} + +math[display="block"] { + position: relative; + left: 0; + right: auto; + text-align: center; +} + +footer { + margin-top: 2rem; +} + +/* This is the style for the traditional horizontal rule. */ +hr:not(.thematic) { + height: 2px; + border: none; + background-color: var(--narrow-gray); +} + +hr.thematic { + border: none; /* remove default line */ + text-align: center; + margin-top: -0.55em; + margin-bottom: -0.55em; +} + +hr.thematic::before { + font-family: "Mono"; + text-align: center; + content: '◇◆◇'; + letter-spacing: 0.4em; + color: var(--darker-color); + display: block; + transform: translate(0.2em, -0.05em); +} diff --git a/fonts/Alegreya/Alegreya-Italic-VariableFont_wght.ttf b/fonts/Alegreya/Alegreya-Italic-VariableFont_wght.ttf new file mode 100644 index 0000000..89a4218 Binary files /dev/null and b/fonts/Alegreya/Alegreya-Italic-VariableFont_wght.ttf differ diff --git a/fonts/Alegreya/Alegreya-VariableFont_wght.ttf b/fonts/Alegreya/Alegreya-VariableFont_wght.ttf new file mode 100644 index 0000000..dcb20c0 Binary files /dev/null and b/fonts/Alegreya/Alegreya-VariableFont_wght.ttf differ diff --git a/fonts/Alegreya/OFL.txt b/fonts/Alegreya/OFL.txt new file mode 100644 index 0000000..79b9f9a --- /dev/null +++ b/fonts/Alegreya/OFL.txt @@ -0,0 +1,93 @@ +Copyright 2011 The Alegreya Project Authors (https://github.com/huertatipografica/Alegreya) + +This Font Software is licensed under the SIL Open Font License, Version 1.1. +This license is copied below, and is also available with a FAQ at: +https://openfontlicense.org + + +----------------------------------------------------------- +SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007 +----------------------------------------------------------- + +PREAMBLE +The goals of the Open Font License (OFL) are to stimulate worldwide +development of collaborative font projects, to support the font creation +efforts of academic and linguistic communities, and to provide a free and +open framework in which fonts may be shared and improved in partnership +with others. + +The OFL allows the licensed fonts to be used, studied, modified and +redistributed freely as long as they are not sold by themselves. The +fonts, including any derivative works, can be bundled, embedded, +redistributed and/or sold with any software provided that any reserved +names are not used by derivative works. The fonts and derivatives, +however, cannot be released under any other type of license. The +requirement for fonts to remain under this license does not apply +to any document created using the fonts or their derivatives. + +DEFINITIONS +"Font Software" refers to the set of files released by the Copyright +Holder(s) under this license and clearly marked as such. This may +include source files, build scripts and documentation. + +"Reserved Font Name" refers to any names specified as such after the +copyright statement(s). + +"Original Version" refers to the collection of Font Software components as +distributed by the Copyright Holder(s). + +"Modified Version" refers to any derivative made by adding to, deleting, +or substituting -- in part or in whole -- any of the components of the +Original Version, by changing formats or by porting the Font Software to a +new environment. + +"Author" refers to any designer, engineer, programmer, technical +writer or other person who contributed to the Font Software. + +PERMISSION & CONDITIONS +Permission is hereby granted, free of charge, to any person obtaining +a copy of the Font Software, to use, study, copy, merge, embed, modify, +redistribute, and sell modified and unmodified copies of the Font +Software, subject to the following conditions: + +1) Neither the Font Software nor any of its individual components, +in Original or Modified Versions, may be sold by itself. + +2) Original or Modified Versions of the Font Software may be bundled, +redistributed and/or sold with any software, provided that each copy +contains the above copyright notice and this license. These can be +included either as stand-alone text files, human-readable headers or +in the appropriate machine-readable metadata fields within text or +binary files as long as those fields can be easily viewed by the user. + +3) No Modified Version of the Font Software may use the Reserved Font +Name(s) unless explicit written permission is granted by the corresponding +Copyright Holder. This restriction only applies to the primary font name as +presented to the users. + +4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font +Software shall not be used to promote, endorse or advertise any +Modified Version, except to acknowledge the contribution(s) of the +Copyright Holder(s) and the Author(s) or with their explicit written +permission. + +5) The Font Software, modified or unmodified, in part or in whole, +must be distributed entirely under this license, and must not be +distributed under any other license. The requirement for fonts to +remain under this license does not apply to any document created +using the Font Software. + +TERMINATION +This license becomes null and void if any of the above conditions are +not met. + +DISCLAIMER +THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT +OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE +COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, +INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL +DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING +FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM +OTHER DEALINGS IN THE FONT SOFTWARE. diff --git a/fonts/Alegreya/README.txt b/fonts/Alegreya/README.txt new file mode 100644 index 0000000..e4ce57f --- /dev/null +++ b/fonts/Alegreya/README.txt @@ -0,0 +1,75 @@ +Alegreya Variable Font +====================== + +This download contains Alegreya as both variable fonts and static fonts. + +Alegreya is a variable font with this axis: + wght + +This means all the styles are contained in these files: + Alegreya-VariableFont_wght.ttf + Alegreya-Italic-VariableFont_wght.ttf + +If your app fully supports variable fonts, you can now pick intermediate styles +that aren’t available as static fonts. Not all apps support variable fonts, and +in those cases you can use the static font files for Alegreya: + static/Alegreya-Regular.ttf + static/Alegreya-Medium.ttf + static/Alegreya-SemiBold.ttf + static/Alegreya-Bold.ttf + static/Alegreya-ExtraBold.ttf + static/Alegreya-Black.ttf + static/Alegreya-Italic.ttf + static/Alegreya-MediumItalic.ttf + static/Alegreya-SemiBoldItalic.ttf + static/Alegreya-BoldItalic.ttf + static/Alegreya-ExtraBoldItalic.ttf + static/Alegreya-BlackItalic.ttf + +Get started +----------- + +1. Install the font files you want to use + +2. Use your app's font picker to view the font family and all the +available styles + +Learn more about variable fonts +------------------------------- + + https://developers.google.com/web/fundamentals/design-and-ux/typography/variable-fonts + https://variablefonts.typenetwork.com + https://medium.com/variable-fonts + +In desktop apps + + https://theblog.adobe.com/can-variable-fonts-illustrator-cc + https://helpx.adobe.com/nz/photoshop/using/fonts.html#variable_fonts + +Online + + https://developers.google.com/fonts/docs/getting_started + https://developer.mozilla.org/en-US/docs/Web/CSS/CSS_Fonts/Variable_Fonts_Guide + https://developer.microsoft.com/en-us/microsoft-edge/testdrive/demos/variable-fonts + +Installing fonts + + MacOS: https://support.apple.com/en-us/HT201749 + Linux: https://www.google.com/search?q=how+to+install+a+font+on+gnu%2Blinux + Windows: https://support.microsoft.com/en-us/help/314960/how-to-install-or-remove-a-font-in-windows + +Android Apps + + https://developers.google.com/fonts/docs/android + https://developer.android.com/guide/topics/ui/look-and-feel/downloadable-fonts + +License +------- +Please read the full license text (OFL.txt) to understand the permissions, +restrictions and requirements for usage, redistribution, and modification. + +You can use them in your products & projects – print or digital, +commercial or otherwise. + +This isn't legal advice, please consider consulting a lawyer and see the full +license for all details. diff --git a/fonts/Alegreya/static/Alegreya-Black.ttf b/fonts/Alegreya/static/Alegreya-Black.ttf new file mode 100644 index 0000000..846ec96 Binary files /dev/null and b/fonts/Alegreya/static/Alegreya-Black.ttf differ diff --git a/fonts/Alegreya/static/Alegreya-BlackItalic.ttf b/fonts/Alegreya/static/Alegreya-BlackItalic.ttf new file mode 100644 index 0000000..ea26069 Binary files /dev/null and b/fonts/Alegreya/static/Alegreya-BlackItalic.ttf differ diff --git a/fonts/Alegreya/static/Alegreya-Bold.ttf b/fonts/Alegreya/static/Alegreya-Bold.ttf new file mode 100644 index 0000000..fe6306a Binary files /dev/null and b/fonts/Alegreya/static/Alegreya-Bold.ttf differ diff --git a/fonts/Alegreya/static/Alegreya-BoldItalic.ttf b/fonts/Alegreya/static/Alegreya-BoldItalic.ttf new file mode 100644 index 0000000..1876276 Binary files /dev/null and b/fonts/Alegreya/static/Alegreya-BoldItalic.ttf differ diff --git a/fonts/Alegreya/static/Alegreya-ExtraBold.ttf b/fonts/Alegreya/static/Alegreya-ExtraBold.ttf new file mode 100644 index 0000000..8efdcd0 Binary files /dev/null and b/fonts/Alegreya/static/Alegreya-ExtraBold.ttf differ diff --git a/fonts/Alegreya/static/Alegreya-ExtraBoldItalic.ttf b/fonts/Alegreya/static/Alegreya-ExtraBoldItalic.ttf new file mode 100644 index 0000000..7c9d661 Binary files /dev/null and b/fonts/Alegreya/static/Alegreya-ExtraBoldItalic.ttf differ diff --git a/fonts/Alegreya/static/Alegreya-Italic.ttf b/fonts/Alegreya/static/Alegreya-Italic.ttf new file mode 100644 index 0000000..20ea1d7 Binary files /dev/null and b/fonts/Alegreya/static/Alegreya-Italic.ttf differ diff --git a/fonts/Alegreya/static/Alegreya-Medium.ttf b/fonts/Alegreya/static/Alegreya-Medium.ttf new file mode 100644 index 0000000..d04ac69 Binary files /dev/null and b/fonts/Alegreya/static/Alegreya-Medium.ttf differ diff --git a/fonts/Alegreya/static/Alegreya-MediumItalic.ttf b/fonts/Alegreya/static/Alegreya-MediumItalic.ttf new file mode 100644 index 0000000..1425d18 Binary files /dev/null and b/fonts/Alegreya/static/Alegreya-MediumItalic.ttf differ diff --git a/fonts/Alegreya/static/Alegreya-Regular.ttf b/fonts/Alegreya/static/Alegreya-Regular.ttf new file mode 100644 index 0000000..3270a9f Binary files /dev/null and b/fonts/Alegreya/static/Alegreya-Regular.ttf differ diff --git a/fonts/Alegreya/static/Alegreya-SemiBold.ttf b/fonts/Alegreya/static/Alegreya-SemiBold.ttf new file mode 100644 index 0000000..b941c35 Binary files /dev/null and b/fonts/Alegreya/static/Alegreya-SemiBold.ttf differ diff --git a/fonts/Alegreya/static/Alegreya-SemiBoldItalic.ttf b/fonts/Alegreya/static/Alegreya-SemiBoldItalic.ttf new file mode 100644 index 0000000..cc93f0c Binary files /dev/null and b/fonts/Alegreya/static/Alegreya-SemiBoldItalic.ttf differ diff --git a/fonts/Alegreya_Sans/AlegreyaSans-Black.ttf b/fonts/Alegreya_Sans/AlegreyaSans-Black.ttf new file mode 100644 index 0000000..62e19d4 Binary files /dev/null and b/fonts/Alegreya_Sans/AlegreyaSans-Black.ttf differ diff --git a/fonts/Alegreya_Sans/AlegreyaSans-BlackItalic.ttf b/fonts/Alegreya_Sans/AlegreyaSans-BlackItalic.ttf new file mode 100644 index 0000000..5636b92 Binary files /dev/null and b/fonts/Alegreya_Sans/AlegreyaSans-BlackItalic.ttf differ diff --git a/fonts/Alegreya_Sans/AlegreyaSans-Bold.ttf b/fonts/Alegreya_Sans/AlegreyaSans-Bold.ttf new file mode 100644 index 0000000..57f66b2 Binary files /dev/null and b/fonts/Alegreya_Sans/AlegreyaSans-Bold.ttf differ diff --git a/fonts/Alegreya_Sans/AlegreyaSans-BoldItalic.ttf b/fonts/Alegreya_Sans/AlegreyaSans-BoldItalic.ttf new file mode 100644 index 0000000..7231cc9 Binary files /dev/null and b/fonts/Alegreya_Sans/AlegreyaSans-BoldItalic.ttf differ diff --git a/fonts/Alegreya_Sans/AlegreyaSans-ExtraBold.ttf b/fonts/Alegreya_Sans/AlegreyaSans-ExtraBold.ttf new file mode 100644 index 0000000..977eab3 Binary files /dev/null and b/fonts/Alegreya_Sans/AlegreyaSans-ExtraBold.ttf differ diff --git a/fonts/Alegreya_Sans/AlegreyaSans-ExtraBoldItalic.ttf b/fonts/Alegreya_Sans/AlegreyaSans-ExtraBoldItalic.ttf new file mode 100644 index 0000000..eab7812 Binary files /dev/null and b/fonts/Alegreya_Sans/AlegreyaSans-ExtraBoldItalic.ttf differ diff --git a/fonts/Alegreya_Sans/AlegreyaSans-Italic.ttf b/fonts/Alegreya_Sans/AlegreyaSans-Italic.ttf new file mode 100644 index 0000000..c6547fe Binary files /dev/null and b/fonts/Alegreya_Sans/AlegreyaSans-Italic.ttf differ diff --git a/fonts/Alegreya_Sans/AlegreyaSans-Light.ttf b/fonts/Alegreya_Sans/AlegreyaSans-Light.ttf new file mode 100644 index 0000000..04ea269 Binary files /dev/null and b/fonts/Alegreya_Sans/AlegreyaSans-Light.ttf differ diff --git a/fonts/Alegreya_Sans/AlegreyaSans-LightItalic.ttf b/fonts/Alegreya_Sans/AlegreyaSans-LightItalic.ttf new file mode 100644 index 0000000..76fd617 Binary files /dev/null and b/fonts/Alegreya_Sans/AlegreyaSans-LightItalic.ttf differ diff --git a/fonts/Alegreya_Sans/AlegreyaSans-Medium.ttf b/fonts/Alegreya_Sans/AlegreyaSans-Medium.ttf new file mode 100644 index 0000000..a967282 Binary files /dev/null and b/fonts/Alegreya_Sans/AlegreyaSans-Medium.ttf differ diff --git a/fonts/Alegreya_Sans/AlegreyaSans-MediumItalic.ttf b/fonts/Alegreya_Sans/AlegreyaSans-MediumItalic.ttf new file mode 100644 index 0000000..3feca8d Binary files /dev/null and b/fonts/Alegreya_Sans/AlegreyaSans-MediumItalic.ttf differ diff --git a/fonts/Alegreya_Sans/AlegreyaSans-Regular.ttf b/fonts/Alegreya_Sans/AlegreyaSans-Regular.ttf new file mode 100644 index 0000000..35d7373 Binary files /dev/null and b/fonts/Alegreya_Sans/AlegreyaSans-Regular.ttf differ diff --git a/fonts/Alegreya_Sans/AlegreyaSans-Thin.ttf b/fonts/Alegreya_Sans/AlegreyaSans-Thin.ttf new file mode 100644 index 0000000..0778989 Binary files /dev/null and b/fonts/Alegreya_Sans/AlegreyaSans-Thin.ttf differ diff --git a/fonts/Alegreya_Sans/AlegreyaSans-ThinItalic.ttf b/fonts/Alegreya_Sans/AlegreyaSans-ThinItalic.ttf new file mode 100644 index 0000000..50c693b Binary files /dev/null and b/fonts/Alegreya_Sans/AlegreyaSans-ThinItalic.ttf differ diff --git a/fonts/Alegreya_Sans/OFL.txt b/fonts/Alegreya_Sans/OFL.txt new file mode 100644 index 0000000..deb1ea5 --- /dev/null +++ b/fonts/Alegreya_Sans/OFL.txt @@ -0,0 +1,93 @@ +Copyright 2013 The Alegreya Sans Project Authors (https://github.com/huertatipografica/Alegreya-Sans) + +This Font Software is licensed under the SIL Open Font License, Version 1.1. +This license is copied below, and is also available with a FAQ at: +https://openfontlicense.org + + +----------------------------------------------------------- +SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007 +----------------------------------------------------------- + +PREAMBLE +The goals of the Open Font License (OFL) are to stimulate worldwide +development of collaborative font projects, to support the font creation +efforts of academic and linguistic communities, and to provide a free and +open framework in which fonts may be shared and improved in partnership +with others. + +The OFL allows the licensed fonts to be used, studied, modified and +redistributed freely as long as they are not sold by themselves. The +fonts, including any derivative works, can be bundled, embedded, +redistributed and/or sold with any software provided that any reserved +names are not used by derivative works. The fonts and derivatives, +however, cannot be released under any other type of license. The +requirement for fonts to remain under this license does not apply +to any document created using the fonts or their derivatives. + +DEFINITIONS +"Font Software" refers to the set of files released by the Copyright +Holder(s) under this license and clearly marked as such. This may +include source files, build scripts and documentation. + +"Reserved Font Name" refers to any names specified as such after the +copyright statement(s). + +"Original Version" refers to the collection of Font Software components as +distributed by the Copyright Holder(s). + +"Modified Version" refers to any derivative made by adding to, deleting, +or substituting -- in part or in whole -- any of the components of the +Original Version, by changing formats or by porting the Font Software to a +new environment. + +"Author" refers to any designer, engineer, programmer, technical +writer or other person who contributed to the Font Software. + +PERMISSION & CONDITIONS +Permission is hereby granted, free of charge, to any person obtaining +a copy of the Font Software, to use, study, copy, merge, embed, modify, +redistribute, and sell modified and unmodified copies of the Font +Software, subject to the following conditions: + +1) Neither the Font Software nor any of its individual components, +in Original or Modified Versions, may be sold by itself. + +2) Original or Modified Versions of the Font Software may be bundled, +redistributed and/or sold with any software, provided that each copy +contains the above copyright notice and this license. These can be +included either as stand-alone text files, human-readable headers or +in the appropriate machine-readable metadata fields within text or +binary files as long as those fields can be easily viewed by the user. + +3) No Modified Version of the Font Software may use the Reserved Font +Name(s) unless explicit written permission is granted by the corresponding +Copyright Holder. This restriction only applies to the primary font name as +presented to the users. + +4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font +Software shall not be used to promote, endorse or advertise any +Modified Version, except to acknowledge the contribution(s) of the +Copyright Holder(s) and the Author(s) or with their explicit written +permission. + +5) The Font Software, modified or unmodified, in part or in whole, +must be distributed entirely under this license, and must not be +distributed under any other license. The requirement for fonts to +remain under this license does not apply to any document created +using the Font Software. + +TERMINATION +This license becomes null and void if any of the above conditions are +not met. + +DISCLAIMER +THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, +EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF +MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT +OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE +COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, +INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL +DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING +FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM +OTHER DEALINGS IN THE FONT SOFTWARE. diff --git a/fonts/CommitMonoUnfancyDevNV143/.uuid b/fonts/CommitMonoUnfancyDevNV143/.uuid new file mode 100644 index 0000000..c295ab6 --- /dev/null +++ b/fonts/CommitMonoUnfancyDevNV143/.uuid @@ -0,0 +1 @@ +b481aac1-ef8d-48d0-8d6b-b109c992addd \ No newline at end of file diff --git a/fonts/CommitMonoUnfancyDevNV143/CommitMonoUnfancyDevN-350-Italic.otf b/fonts/CommitMonoUnfancyDevNV143/CommitMonoUnfancyDevN-350-Italic.otf new file mode 100644 index 0000000..7332b65 Binary files /dev/null and b/fonts/CommitMonoUnfancyDevNV143/CommitMonoUnfancyDevN-350-Italic.otf differ diff --git a/fonts/CommitMonoUnfancyDevNV143/CommitMonoUnfancyDevN-350-Regular.otf b/fonts/CommitMonoUnfancyDevNV143/CommitMonoUnfancyDevN-350-Regular.otf new file mode 100644 index 0000000..e352120 Binary files /dev/null and b/fonts/CommitMonoUnfancyDevNV143/CommitMonoUnfancyDevN-350-Regular.otf differ diff --git a/fonts/CommitMonoUnfancyDevNV143/CommitMonoUnfancyDevN-700-Italic.otf b/fonts/CommitMonoUnfancyDevNV143/CommitMonoUnfancyDevN-700-Italic.otf new file mode 100644 index 0000000..07ef37b Binary files /dev/null and b/fonts/CommitMonoUnfancyDevNV143/CommitMonoUnfancyDevN-700-Italic.otf differ diff --git a/fonts/CommitMonoUnfancyDevNV143/CommitMonoUnfancyDevN-700-Regular.otf b/fonts/CommitMonoUnfancyDevNV143/CommitMonoUnfancyDevN-700-Regular.otf new file mode 100644 index 0000000..69ca613 Binary files /dev/null and b/fonts/CommitMonoUnfancyDevNV143/CommitMonoUnfancyDevN-700-Regular.otf differ diff --git a/fonts/CommitMonoUnfancyDevNV143/custom-settings.json b/fonts/CommitMonoUnfancyDevNV143/custom-settings.json new file mode 100644 index 0000000..d51d2d0 --- /dev/null +++ b/fonts/CommitMonoUnfancyDevNV143/custom-settings.json @@ -0,0 +1 @@ +{"weight":350,"italic":false,"alternates":{"cv01":false,"cv02":false,"cv03":false,"cv04":false,"cv05":false,"cv06":true,"cv07":false,"cv08":true,"cv09":false,"cv10":false,"cv11":false},"features":{"ss01":false,"ss02":false,"ss03":false,"ss04":true,"ss05":true},"letterSpacing":0,"lineHeight":1,"fontName":"UnfancyDevN"} \ No newline at end of file diff --git a/fonts/CommitMonoUnfancyDevNV143/installation.txt b/fonts/CommitMonoUnfancyDevNV143/installation.txt new file mode 100644 index 0000000..90b96dd --- /dev/null +++ b/fonts/CommitMonoUnfancyDevNV143/installation.txt @@ -0,0 +1,11 @@ +A short guide for how to install and enable your shiny new version of Commit Mono. +This is taken from section 08 Install from https://commitmono.com/ + +#1 (Download the fonts) +#2 Unzip the fonts. You'll see 4 font files. These 4 fonts make up a 'Style Group': + * CommitMono-Regular: Base version with settings and weight of your choice. + * CommitMono-Italic: An italic version, same weight as regular. + * CommitMono-Bold: A bold version, weight 700. + * CommitMono-BoldItalic: A bold version, weight 700, that is also italic. +#3 Install all 4 fonts on your system: + * Windows: Right click the font in the folder and click "Instal \ No newline at end of file diff --git a/fonts/CommitMonoUnfancyDevNV143/license.txt b/fonts/CommitMonoUnfancyDevNV143/license.txt new file mode 100644 index 0000000..0e30ff2 --- /dev/null +++ b/fonts/CommitMonoUnfancyDevNV143/license.txt @@ -0,0 +1,37 @@ +This Font Software is licensed under the SIL Open Font License, Version 1.1. +This license is copied below, and is also available with a FAQ at: +http://scripts.sil.org/OFL + +----------------------------------------------------------- +SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007 +----------------------------------------------------------- + +PREAMBLE +The goals of the Open Font License (OFL) are to stimulate worldwide +development of collaborative font projects, to support the font creation +efforts of academic and linguistic communities, and to provide a free and +open framework in which fonts may be shared and improved in partnership +with others. + +The OFL allows the licensed fonts to be used, studied, modified and +redistributed freely as long as they are not sold by themselves. The +fonts, including any derivative works, can be bundled, embedded, +redistributed and/or sold with any software provided that any reserved +names are not used by derivative works. The fonts and derivatives, +however, cannot be released under any other type of license. The +requirement for fonts to remain under this license does not apply +to any document created using the fonts or their derivatives. + +DEFINITIONS +"Font Software" refers to the set of files released by the Copyright +Holder(s) under this license and clearly marked as such. This may +include source files, build scripts and documentation. + +"Reserved Font Name" refers to any names specified as such after the +copyright statement(s). + +"Original Version" refers to the collection of Font Software components as +distributed by the Copyright Holder(s). + +"Modified Version" refers to any derivative made by adding to, deleting, +or substituting -- in part or in whole -- any of the compon \ No newline at end of file diff --git a/fonts/JuliaMono/JuliaMono-Black.woff2 b/fonts/JuliaMono/JuliaMono-Black.woff2 new file mode 100644 index 0000000..be65749 Binary files /dev/null and b/fonts/JuliaMono/JuliaMono-Black.woff2 differ diff --git a/fonts/JuliaMono/JuliaMono-BlackItalic.woff2 b/fonts/JuliaMono/JuliaMono-BlackItalic.woff2 new file mode 100644 index 0000000..d596336 Binary files /dev/null and b/fonts/JuliaMono/JuliaMono-BlackItalic.woff2 differ diff --git a/fonts/JuliaMono/JuliaMono-Bold.woff2 b/fonts/JuliaMono/JuliaMono-Bold.woff2 new file mode 100644 index 0000000..4c3db61 Binary files /dev/null and b/fonts/JuliaMono/JuliaMono-Bold.woff2 differ diff --git a/fonts/JuliaMono/JuliaMono-BoldItalic.woff2 b/fonts/JuliaMono/JuliaMono-BoldItalic.woff2 new file mode 100644 index 0000000..f49025b Binary files /dev/null and b/fonts/JuliaMono/JuliaMono-BoldItalic.woff2 differ diff --git a/fonts/JuliaMono/JuliaMono-BoldLatin.woff2 b/fonts/JuliaMono/JuliaMono-BoldLatin.woff2 new file mode 100644 index 0000000..06ce1da Binary files /dev/null and b/fonts/JuliaMono/JuliaMono-BoldLatin.woff2 differ diff --git a/fonts/JuliaMono/JuliaMono-ExtraBold.woff2 b/fonts/JuliaMono/JuliaMono-ExtraBold.woff2 new file mode 100644 index 0000000..a8c7dc8 Binary files /dev/null and b/fonts/JuliaMono/JuliaMono-ExtraBold.woff2 differ diff --git a/fonts/JuliaMono/JuliaMono-ExtraBoldItalic.woff2 b/fonts/JuliaMono/JuliaMono-ExtraBoldItalic.woff2 new file mode 100644 index 0000000..cec7a13 Binary files /dev/null and b/fonts/JuliaMono/JuliaMono-ExtraBoldItalic.woff2 differ diff --git a/fonts/JuliaMono/JuliaMono-Light.woff2 b/fonts/JuliaMono/JuliaMono-Light.woff2 new file mode 100644 index 0000000..204a719 Binary files /dev/null and b/fonts/JuliaMono/JuliaMono-Light.woff2 differ diff --git a/fonts/JuliaMono/JuliaMono-LightItalic.woff2 b/fonts/JuliaMono/JuliaMono-LightItalic.woff2 new file mode 100644 index 0000000..be6810d Binary files /dev/null and b/fonts/JuliaMono/JuliaMono-LightItalic.woff2 differ diff --git a/fonts/JuliaMono/JuliaMono-Medium.woff2 b/fonts/JuliaMono/JuliaMono-Medium.woff2 new file mode 100644 index 0000000..89d45b0 Binary files /dev/null and b/fonts/JuliaMono/JuliaMono-Medium.woff2 differ diff --git a/fonts/JuliaMono/JuliaMono-MediumItalic.woff2 b/fonts/JuliaMono/JuliaMono-MediumItalic.woff2 new file mode 100644 index 0000000..7f5f4d5 Binary files /dev/null and b/fonts/JuliaMono/JuliaMono-MediumItalic.woff2 differ diff --git a/fonts/JuliaMono/JuliaMono-Regular.woff2 b/fonts/JuliaMono/JuliaMono-Regular.woff2 new file mode 100644 index 0000000..a00d531 Binary files /dev/null and b/fonts/JuliaMono/JuliaMono-Regular.woff2 differ diff --git a/fonts/JuliaMono/JuliaMono-RegularItalic.woff2 b/fonts/JuliaMono/JuliaMono-RegularItalic.woff2 new file mode 100644 index 0000000..5dca2aa Binary files /dev/null and b/fonts/JuliaMono/JuliaMono-RegularItalic.woff2 differ diff --git a/fonts/JuliaMono/JuliaMono-RegularLatin.woff2 b/fonts/JuliaMono/JuliaMono-RegularLatin.woff2 new file mode 100644 index 0000000..853eb4d Binary files /dev/null and b/fonts/JuliaMono/JuliaMono-RegularLatin.woff2 differ diff --git a/fonts/JuliaMono/JuliaMono-SemiBold.woff2 b/fonts/JuliaMono/JuliaMono-SemiBold.woff2 new file mode 100644 index 0000000..6c543a5 Binary files /dev/null and b/fonts/JuliaMono/JuliaMono-SemiBold.woff2 differ diff --git a/fonts/JuliaMono/JuliaMono-SemiBoldItalic.woff2 b/fonts/JuliaMono/JuliaMono-SemiBoldItalic.woff2 new file mode 100644 index 0000000..3b5d6ce Binary files /dev/null and b/fonts/JuliaMono/JuliaMono-SemiBoldItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-CaptionBold.woff2 b/fonts/LiterataTT/LiterataTT-CaptionBold.woff2 new file mode 100644 index 0000000..9a833e2 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-CaptionBold.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-CaptionBoldItalic.woff2 b/fonts/LiterataTT/LiterataTT-CaptionBoldItalic.woff2 new file mode 100644 index 0000000..a3e79f1 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-CaptionBoldItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-CaptionItalic.woff2 b/fonts/LiterataTT/LiterataTT-CaptionItalic.woff2 new file mode 100644 index 0000000..66ccb73 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-CaptionItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-CaptionMedium.woff2 b/fonts/LiterataTT/LiterataTT-CaptionMedium.woff2 new file mode 100644 index 0000000..ab2cb3d Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-CaptionMedium.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-CaptionMediumItalic.woff2 b/fonts/LiterataTT/LiterataTT-CaptionMediumItalic.woff2 new file mode 100644 index 0000000..9d7bb1f Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-CaptionMediumItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-CaptionRegular.woff2 b/fonts/LiterataTT/LiterataTT-CaptionRegular.woff2 new file mode 100644 index 0000000..ff2f86a Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-CaptionRegular.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-CaptionSemibold.woff2 b/fonts/LiterataTT/LiterataTT-CaptionSemibold.woff2 new file mode 100644 index 0000000..b7d8109 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-CaptionSemibold.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-CaptionSemiboldItalic.woff2 b/fonts/LiterataTT/LiterataTT-CaptionSemiboldItalic.woff2 new file mode 100644 index 0000000..65def60 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-CaptionSemiboldItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-DisplayBlack.woff2 b/fonts/LiterataTT/LiterataTT-DisplayBlack.woff2 new file mode 100644 index 0000000..75b9b3f Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-DisplayBlack.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-DisplayBlackItalic.woff2 b/fonts/LiterataTT/LiterataTT-DisplayBlackItalic.woff2 new file mode 100644 index 0000000..d6ff53f Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-DisplayBlackItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-DisplayBold.woff2 b/fonts/LiterataTT/LiterataTT-DisplayBold.woff2 new file mode 100644 index 0000000..f25169f Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-DisplayBold.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-DisplayBoldItalic.woff2 b/fonts/LiterataTT/LiterataTT-DisplayBoldItalic.woff2 new file mode 100644 index 0000000..82fe1ea Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-DisplayBoldItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-DisplayExtrabold.woff2 b/fonts/LiterataTT/LiterataTT-DisplayExtrabold.woff2 new file mode 100644 index 0000000..099a2fe Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-DisplayExtrabold.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-DisplayExtraboldItalic.woff2 b/fonts/LiterataTT/LiterataTT-DisplayExtraboldItalic.woff2 new file mode 100644 index 0000000..a5cbbe7 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-DisplayExtraboldItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-DisplayExtralight.woff2 b/fonts/LiterataTT/LiterataTT-DisplayExtralight.woff2 new file mode 100644 index 0000000..203bc92 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-DisplayExtralight.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-DisplayExtralightItalic.woff2 b/fonts/LiterataTT/LiterataTT-DisplayExtralightItalic.woff2 new file mode 100644 index 0000000..a499204 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-DisplayExtralightItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-DisplayItalic.woff2 b/fonts/LiterataTT/LiterataTT-DisplayItalic.woff2 new file mode 100644 index 0000000..2b1b4c8 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-DisplayItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-DisplayLight.woff2 b/fonts/LiterataTT/LiterataTT-DisplayLight.woff2 new file mode 100644 index 0000000..75ec32e Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-DisplayLight.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-DisplayLightItalic.woff2 b/fonts/LiterataTT/LiterataTT-DisplayLightItalic.woff2 new file mode 100644 index 0000000..c803d7f Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-DisplayLightItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-DisplayMedium.woff2 b/fonts/LiterataTT/LiterataTT-DisplayMedium.woff2 new file mode 100644 index 0000000..cac14cc Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-DisplayMedium.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-DisplayMediumItalic.woff2 b/fonts/LiterataTT/LiterataTT-DisplayMediumItalic.woff2 new file mode 100644 index 0000000..0c77c41 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-DisplayMediumItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-DisplayRegular.woff2 b/fonts/LiterataTT/LiterataTT-DisplayRegular.woff2 new file mode 100644 index 0000000..2278565 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-DisplayRegular.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-DisplaySemibold.woff2 b/fonts/LiterataTT/LiterataTT-DisplaySemibold.woff2 new file mode 100644 index 0000000..2dd75e5 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-DisplaySemibold.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-DisplaySemiboldItalic.woff2 b/fonts/LiterataTT/LiterataTT-DisplaySemiboldItalic.woff2 new file mode 100644 index 0000000..0b36ae0 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-DisplaySemiboldItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-SubheadBold.woff2 b/fonts/LiterataTT/LiterataTT-SubheadBold.woff2 new file mode 100644 index 0000000..9d90c5e Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-SubheadBold.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-SubheadBoldItalic.woff2 b/fonts/LiterataTT/LiterataTT-SubheadBoldItalic.woff2 new file mode 100644 index 0000000..0fa1f42 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-SubheadBoldItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-SubheadExtrabold.woff2 b/fonts/LiterataTT/LiterataTT-SubheadExtrabold.woff2 new file mode 100644 index 0000000..4b06589 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-SubheadExtrabold.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-SubheadExtraboldItalic.woff2 b/fonts/LiterataTT/LiterataTT-SubheadExtraboldItalic.woff2 new file mode 100644 index 0000000..3c96359 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-SubheadExtraboldItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-SubheadItalic.woff2 b/fonts/LiterataTT/LiterataTT-SubheadItalic.woff2 new file mode 100644 index 0000000..d1902ee Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-SubheadItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-SubheadLight.woff2 b/fonts/LiterataTT/LiterataTT-SubheadLight.woff2 new file mode 100644 index 0000000..4fff4eb Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-SubheadLight.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-SubheadLightItalic.woff2 b/fonts/LiterataTT/LiterataTT-SubheadLightItalic.woff2 new file mode 100644 index 0000000..4f5b8a6 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-SubheadLightItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-SubheadMedium.woff2 b/fonts/LiterataTT/LiterataTT-SubheadMedium.woff2 new file mode 100644 index 0000000..c6e1263 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-SubheadMedium.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-SubheadMediumItalic.woff2 b/fonts/LiterataTT/LiterataTT-SubheadMediumItalic.woff2 new file mode 100644 index 0000000..e29027a Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-SubheadMediumItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-SubheadRegular.woff2 b/fonts/LiterataTT/LiterataTT-SubheadRegular.woff2 new file mode 100644 index 0000000..5bb29d2 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-SubheadRegular.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-SubheadSemibold.woff2 b/fonts/LiterataTT/LiterataTT-SubheadSemibold.woff2 new file mode 100644 index 0000000..bafbe3b Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-SubheadSemibold.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-SubheadSemiboldItalic.woff2 b/fonts/LiterataTT/LiterataTT-SubheadSemiboldItalic.woff2 new file mode 100644 index 0000000..635f8a3 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-SubheadSemiboldItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-TextBold.woff2 b/fonts/LiterataTT/LiterataTT-TextBold.woff2 new file mode 100644 index 0000000..1045d4b Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-TextBold.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-TextBoldItalic.woff2 b/fonts/LiterataTT/LiterataTT-TextBoldItalic.woff2 new file mode 100644 index 0000000..1ac4cbf Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-TextBoldItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-TextExtrabold.woff2 b/fonts/LiterataTT/LiterataTT-TextExtrabold.woff2 new file mode 100644 index 0000000..6059825 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-TextExtrabold.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-TextExtraboldItalic.woff2 b/fonts/LiterataTT/LiterataTT-TextExtraboldItalic.woff2 new file mode 100644 index 0000000..85ad3b0 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-TextExtraboldItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-TextItalic.woff2 b/fonts/LiterataTT/LiterataTT-TextItalic.woff2 new file mode 100644 index 0000000..c4fcaef Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-TextItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-TextLight.woff2 b/fonts/LiterataTT/LiterataTT-TextLight.woff2 new file mode 100644 index 0000000..cbdba75 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-TextLight.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-TextLightItalic.woff2 b/fonts/LiterataTT/LiterataTT-TextLightItalic.woff2 new file mode 100644 index 0000000..1a3ba9e Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-TextLightItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-TextMedium.woff2 b/fonts/LiterataTT/LiterataTT-TextMedium.woff2 new file mode 100644 index 0000000..096a989 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-TextMedium.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-TextMediumItalic.woff2 b/fonts/LiterataTT/LiterataTT-TextMediumItalic.woff2 new file mode 100644 index 0000000..1bb29eb Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-TextMediumItalic.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-TextRegular.woff2 b/fonts/LiterataTT/LiterataTT-TextRegular.woff2 new file mode 100644 index 0000000..95f4194 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-TextRegular.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-TextSemibold.woff2 b/fonts/LiterataTT/LiterataTT-TextSemibold.woff2 new file mode 100644 index 0000000..5536f52 Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-TextSemibold.woff2 differ diff --git a/fonts/LiterataTT/LiterataTT-TextSemiboldItalic.woff2 b/fonts/LiterataTT/LiterataTT-TextSemiboldItalic.woff2 new file mode 100644 index 0000000..37ed92e Binary files /dev/null and b/fonts/LiterataTT/LiterataTT-TextSemiboldItalic.woff2 differ diff --git a/fonts/STIXTwo/STIXTwoMath-Regular.woff2 b/fonts/STIXTwo/STIXTwoMath-Regular.woff2 new file mode 100644 index 0000000..279a98f Binary files /dev/null and b/fonts/STIXTwo/STIXTwoMath-Regular.woff2 differ diff --git a/fonts/STIXTwo/STIXTwoText_Bold.otf b/fonts/STIXTwo/STIXTwoText_Bold.otf new file mode 100644 index 0000000..1f7365a Binary files /dev/null and b/fonts/STIXTwo/STIXTwoText_Bold.otf differ diff --git a/fonts/STIXTwo/STIXTwoText_BoldItalic.otf b/fonts/STIXTwo/STIXTwoText_BoldItalic.otf new file mode 100644 index 0000000..8752d10 Binary files /dev/null and b/fonts/STIXTwo/STIXTwoText_BoldItalic.otf differ diff --git a/fonts/STIXTwo/STIXTwoText_Italic.otf b/fonts/STIXTwo/STIXTwoText_Italic.otf new file mode 100644 index 0000000..ffaa339 Binary files /dev/null and b/fonts/STIXTwo/STIXTwoText_Italic.otf differ diff --git a/fonts/STIXTwo/STIXTwoText_Medium.otf b/fonts/STIXTwo/STIXTwoText_Medium.otf new file mode 100644 index 0000000..1935852 Binary files /dev/null and b/fonts/STIXTwo/STIXTwoText_Medium.otf differ diff --git a/fonts/STIXTwo/STIXTwoText_MediumItalic.otf b/fonts/STIXTwo/STIXTwoText_MediumItalic.otf new file mode 100644 index 0000000..9c5d788 Binary files /dev/null and b/fonts/STIXTwo/STIXTwoText_MediumItalic.otf differ diff --git a/fonts/STIXTwo/STIXTwoText_Regular.otf b/fonts/STIXTwo/STIXTwoText_Regular.otf new file mode 100644 index 0000000..e8631c1 Binary files /dev/null and b/fonts/STIXTwo/STIXTwoText_Regular.otf differ diff --git a/fonts/STIXTwo/STIXTwoText_Semibold.otf b/fonts/STIXTwo/STIXTwoText_Semibold.otf new file mode 100644 index 0000000..d1eb16b Binary files /dev/null and b/fonts/STIXTwo/STIXTwoText_Semibold.otf differ diff --git a/fonts/STIXTwo/STIXTwoText_SemiboldItalic.otf b/fonts/STIXTwo/STIXTwoText_SemiboldItalic.otf new file mode 100644 index 0000000..899a504 Binary files /dev/null and b/fonts/STIXTwo/STIXTwoText_SemiboldItalic.otf differ diff --git a/html/404.html b/html/404.html deleted file mode 100644 index f98b83d..0000000 --- a/html/404.html +++ /dev/null @@ -1,120 +0,0 @@ - - - - - The page is not found - - - - - -

nginx error!

- -
- -

The page you are looking for is not found.

- -
-

Website Administrator

-
-

Something has triggered missing webpage on your - website. This is the default 404 error page for - nginx that is distributed with - AlmaLinux. It is located - /usr/share/nginx/html/404.html

- -

You should customize this error page for your own - site or edit the error_page directive in - the nginx configuration file - /etc/nginx/nginx.conf.

- -

For information on AlmaLinux, please visit the AlmaLinux website.

- -
-
- -
- [ Powered by nginx ] - [ Powered by AlmaLinux ] -
-
- - \ No newline at end of file diff --git a/html/50x.html b/html/50x.html deleted file mode 100644 index 53e02c2..0000000 --- a/html/50x.html +++ /dev/null @@ -1,120 +0,0 @@ - - - - - The page is temporarily unavailable - - - - - -

nginx error!

- -
- -

The page you are looking for is temporarily unavailable. Please try again later.

- -
-

Website Administrator

-
-

Something has triggered missing webpage on your - website. This is the default error page for - nginx that is distributed with - AlmaLinux. It is located - /usr/share/nginx/html/50x.html

- -

You should customize this error page for your own - site or edit the error_page directive in - the nginx configuration file - /etc/nginx/nginx.conf.

- -

For information on AlmaLinux, please visit the AlmaLinux website.

- -
-
- -
- [ Powered by nginx ] - [ Powered by AlmaLinux ] -
-
- - \ No newline at end of file diff --git a/html/index_master.html b/html/index_master.html deleted file mode 100644 index fbd4792..0000000 --- a/html/index_master.html +++ /dev/null @@ -1,19 +0,0 @@ -

Page script failed to run. Please enable javascript.

- - - diff --git a/html/nginx-logo.png b/html/nginx-logo.png deleted file mode 100644 index 638b499..0000000 Binary files a/html/nginx-logo.png and /dev/null differ diff --git a/html/recipes/AmarettiCookies.pdf b/html/recipes/AmarettiCookies.pdf deleted file mode 100644 index 15b3c4d..0000000 Binary files a/html/recipes/AmarettiCookies.pdf and /dev/null differ diff --git a/html/recipes/CoronationChicken.pdf b/html/recipes/CoronationChicken.pdf deleted file mode 100644 index b97f100..0000000 Binary files a/html/recipes/CoronationChicken.pdf and /dev/null differ diff --git a/html/recipes/index.html b/html/recipes/index.html deleted file mode 100644 index d5f3cf7..0000000 --- a/html/recipes/index.html +++ /dev/null @@ -1,6 +0,0 @@ -
    -
  1. Coronation Chicken
  2. -
  3. Easy Medium Salsa
  4. -
  5. Amaretti Cookies
  6. -
- diff --git a/html/resumE.pdf b/html/resumE.pdf deleted file mode 100644 index 8da026e..0000000 Binary files a/html/resumE.pdf and /dev/null differ diff --git a/html/styles.css b/html/styles.css deleted file mode 100644 index 361b41f..0000000 --- a/html/styles.css +++ /dev/null @@ -1,9 +0,0 @@ -body { - background-color: powderblue; -} -h1 { - color: blue; -} -p { - color: red; -} diff --git a/html/yth-name.html b/html/yth-name.html deleted file mode 100644 index 58fc8ff..0000000 --- a/html/yth-name.html +++ /dev/null @@ -1,3 +0,0 @@ -

"Ytheleus" is the second part of a name, "Sisela Ytheleus 1/2", belonging to a spirited type D-4 military drone of the explorer ship "Peace Makes Plenty", a vessel of the Stargazer Clan, part of the Fifth Fleet of the Zetetic Elench - from Iain M. Banks' fifth Culture novel, Excession.

- -

"One should always be prepared for every eventuality, even if it's getting shafted by a dope with bigger guns."

diff --git a/inclusions/footer.html b/inclusions/footer.html new file mode 100644 index 0000000..21c456b --- /dev/null +++ b/inclusions/footer.html @@ -0,0 +1,5 @@ + \ No newline at end of file diff --git a/math_wrapper.sh b/math_wrapper.sh new file mode 100755 index 0000000..b3b99c2 --- /dev/null +++ b/math_wrapper.sh @@ -0,0 +1,11 @@ +#! /usr/bin/env sh + +if [ $# -lt 1 ]; then + echo -n 'BLOCK MATH ERROR' +elif [[ "$1" == "display" ]]; then + echo -n '

' + latexmlmath --preload=amsmath.sty --preload=amssymb.sty - + echo -n '

' +else + latexmlmath --preload=amsmath.sty --preload=amssymb.sty - +fi \ No newline at end of file diff --git a/serve.sh b/serve.sh new file mode 100755 index 0000000..f857529 --- /dev/null +++ b/serve.sh @@ -0,0 +1,3 @@ +#!/bin/sh + +python3 -m http.server -d $1 8080 diff --git a/shared_templates/main.html b/shared_templates/main.html new file mode 100644 index 0000000..a0210d5 --- /dev/null +++ b/shared_templates/main.html @@ -0,0 +1,33 @@ + + + + + <!-- set automatically, see soupault.conf --> + + + + + + + + + + + +
+
+ + + + \ No newline at end of file diff --git a/soupault.toml b/soupault.toml new file mode 100644 index 0000000..7d8e4e3 --- /dev/null +++ b/soupault.toml @@ -0,0 +1,142 @@ + +# To learn about configuring soupault, visit https://www.soupault.app/reference-manual + +[settings] +# Soupault version that the config was written/generated for +# Trying to process this config with an older version will result in an error message +soupault_version = "4.11.0" + +# Display progress? +verbose = true + +# Display detailed debug output? +debug = false + +# Where input files (pages and assets) are stored. +site_dir = "site" + +# Where the output goes +build_dir = "serve" + +# Files inside the site/ directory can be treated as pages or static assets, +# depending on the extension. +# +# Files with extensions from this list are considered pages and processed. +# All other files are copied to build/ unchanged. +# +# Note that for formats other than HTML, you need to specify an external program +# for converting them to HTML (see below). +page_file_extensions = ["html", "dj"] + +# By default, soupault uses "clean URLs", +# that is, $site_dir/page.html is converted to $build_dir/page/index.html +# You can make it produce $build_dir/page.tml instead by changing this option to false +clean_urls = true + +# If you set clean_urls=false, +# file names with ".html" and ".htm" extensions are left unchanged. +keep_extensions = ["html"] + +# All other extensions (".md", ".rst"...) are replaced, by default with ".html" +default_extension = "html" + +# Page files with these extensions are ignored. +ignore_extensions = ["draft", "bak"] + +# Soupault can work as a website generator or an HTML processor. +# +# In the "website generator" mode, it considers files in site/ page bodies +# and inserts them into the empty page template stored in templates/main.html +# +# Setting this option to false switches it to the "HTML processor" mode +# when it considers every file in site/ a complete page and only runs it through widgets/plugins. +generator_mode = true + +# Files that contain an element are considered complete pages rather than page bodies, +# even in the "website generator" mode. +# This allows you to use a unique layout for some pages and still have them processed by widgets. +complete_page_selector = "html" + +# Website generator mode requires a page template (an empty page to insert a page body into). +# If you use "generator_mode = false", this file is not required. +default_template_file = "templates/main.html" + +# Page content is inserted into a certain element of the page template. +# This option is a CSS selector that is used for locating that element. +default_content_selector = "main" + +# You can choose where exactly to insert the content in its parent element. +# The default is append_child, but there are more, including prepend_child and replace_content +default_content_action = "append_child" + +# If a page already has a document type declaration, keep the declaration +keep_doctype = true + +# If a page does not have a document type declaration, force it to HTML5 +# With keep_doctype=false, soupault will replace existing declarations with it too +doctype = "" + +# Insert whitespace into HTML for better readability +# When set to false, the original whitespace (if any) will be preserved as is +pretty_print_html = true + +# Plugins can be either automatically discovered or loaded explicitly. +# By default discovery is enabled and the place where soupault is looking is the plugins/ subdirectory +# in your project. +# E.g., a file at plugins/my-plugin.lua will be registered as a widget named "my-plugin". +plugin_discovery = true +plugin_dirs = ["plugins"] + +# Soupault can cache outputs of external programs +# (page preprocessors and preprocess_element widget commands). +# It's disabled by default but you can enable it and configure the cache directory name/path +caching = false +cache_dir = ".soupault-cache" + +# Soupault supports a variety of page source character encodings, +# the default encoding is UTF-8 +page_character_encoding = "utf-8" + +# It is possible to store pages in any format if you have a program +# that converts it to HTML and writes it to standard output. +# Example: +[preprocessors] +# dj = "pandoc -r djot -w html" +dj = "jotdown" + +# Pages can be further processed with "widgets" + +# Takes the content of the first

and inserts it into the +[widgets.page-title] +widget = "title" +selector = "h1" +# default = "My Homepage" +# append = " — My Homepage" + +# Insert a <title> in a page if it doesn't have one already. +# By default soupault assumes if it's missing, you don't want it. +force = false + +# Inserts a generator meta tag in the page <head> +# Just for demonstration, feel free to remove +[widgets.generator-meta] +widget = "insert_html" +html = '<meta name="generator" content="soupault">' +selector = "head" + +[widgets.syntax] +widget = "preprocess_element" +selector = 'pre code' +command = "./syntax_wrapper.sh ${ATTR_CLASS##*-}" + +[widgets.math-inline] +widget = "preprocess_element" +selector = "span.math.inline" +command = "./math_wrapper.sh inline" +action = "replace_element" + +[widgets.math-display] +widget = "preprocess_element" +selector = "span.math.display" +command = "./math_wrapper.sh display" +action = "replace_element" \ No newline at end of file diff --git a/syntax_wrapper.sh b/syntax_wrapper.sh new file mode 100755 index 0000000..879ba4d --- /dev/null +++ b/syntax_wrapper.sh @@ -0,0 +1,7 @@ +#! /usr/bin/env sh + +if [ $# -lt 1 ] || ! grep -qw "$1" lexers.out; then + recode utf8..html +else + pygmentize -l $1 -f html | head -c -13 | awk -F '<pre>' '{print $NF}' +fi \ No newline at end of file diff --git a/ytheleus.org/lexers.out b/ytheleus.org/lexers.out new file mode 120000 index 0000000..1dfca52 --- /dev/null +++ b/ytheleus.org/lexers.out @@ -0,0 +1 @@ +../lexers.out \ No newline at end of file diff --git a/ytheleus.org/math_wrapper.sh b/ytheleus.org/math_wrapper.sh new file mode 120000 index 0000000..f40564e --- /dev/null +++ b/ytheleus.org/math_wrapper.sh @@ -0,0 +1 @@ +../math_wrapper.sh \ No newline at end of file diff --git a/ytheleus.org/site/assets/favicon.png b/ytheleus.org/site/assets/favicon.png new file mode 100644 index 0000000..8381094 Binary files /dev/null and b/ytheleus.org/site/assets/favicon.png differ diff --git a/ytheleus.org/site/assets/fonts b/ytheleus.org/site/assets/fonts new file mode 120000 index 0000000..26aa9d4 --- /dev/null +++ b/ytheleus.org/site/assets/fonts @@ -0,0 +1 @@ +../../../fonts \ No newline at end of file diff --git a/ytheleus.org/site/css b/ytheleus.org/site/css new file mode 120000 index 0000000..8e8b6d0 --- /dev/null +++ b/ytheleus.org/site/css @@ -0,0 +1 @@ +../../css \ No newline at end of file diff --git a/ytheleus.org/site/index.dj b/ytheleus.org/site/index.dj new file mode 100644 index 0000000..aba5e49 --- /dev/null +++ b/ytheleus.org/site/index.dj @@ -0,0 +1,8 @@ +# Ytheleus | Well-Understood Programming + +You're at ytheleus.org, home page of the [Ytheleus](yth-name) programming language! + +This is not implemented yet; Ytheleus does not exist. With that out of the way, here are my vague ideas of what it should be: + ++ It's Andreas Rossberg's 1ML, but computationally pure. ++ The implementation uses dynamic superinstructions for interpretation and compiles either via "Compiling without continuations", if I decide not to put first-class multiple-resumption continuations in the lanugage, or with CPS, otherwise. \ No newline at end of file diff --git a/ytheleus.org/site/yth-name.dj b/ytheleus.org/site/yth-name.dj new file mode 100644 index 0000000..0a40f0c --- /dev/null +++ b/ytheleus.org/site/yth-name.dj @@ -0,0 +1,3 @@ +"Ytheleus" is the second part of a name, "Sisela Ytheleus 1/2", belonging to a spirited type D-4 military drone of the explorer ship "Peace Makes Plenty", a vessel of the Stargazer Clan, part of the Fifth Fleet of the Zetetic Elench - from Iain M. Banks' fifth Culture novel, _Excession_. + +> "One should always be prepared for every eventuality, even if it's getting shafted by a dope with bigger guns." \ No newline at end of file diff --git a/ytheleus.org/soupault.frag.toml b/ytheleus.org/soupault.frag.toml new file mode 100644 index 0000000..e69de29 diff --git a/ytheleus.org/syntax_wrapper.sh b/ytheleus.org/syntax_wrapper.sh new file mode 120000 index 0000000..2af984f --- /dev/null +++ b/ytheleus.org/syntax_wrapper.sh @@ -0,0 +1 @@ +../syntax_wrapper.sh \ No newline at end of file diff --git a/ytheleus.org/templates/main.html b/ytheleus.org/templates/main.html new file mode 120000 index 0000000..fc72d5f --- /dev/null +++ b/ytheleus.org/templates/main.html @@ -0,0 +1 @@ +../../shared_templates/main.html \ No newline at end of file