Tumgik
#low level
nocternalrandomness · 4 months
Text
Tumblr media
The stunning black F/A-18F of USN VX-9 "Vampires" cutting through the Mach Loop on a low level run
383 notes · View notes
Text
Tumblr media
Adventure: A visit to Dawdlewall Fortress
Well there goes the neighbourhood... won't be too hard to catch it though....
Meet Clover, She's a primordial spirit of the land, and a very polite one at that. She embodies the place where the ancient mountains meets the lush green of valleys and lakes below, and her name is derived from an ancient elven poetic composition about her that refers to her mowing through the canopy like it was clover in a lawn.
In times of yore, a great hero awoke her to save their home from an invading army, simultaneously breaking the cliff-face free an undauntable defender. In the usual course of things a spirit like clover would have been unsummoned as soon as the crisis had passed, but the hero and all of their neighbours were just so taken with the gentle giant that they decided to let her stay.
Generations later, Clover has become a beloved local icon, gently grazing the surrounding forests while the fortress on her back serves as the region's seat of power. While most rulers of Dawdlewall have tried to live up to the hero's example the most recent; Gottfried Scarlett, Earl of Eastcress has turned out to be a bit of a bastard. Having ascended to rule Dawdlewall through a convoluted inheritance scheme, he intends to use his authority to wring the region dry of riches, backing up his power grab with kaiju sized threats.
Adventure Hooks:
The party can run into the earl's forces in a number of ways, having set up impromptu toll roads, shaking down local guilds, strong arming tavern staff for free service, ubiquitous "assholes throwing their weight around" type of behaviour. Things inevitably come to a head when the party delve a local dungeon and end up running face to face into the earl's "tax collectors" insisting that they need to pay a "delving fee". A brawl ensues, and the party either find themselves carted off to the Dawdlewall dungeons or on the run with a bounty on their head.
In attempting to fill his treasury as much as possible, Earl Gottfried has ironically made himself tremendously easy to rob. Wagons full of extorted gold make their way across the marshy roads towards the fortress snail. Though well guarded, these trusted troops are overworked and prone to error. Start planning your robinhood ambushes now.
As one of the many privileges granted to him by his new noble title, the Earl has seized control of the ancient hero's staff, which is the only means of communicating with Clover. He's already steered the oblivious primordial to crush a tiny logging hamlet that refused his unjust enchroachment , allowing the denizens to evacuate as a show of his magnanimity (also because it's hard for a giant earth-churning snail to sneak up on anyone). Seizing this staff is the key to kicking Gottfried to the curb (or off the edge of the Fortress, if the party is feeling particularly dramatic) but suddenly puts the heroes in a difficult position. Who can they trust with Clover's titanic power? Do they keep the staff for themselves or use it as a bargaining chip in the power vacuum left by their enemy's departure?
Artsource
194 notes · View notes
Text
My gender is a poorly written C program, in which a target 35–60% of the dedicated memory is assigned to femininity, 10–20% to masculinity, and the remaining 20–55% defaults to androgyny.
Its goal is to maintain a state such that femininity is at least the plurality, if not the majority, of the memory space, but occasionally it fails to do that for code reasons? idk I didn't program it and it's not open-source ._.
Observe:
[root@bryn ~ ]$ genderinfo Bryn's Current Gender Composition Femm - 40% [WARN] (LOW) Masc - 15% [ OK ] Andr - 45% [WARN] (HIGH) Closest estimation - enby, femme-leaning [root@bryn ~]$ _
56 notes · View notes
Text
4$ USD and I’ll make a small, amateur little drawing of an OC for you. Im not very good but figured this would be fun, to draw some cute horses, and thats why im only charging 4$.
Will be in a small chibi sort of style. Deadline of 2 weeks at most, shouldn’t be much more than 1.
Please DM if interested! I look forward to drawing some cuties.
Please just make sure the design isn’t overly complicated, just a little skill level accomodation! <3
8 notes · View notes
Text
Heya everyone! Today I've uploaded another superboss video from my Super Lesbian Animal RPG EXP Sponge All Quests challenge run! This is by far the hardest fight in the game generally from what I can tell and hoo boy this video was one heck of a time! Hope you all enjoy! ^^
youtube
11 notes · View notes
zackbuildit · 3 months
Text
Hi we're making a low level programming language with 6 bit words and 4 built in data structures does anyone have any interest at all. We just finished specifying what all 63 used instructions do today. we gon write an interpreter and/or compiler. It's taken us 2 months and tho it's the 4th low level programming language we've designed it's the first to not be an esolang and it's got a lotta capabilities and stuff and it kewl we very proud. It's inspired by Lisp, TI-BASIC (our first programming lang :] ), C, very slightly by 65c816 and other Nintendo devices' assembly langs, and by one of our past esolangs called Birdie which had really fun logic and stuff :>
Anyone wanna hear aboot it?
(it's called Weevil & it took us about two months to finish deciding and designing the 63 instructions we used, and it's designed in particular with arbitrarily large address space in mind so that the 6 bit word size isn't an issue)
4 notes · View notes
grgothoughts · 11 months
Text
In my previous post, I talked about a MSVC specific feature where one struct definition could be imported into another struct simply by declaring the imported struct in the other struct.
I discovered this behavior on MSVC because I am working on a way that is user-friendly to code in a more object oriented pattern in C.
I was thinking about class inheritance and how you can access directly to all the super class' members in C++ and I thought that maybe if I was to import a struct into another one I'd get a similar result in C. On Visual Studio it compiles just fine, but the moment you build with a other compiler, it just doesn't work; the compiler doesn't find the members imported from another struct.
I think it's a nice feature to have in places where you want to take a more object oriented approch but want to keep the freedom C gives you.
My approch to OOP in C is to split functionality and state. In the header file, the implementation struct is the struct containing the function pointers the user is expected to use, while the object struct is the states and data the object will hold. Exemple of adder.h:
typedef struct Adder {
int a, b;
} Adder;
const struct IAdder {
void(*ctor)(Adder* this, int a, int b);
int(*result)(Adder* this);
} IAdder;
There should be only one implementation struct per "class" as this is the only instance that should contain the function pointers for class Adder. It should not be modified at anytime during runtime, and so the unique instance is const. Exemple of adder.c:
#include "adder.h"
static void ctor(Adder* this, int a, int b) {
this->a = a;
this->b = b;
}
static int result(Adder* this) {
return this->a + this->b;
}
//We define the unique const instance
//of the implementation struct:
extern const struct IAdder IAdder = {
.ctor = ctor,
.result = result
};
And to use our adder class in main.c:
#include "adder.h"
#include <stdio.h>
int main(int argc, char** argv) {
Adder a = {0};
IAdder.ctor(&a, 3, 5);
int result = IAdder.result(&a);
printf("%i", result);
return 0;
}
9 notes · View notes
awesomecooperlove · 6 months
Text
🥴🥴🥴
5 notes · View notes
izder456 · 8 months
Text
i saw this fast inverse sqrt function somewhere online, and it fascinated me to no end. (the left is the fast inverse, and the right is the `math.h` impl)
`main()` is just some crappy test suite i whipped up for testing purposes
Tumblr media
the code in question was made for quake III arena’s gameengine.
here’s a video that explains it pretty well:
youtube
i was thinking, how would i achieve the same level of elegance, but in the context of lisp?
my notes (probably not super accurate, but probably still interesting to see how my brain tackled this):
thinking lisp brain here:
i came across this stack-exchange question:
i can treat the array as a sequence of nibbles (four bits), or a “half-byte”, and use the emergent patterns from that with the linear algebra algorithm in this post.
we can predict patterns emerging consistently, cos i can assume a certain degree of rounding into the bitshifted `long`. because of that, each nibble can have its own “name” assigned. in the quake impl, thats the `long i;` and `float y;`
instead of thinking about it as two halves of a byte to bitshift to achieve division, i can process both concurrently with a single array, and potentially gain a teeny bit of precision without sacrificing on speed.
i could treat this as 2x4 array.
each column would be a nibble, and each row would be 2 bits wide. so basically its just two nibbles put next to eachother so the full array would add up to one-byte.
the code is already sorta written for me in a way.
i just need a read-eval loop that runs over everything.
idk if it’s faster, if anything it’ll probably be slower, but it’s so fucky of an idea it might just work.
a crapshoot may be terrible but you can’t be sure of that if ya never attempt.
4 notes · View notes
we-are-a-dragon · 1 year
Text
Hamish (playing Thaddeus): Alright, now can we call Maria? We have the Tarrasque, in the flesh; the centipede that is supposed to surpass it and destroy everything; a madman partially mutated into a humanoid Tarrasque; and 30-40 more miniature Tarrasques that might be on our side.
Tati (playing Seraph): *hesitant* I absolutely agree that we have all the evidence we need. But if they're not going to wake up and be a problem for another thousand years, Maria will cut us off.
Hamish: Will she?
Tati: She said, and I quote, "If you abuse the Sending Stone I will not hesitate to destroy it."
Hamish: *exasperated* This is not abusing it!
DM: Look, I think I oversold Maria's goodbye. She's still happy to be friends, she just wants to live as if she's level 4. She's tired.
Adam (playing Billie): I asked if I could still call to catch up as long as I wasn't asking Maria for help, and that's when she threatened to destroy the Stone.
DM: Okay, that was a mistake. I just wanted to take away the deus ex machina. She can't be there as an option any time you want help.
Hamish: Has she ever actually done anything for us?
Tati: No. She's advised us a few times, but she's never actually helped. She just whines about how much we ask her stuff.
DM: You can still be friends with her. Just no big adventurer stuff. She wants you to forget she's high level.
Hamish: Either way, this is definitely within the realm of 'world is ending' stuff she said we were still allowed to call her in for.
Marijn (playing Godric): Let's sleep on it.
Hamish: *sighs*
8 notes · View notes
nocternalrandomness · 2 months
Text
Tumblr media
"Prowler in the Canyon"
165 notes · View notes
dailyadventureprompts · 2 months
Text
Tumblr media Tumblr media
Adventure: On the Chopping Block
Haste makes waste, the slow and merciless trod of industry makes something else entirely
For centuries the people of the Towerpine woods kept to the old rites and offerings which allowed them to make their living from the forest while staying on the good side of the local fey. That was before the margrave came and built his damnable mill, which takes and takes without first asking and stains the sky with its fumes. Now not only has the ancient pact with the fey been transgressed but the people of the Towerpine have lost their living, unable to compete with the mill and its labouring constructs, which produce in a day what it took the whole region a week to cut and carve.
Things are reaching a breaking point, and if the heroes don't act quickly there be no telling just how far the devastation will reach.
Adventure Hooks:
A good way to get the party into the Towerpine woods (especially if you're using this as an intro adventure) is to have them as caravan guards escorting much needed supplies to the frontier region. After fending off some wildlife that's grown increasingly erratic thanks to the mill's disruption of their habitat, they sit down in a village's public house for an overdue rest only to be approached by a gang of malcontents intent on going up the hill and doing something about the mill. These people are absolutely correct in their grievance, but their righteous and somewhat drunken attempt at sabotage is going to end badly when the constructs that work supply the mill activate and look to deal with them as intruders. The party can witness this disater first hand, ending up captured or escaping into the woods, alternatively they might hear about it the next morning, when the villagers beseech them to intervene and rescue the surviving saboteurs from where they're being held at the mill.
Garvan Vimley is the sort of odious little man who gives progress a bad name. Placed in charge of the mill's operation, Mr. Vimley and his Towerpine Lumber Company ( ironically shortened to TLC on their branding ) care only about squeezing more profits from the region regardless of how much harm occurs in the process. He might just be willing to release the captured vandals, if the party agrees to find one of his oh-so-expensive logging constructs that's vanished in the past week after being sent with a team of surveyors (who are also missing, but not as valuable) into one of the forest's more wild regions. As it turns out, the construct has been hijacked by a group of the local fey, who are now bickering between destroying the thing for good, playing with their new toy, or winding it up and send it rampaging back towards the mill. Negotiating with the fey will be difficult, especially because they hold a few of the surviving surveyors in thrall and are more than willing to use them as bargining chips.
Future Adventures:
Regardless of what the party decides to do Vimley intends to use this latest attempt at sabotage as a means of convincing his noble patron to institute draconian measures, pettitioning the crown to enclose the commonly held Towerpine woods and thus making it illegal for anyone save the TLC to harvest wood in the region, which would not only force the locals out of business but force them to buy even their kindling from the profitmongering Vimley or else be branded thieves. This scheme is subtle, and if one of the now sympathetic surveyors doesn't tip them off it's going to require the party to do some independant snooping to even notice what's going on. Once things are in motion the report of the sabotage has to be intercepted before it reaches the Margrave, potentially in a daring chase through the forest. Even then it's only but even that's going to be only a temporary fix, they'll need to make a petition at the Margrave's court with evidence of Vimley's mismanagement, or perhaps even oust the Margrave himself before he gets the crown involved.
It's more than corruption and greed at work in the Towerpines, as the forest's ancient guardians are making their displeasure known in all manner of ways. Rampaging beasts, dangerous pranks, nightmares, and bad omens all beset the people at the edge of the forest. Even this is not enough for Illyurn, the youngest of a circle of dryads who have long held court in the shadow of the ancient pines. The elders of the circle are convinced that their mortal neighbours will heed their warnings, return to the old ways, but Illyurn has fewer memories of good will to hold her back, and her anger burns ever hotter. Fire sears away the rot and ushers in the new growth after all, and as the days pass and Illyurn more and more embodies this destructive aspect of nature the more her incendiary words will catch in the mind of her fellow fey and those most discontent of the villagers, transforming them into a blazing mob that will rage and rage and rage until the landscape is rendered into ash.
When the party intercede and end up having to put Illyurn down, she will choke out one final smoke-bitter curse: A doom for the party, for the mill, it's maker, and it's masters, may all they hold precious end in embers.
Art 1
Art 2
162 notes · View notes
giovannigiorgio666 · 1 year
Text
I’m a goblin because I
Have a big straight slanted-uppercase L shaped nose. Louis Vuitton L nose
Have big oval shaped ears that are pointy at the top
Skinny-fat. Slim-thick but a belly like I’m in the beginning of pregnancy and long skinny(kind of) legs. 32-34in waist. But like I said belly
Pointed chin
Olive skin. Olive is a shade of green
I’m usually carrying a big stick
My eyes are big and wide but also kind of pointed on the ends
I cast fire spell 1
I’m dumb
I’m emotional
I do drugs
I live in a cave kind of
I steal a lot
I horde my stolen treasures
I’m always defeated by heroes
I’m a villain but not a powerful villain but like a one off you find in a dungeon or cave or forest that you fight when you’re a lower level
4 notes · View notes
dungeonsanddilemmas · 2 years
Text
I'm starting to write a book for funsies and I'm struggling to think of simple low level tasks that a dragon might give to their kobolds.
It has to be important enough that the dragon wants it, but not so important that they would go out of their way themselves to do it or ask someone more.......competent.
2 notes · View notes
hiscursedness · 3 months
Text
Purewater is just 20 cents this holiday, down from $2.99, my little gift to you!
It's a fantastic D&D adventure for 1st-level parties, who must delve into a corrupted forest to find the freshest water in the land.
Tumblr media
1 note · View note
2minutetabletop · 2 years
Photo
Tumblr media
A Vault of Traps and Scales
A Kobold Dungeon Encounter for D&D 5E
We've just published Troy's latest  encounter, a low-level dungeon delve filled to the brim with cunning  kobolds and their tactical traps. It comes complete with battle map, monster tokens, and stat blocks!
→ Read it on 2-Minute Tabletop
Tumblr media
Not an hour ago, the report of sounds within the sealed vault came in. Shortly after, those that went to investigate the possible breach clambered back out, bruised and reeling and spitefully naming the perpetrators: kobolds. A group of them has infiltrated the vault and is attempting to make off with whatever contents they can fit through their tunnels. The kobolds have clearly been preparing for some time. Their tunnels weave between the walls of the vault’s interior into almost every chamber, and their traps now litter the rooms. The only section they have not breached is the innermost vault, owing to the enchantments of its construction. But they are working on the mechanisms and making swift progress. Someone needs to deal with them quickly, or the kobolds will leave nothing but an empty chamber behind... → Read more
I invite you to pillage this article for all its traps, tokens, stat blocks, and other resources! Whether you play it out like Troy intends or simply break it down into its versatile ingredients, we hope that you and your group will enjoy. :)
113 notes · View notes