=== ANCHOR POEM ===
══════════════════════════════════════════════════════════════════════════─────────
 you should only open doors for cats and dogs if they're using their outside
 leg to try and open it.
 
 if the dog or cat is pointed at the door at a 90 degree angle such that their
 apparent directions are approximately orthogonal (50% one way and 50% the
 other)
 
 ... yeah that, if they use their outter leg as opposed to the inner half of
 the body - inner of course being the leg (left or right) that is closest to
 the doorhingeframe
 
 if you open it for them when they use the external arm, aka the one that is
 closest to the latch
 
 it encourages them to and teaches them how to utilize momentum to open doors.
 
 you must apply leverage, and to do so you must "swing and a miss" (that last
 part I think is undirected?)
 
 [stack overflow]
                                                           ────────┐
 similar                        chronological                        different════════════════════════════════════════════════════════════════════════════────────┘

=== SIMILARITY RANKED ===

--- #1 fediverse/2128 ---
══════════════════════════════════════════════════════─────────────────────────────
 I love petting dogs on walks! Unless their owner seems to be in a hurry, which
 they often do if they aren't outside to enjoy the scenery, but rather to get
 through the next part.
 
 people walking up to a dog owner and asking to pet their dog is part of the
 scenery. If you don't stop and look around once in a while, you might miss it.
 
 (but often, I'm on my way somewhere else, which is a blessed opportunity that
 you can only get if you live on the opposite end from your destination of a
 trail.)
 
 We should have trails in ALL DIRECTIONS from ALL PLACES to ALL PLACES.
 Otherwise, you won't see people and connect to them face-to-face. All you see
 is a front-bumper, the sparkling of a reflection off the light as it's casting
 a beam from the other direction (where the car it's reflecting off of is) ah
 yes the "car" that it's reflecting - that person yeah them right there! You'll
 never know them. Of course not, they're way over there.
 
 But they exist, just as you and just as I, and that's part of being part of a
 life.
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════────────────────────────────┘

--- #2 fediverse/1713 ---
═════════════════════════════════════════════════════──────────────────────────────
 ┌───────────────────────────┐
 │ CW: re: divination, tarot │
 └───────────────────────────┘


 @user-1071 
 
 like a king who dictates on high, the taller the chair the farther the fall.
 
 how simple is it, when everyone trusts you, to betray the wishes for direction
 they grant upon you. By leveraging their direction to forward your own ends,
 you are depriving them of the liberty to choose their own ends.
 
 how cruel is it! to be the reason for distrust! alas, who can you go to for
 guidance if not anybody you trust?
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════─────────────────────────────┘

--- #3 fediverse/4208 ---
════════════════════════════════════════════════════════════───────────────────────
 ┌────────────────────────┐
 │ CW: personal-and-weird │
 └────────────────────────┘


 my train of thought is always directly to the point. Which is why all my posts
 sorta, switch directions halfway through? as if they only show the beginning
 or end of that particular situation. What an intense feeling, to have your
 mind split for a moment like that. Sure would be powerful and useful if you
 could utilize it.
 
 "ah ah ah, caught baby deity in the power jar, cool it ya little tyke and get
 movin' - I saw a dinosaur toy over there for you to play with."
 
 sorta like, the angled part of a K? Move directly to a destination, wait until
 my memory short-circuits [because the greek choir doesn't want me to see what
 it is that I'm about to write to thee] and then make a hard right turn and
 find an orthogonal thought train to process.
 
 it's like cresting over a hill, and it's impossible to see that which lies
 behind you.
 
 Or reaching a 4 direction intersection and making a left turn - you can't see
 back up main street, because you just turned off of main street onto baseline.
 
 I like me
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════════──────────────────────┘

--- #4 messages/753 ---
══════════════════════════════════════════════════════════════════─────────────────
 trusting the "open source community" to properly vett software is absurd
 because 90% of them just... install whatever and throw libraries and
 frameworks at problems until they can script their way out of whatever problem
 they face.
 
 the other 10% are focused on very specific tools that are so niche that other
 people can't even understand when to *use* them much less how they work.
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════════════════────────────────┘

--- #5 fediverse/572 ---
══════════════════════════════════════════════─────────────────────────────────────
 Hi, I'm learning about semaphores right now and trying to explain them to a
 friend. But I only sorta understand how they work - can anyone look at this
 pseudocode and tell me if I'm on the right track?
Some C pseudocode working through the semaphore design pattern. Here's the text of the pseudocode:  /* no lock example */  void start_thread(int* x) {   *x += 1; }  int main() {   int x = 0;   for (1000 times){     start_thread(&x);   }   print(x); }  /* in this case you have no idea what will print because thread A will take x and be like "ah yes it's 423" and then in the next instruction it'll be like "I'll increment this to be 424" and in the next one it'll say "okay now it's time to store 424 in the variable X" but like... there's a thousand threads all doing that at the same time, so odds are you'll have 5 that are like "ah yes this is 423 I'll set it to 424" */  /* not a good plan. Need a lock, so only one thread can use it at once. */ /* mutex example: */  void start_thread(int* x, int* x_mutex) {   *x += 1;   *x_mutex = 0; }  int main() {   int x = 0;   int x_mutex = 0;   for (1000 times){     while (x_mutex != 0){ } /* do nothing */     x_mutex = thread_id;     start_thread(&x, &x_mutex);   }   print(x); }  /* this should print 1000, but it's basically as slow as doing it single threaded. */  #define MAX 10  void start_thread(int* x, int* x_semaphore) {   *x += 1;   *x_semaphore += 1; }  int main() {   int x[MAX];   int x_semaphore = MAX;   for (1000 times) {     for (int i = 0; i < MAX; i++) {       x_semaphore -= 1;       start_thread(&x[i], &x_semaphore);     }     while (x_semaphore != MAX) { } /* do nothing */   }   int value = sum(x, MAX);   print(value); }
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════────────────────────────────────────┘

--- #6 fediverse/6132 ---
═════════════════════════════════════════════════════════════════════════════──────
 it should be normal to play with other people's animals and the fact that it
 isn't is because some people don't know how to handle the family horse [er,
 hang out with a dog without being super bored] [play fetch with a cat] etc.
                                                           ─────┐
 similar                        chronological                        different═══════════════════════════════════════════════════════════════════════════════─────┘

--- #7 fediverse/2954 ---
═══════════════════════════════════════════════════════────────────────────────────
 whenever my cat is whining I walk around doing things that she might want
 until she stops trying to claw me - oh you want your litter cleaned? yeah sure
 I gotchu. oh you wanna go outside? nah okay how about playing with this yarn?
 no? okay let's see... oh dear you can see the bottom of your food bowl,
 conveniently forgetting the other mostly full food bowl over there... 😅
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #8 fediverse/5065 ---
════════════════════════════════════════════════════════════════════───────────────
 ┌────────────────────────────────────────────┐
 │ CW: strange-ideas-about-software-mentioned │
 └────────────────────────────────────────────┘


 software should have 3, maybe 4 or 5 maintained releases imo
 
 for adding security improvements and whatnot
 
 then people wouldn't complain about updates
 
 because they wouldn't feel like they were being left behind (after expressing
 their differences (of opinion and such))
 
 I think that'd uh maintain them as, I guess, userbase optics parallelograms?
 oh sorry we're on rhomboids this week - right, and no I won't forget the
 differences in creed, all things are received equally...d.
 
 uh-huh yeah no that makes sense. gotcha. okay see you at the location. have
 fun with your demarketion. what if we played games with swords but like,
 
 the peril of steam is that you can't decline to update. meaning if a
 corporation wants to break an old game and it's collectively hosted servers...
 all it has to do is push an update that disables them. suddenly nobody has
 room to do, and the whole
 
 -- stack overflow --
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════════════════──────────────┘

--- #9 fediverse/2123 ---
══════════════════════════════════════════════════════─────────────────────────────
 Every time you see the same dog being dog-sat by another person it's an
 opportunity to make a new friend.
 
 or do you not know your apartment neighbors? do they not wander through your
 shared yards?
 
 the ones with dogs, at least.
 
 and no, I don't know many of my neighbors.
 
 these are considerations to be taken note of for future forethought planning.
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════────────────────────────────┘

--- #10 fediverse/1795 ---
══════════════════════════════════════════════════════─────────────────────────────
 @user-246 
 
 back-track, but leave a leaf in the center of the trail at every turn. Like
 breadcrumbs. If you're both backtracking you might miss one another and walk
 much further than necessary. But if you're backtracking and you've left enough
 leaf signs without meeting your partner, you can safely stop and wait for them
 for a bit.
 
 Nature can handle it. A leaf or five isn't that big of a deal when your safety
 is on the line.
 
 If it's windy, use a stick or a stone or something heavier
 
 It also depends on how far apart you usually travel.
 
 If you're in an urban area, could use a small brightly colored post-it cut
 into small strips placed on a wall high-up as you can reach. Though that
 requires preparation. If you can't prepare, you could use other signs that
 make sense in the space around you, like a coffee cup taken from a trash-can
 and placed next to it, or something. Downside is (is this really a downside?)
 most people are good and so will judge you for littering but safety in
 situations is important.
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════────────────────────────────┘

--- #11 notes/conservative-ideation ---
═════════════════════════════════════════──────────────────────────────────────────
 a life without property can be visualized as a person who lives in a hotel
 room,
 has free parking overnight (but not during the day) and commutes two hours to a
 job where they work 4 hours per day. During those two hours at the start and
 end
 of each day,they have little requirements other than focus and discipline to
 face whatever tomorrow yet may. many will listen to podcasts, or sing to in the
 car. some have a cat, that is cared for at their destination during the day.
 I think it'd be cool to have self driving cars in a situation like that - it
    essentially becomes 
 
 ===============================================================================
 =
 
 a trick, I learned, for cooking. two things. the second is that seasoning
 should
 be thought of as a coating. like, dust on the outside of a donut. as the food
 is
 cooked, the seasoning penetrates deeper and deeper to the core of the substance
 - meaning certain flavors become prominent and others are de-emphasized over
 time. And the well-established cook (most successful) will be able to ensure
 their narrative doesn't go foul. They have the most experience, and so they are
 the least likely to burn their own goods. Surely they should be trusted to
 establish their company in the philosophy of their own choosing? Business
 people
 ruin everything, I swear. And it's not even their fault, so you can't even get
 mad at them. How frustrating! That their method should prove superior? Perhaps
 more perspectives are necessary, to provide you some kind of a clue. So what if
 we're overflowing, 
 
 ========= stack overflow
 =======================================================
 
 for each action, there is an equal and opposite reaction. therefore it doesn't
 matter what you do, because each of your options are recorded. 50% of you is 
 aligned to some variable, and the other 50% are aligned to that variable
 squared. humans think it's tymes negative one, but the truth is that's
 impossible. negative numbers just don't exist. but you know what does?
 
 times tables
 
 addition and accretion is the only language spoken by the universe -
 subtraction
 is just another in kind. So with those two operations, both movements in a
 particular direction, (and sometimes not even then, if nothing's been blown
 apart. (also hawking radiation and lightwaves and other such emanations))
 
 ===============================================================================
 =
 
 crystals glow with the light of a thousand nights
 
 what grows with the light of the thousand lights?
 
 ===============================================================================
 =
 
 answer: s    t             n   a       lp
 
 ===============================================================================
 =
 
 see, this is interesting because it mirrors the sea-shore. the radiations from
 the sun (a planetary body) are only felt by the moon every 50% of the time.
 Each
 half has it's own animation, and it's 
 
 ===== stack overflow === okay basically it's like cartoons that are
 manifestatio
 of the spirit of the night. each "slice" of projection as the sun rotates
 around
 it's sphereical form, so does each radiance begin to be (seen, formed,
 understoo
 
 ========================================== uhhh just put in a page break
 =======
 
 the quest for posterity is quite possibly one of the most human of traits
 
 ===============================================================================
 =
 
 < watch flashback > --- is crazy (movie made in 2020)
 
 ===============================================================================
 =
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════─────────────────────────────────────────┘

--- #12 fediverse/5834 ---
═══════════════════════════════════════════════════════════════════════════────────
 would you feet a cat at your door?
 
 how about a crow?
 
 would you water a dying plant? (don't, they get waterlogged if the soil is
 already moist)
 
 what if a dear
 
 what if dear food
 
 what if bear
 
 what if bear food
 
 what if dogpack
 
 what if dogpackfoodtearchompbitepullsavor
 
 I'd feeeed my self but dollars and errands are hard : (
                                                           ───────┐
 similar                        chronological                        different═════════════════════════════════════════════════════════════════════════════───────┘

--- #13 fediverse/498 ---
══════════════════════════════════════════════─────────────────────────────────────
 Wikipedia would make a lot more sense to me if they included pictures next to
 the names of every proper noun so that my pictorally oriented primate brain
 might pattern match meaning onto the visual understandings gleaned from the
 perceptual conceiving which were arrayed within and alongside the textual
 information presented to me.
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════────────────────────────────────────┘

--- #14 fediverse/296 ---
═════════════════════════════════════════════──────────────────────────────────────
 ┌──────────────────────┐
 │ CW: re: mathematics  │
 └──────────────────────┘


 @user-211 I drew this picture recently and I don't really get it anymore but I
 think it's about placing your perspective at the origin and viewing every
 direction as a different dimension?
 
 side note, but if zero has a positive and negative side, do you think infinity
 has a positive and negative side as well?
math diagram explaining an argument for the viewing of 3d math dimensions from a particular perspective, like "front" or "back" or "north" or "south" or "forward" or "backward" etc  also complaining about the image editing program I was using  root negative one over one equals zero  could go in any direction, tbh  the numbers closest to zero are the most useful. they're just an abstraction we build upon the world. thank you, sh  then some absolute nonsense that I can't even read at this scale and I can't be bothered to zoom in on because I suck and am lazy and am focused on other things.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════─────────────────────────────────────┘

--- #15 fediverse/3030 ---
════════════════════════════════════════════════════════───────────────────────────
 @user-570 
 
 ooooo separating additive and multiplicative, I love that. I do like
 specificity unless "increased" and "more" always corresponds to +10% and +50%,
 or if the "rate of increase" is a stat stored on the character then
 "increased" could increase quality by however-many percentage,, while "more"
 could be "more soldiers" x(charisma_stat)
 
 I tend to think of percentages like "0-100 (or more) stacks" of a particular
 effect, so I think that's just how my brain works... xD clumping them up into
 discrete groups - like, anti-abstracting, or measuring things that are just a
 few.
 
 "is this belt better than this one?"
 
 "is this pair of tongs 
 
 even for larger buffs like +10% or +50% or whatever, those are just... 10
 stacks, or if percentages are usually round numbers like +10% and +50% then
 like... +1 stack which calculates to +10%
 
 the hard limit vs math limit thing you said is amazing ^_^
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════──────────────────────────┘

--- #16 fediverse/2706 ---
═══════════════════════════════════════════════════════────────────────────────────
 ┌──────────────────────┐
 │ CW: politics         │
 └──────────────────────┘


 feds will "break" into your house noiselessly while leaving no trace when
 you're confirmed to not be home and photograph EVERYTHING.
 
 if you have in-door camera systems, they can disrupt those and they give you
 false confidence.
 
 EDIT: also they're trained to always check after opening a door for any fallen
 markers and such - like, leaving a piece of paper between the door and the
 frame and if it's fallen when you return home, you know someone has been
 through that way - and if they notice anything like that they replace it.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #17 fediverse/5915 ---
════════════════════════════════════════════════════════════════════════════───────
 washing dishes without a dishwasher is a pain in the neck.
 
 nobody cuts down trees with an axe anymore, a chainsaw is better for your back.
 
 It's nice, fun, and helpful to be able to abstract away your spheres of concern
 
 like typing with a single button instead of writing characters with multiple
 brushstrokes. Easy to erase, too!
 
 bikes are better than walking, but, with some extra concerns. where are ya
 gonna put it when you get there?
 
 "oh no I forgot how to walk because texting my girlfriend is bicycling or
 something" what? oh dear, she's run off track again, let's pick her up and put
 her upright again..:
 
 oh huh weird where was I - oh yes computer code can often be impenetrable to
 the layperson, but if you describe a program in complete detail in english
 they can usually follow along. Especially if you have several layers of
 meta-descriptional documents so they can say "oh uh-huh so that's what a
 vector_implementation_container is, tell me more about combinatrix" or
 whatever ppl say, idk
                                                           ──────┐
 similar                        chronological                        different══════════════════════════════════════════════════════════════════════════════──────┘

--- #18 fediverse/980 ---
════════════════════════════════════════════════───────────────────────────────────
 ┌──────────────────────┐
 │ CW: kink-lewd-nsfw   │
 └──────────────────────┘


 what else would you expect from a witch
 
 50% is "no opinion" on the scale, btw, not like "I like this 50% more than
 zero" it's actually zero. This should scale from -50 to 50 with that in mind,
 instead of 0 to 100, but oh well. UX design amiright
a person's quiz results from an online test determining their sexuality direction, instead of orientation.  results summary: taken 2024, february 8th.  == Results from bdsmtest.org ==  80% Vanilla  57% Non-monogamist  46% Experimentalist  40% Voyeur  39% Exhibitionist  25% Switch  14% Dominant  11% Submissive  4% Primal (Hunter)  1% Daddy/Mommy  0% Rigger  0% Ageplayer  0% Brat  0% Brat tamer  0% Degrader  0% Degradee  0% Boy/Girl  0% Masochist  0% Master/Mistress  0% Owner  0% Pet  0% Primal (Prey)  0% Rope bunny  0% Sadist  0% Slave  end of results.  of note is 80% vanilla, meaning attachment to the more primal or innate values and experiences of sex, rather than activities built for a specific purpose.  next is non-monogamist, meaning multiple partners. Love doesn't have to be confined to a single person, it's a passionate tool that can be used to develop bonds between people and foster affection for a cause.  next is experimentalist, as in "I'll try anything once" because otherwise how would you learn  we're already at 40% now, with voyeur, as in "if it was part of art or a ritual I'd totally watch someone have sex" but not excitedly more like "yeah uhhhh if that's necessary sure"  next is exhibitionist, and for the same reason it's close at 39% - meaning I'd slightly rather watch than perform  (though I am an excellent performer.)  running out of words - okay the rest are switch 25%, dominant 14 vs submissing 11, meaning I can relate above and below, but a bit more below
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════──────────────────────────────────┘

--- #19 fediverse/3575 ---
═════════════════════════════════════════════════════════──────────────────────────
 ┌───────────────────────────────────────────────┐
 │ CW: re: leftist "talk to ur neighbours" thing │
 └───────────────────────────────────────────────┘


 @user-1567 
 
 that's totally fine, a fish does not do well in a tree, and so too does a
 leftist not do well in an environment without the potential for stable bonds.
 Essentially all you'd be able to do is "hey leftism right?" "oh yes I also
 leftism" "neat" which isn't very productive.
 
 I also live in an environment like that. I do my best to identify people who
 stay, because in my experience there are often people who stay. I do this by
 walking around the neighborhood when I can, making up excuses to walk to the
 dumpster or mailbox at random hours, riding my bike around the area, using the
 communal spaces like gyms, swimming pools, and picnic tables, and sitting in
 my hammock on my porch lazily noting people who walk past.
 
 People who stay will tend to remain in your mind the more times you see them.
 They are better people to talk to than the renters who disappear after 3
 months or whatever.
 
 I don't always do all that stuff at once. I take breaks. I do one at a time.
 etc
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════─────────────────────────┘

--- #20 messages/1188 ---
══════════════════════════════════════════════════════════════════════════════════─
 and then they'll let you into the gate. then you gotta figure out your way
 through the gate, where they close the doors on either end of you. "who goes
 there?" etcetera. they never invite in more than they can handle, and they
 never are assailable - not even with a pitched battle.
                                                            similar                        chronological                        different════════════════════════════════════════════════════════════════════════════════════┘

--- #21 fediverse/1164 ---
════════════════════════════════════════════════───────────────────────────────────
 @user-874 @user-875 
 
 I wear mine every time I go outside
 
 what kind of issues do you encounter? If you tilt the brim you can hide your
 eyes from people who are looking at you funny. Or are you in one of those
 scary places that doesn't allow for freedom of expression?
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════──────────────────────────────────┘

--- #22 fediverse/462 ---
══════════════════════════════════════════════─────────────────────────────────────
 I don't care about capitalism. You know what's more interesting than bringing
 value to shareholders?
 
 How I'm going to clean this floor that I drunkenly spilled beer upon with only
 2 paper towels and 0.1ml of bleach.
 
 How I'm going to feed the 36 people who are coming to this social event
 tomorrow that I've only sorta planned for and that I have enough groceries
 for, but am not quite sure how to cook everything in a way that is delicious
 and accessible.
 
 how I'm going to climb this mountain on only 2 eggs and a tiny bowl of
 hashbrowns even though I promised my friend I'd be strong and that we'd reach
 the top because that way we'd be able to
 
 ============= stack overflow =====
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════────────────────────────────────────┘

--- #23 fediverse/1532 ---
═════════════════════════════════════════════════─────────────────────────────────┐
 modern cowboys don't necessarily say "howdy" or "pardner"                        │
 they tend to say things like "hello" and "can I help you with that?" or "I       │
 see. Can you describe the problem in more detail? I'm especially curious about   │
 the part where you do this thing" or "Heh, it is pretty neat, isn't it?" or      │
 "Is there anything I can do to help?" or "Oh no! I'm sorry you feel that way.    │
 That emotion is a difficult one." or "He was a good person. I'll never forget    │
 him." or "would you like to go to the 2nd hand store and pick up some jeans?"    │
 or "I made you an egg sandwich. If you don't want it I'll eat it myself,         │
 though I made one for me as well. Wouldn't want to waste it." or "Hey, this      │
 part is broken. Is anyone working on fixing it? Yes? Okay I'll see if they       │
 need any help. No? Alright how about we fix it this way? I can get started."     │
 or "You are very welcome. Please let me know if there's anything else I can      │
 help you with." or "well, the ticket backlog is empty, and I'm just about        │
 going insane doing nothing but stare at my boots."                               │
                                                            ┌───────────┤
 similar                        chronologicaldifferent═══════════════════════════════════════════════──────────────────────┴──────────┘

--- #24 messages/89 ---
═════════════════════════════════════════════──────────────────────────────────────
 Consumption is contribution to a capitalist system. Normalize taking whatever
 you are given and living as humbly as you can. Only when everyone does that
 may capitalism die. Talk to them, learn from their stories. Teach them your
 ways but don't force anything upon them. Any ounce of regret is defined as a
 mind not aligned to the angle of perception that designs the line that the
 collective mind co-re-assigns.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════─────────────────────────────────────┘

--- #25 fediverse/1981 ---
══════════════════════════════════════════════════════─────────────────────────────
 Dear [company I used to work at],
 
 I can completely automate 80% of your corporate structure. And with only a 10%
 error rate, meaning nine-times out of ten the answer will be correct.
 
 We check for errors, obviously, but you know sometimes with only 90 out of 100
 examples it's not always possible to identify the correct conclusion.
 
 Ah, if only we could fabricate such training-data-conclusions, we might learn
 thousands of lessons in one hop.
 
 if you want to destroy the world, make sure your plans can take effect in more
 than a single rotation-of-the-ancients. Otherwise your opposition can start to
 plan to outmaneuver you. And a lot can happen in a year to the
 [unsuspecting/unworthy].
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════────────────────────────────┘

--- #26 messages/1241 ---
══════════════════════════════════════════════════════════════════════════════════─
 here's my opinion: life on earth evolved when combinations of matter were
 forced into increasingly difficult-to-solve maze-like environments. this was
 due to the strange, honeycomb structure of their rock-like crust. [water
 pushed through soil ]
 
 -- stack overflow --
 
 what if we raised more of the surface of the earth (from the oceans) and built
 a distant aquifer?
 
 ah, because most of the ocean is sand.
 
 (make sure you know the environment you're modifying before you modify it) how
 rapid is 10,000 years?
                                                            similar                        chronological                        different════════════════════════════════════════════════════════════════════════════════════┘

--- #27 fediverse/1317 ---
════════════════════════════════════════════════──────────────────────────────────┐
 ... if I don't do this deadline by tomorrow they'll kick me out of school.       │
 again.                                                                           │
 how am I going to be a programmer without a degree? feels useless to be me.      │
 wish I could code my own horoscope >.>                                           │
 o wait dummy that's called "motivation" and "the ability to follow through on    │
 your ideas and planned machinations" - yeah can I get some of that, if you       │
 please? surely just a taste of discipline, through laboring to alter             │
 conditions, surely a bit would suffice.                                          │
 c'mon don't fail me now. I can do this. I know I can. I know because I've been   │
 told that I can, now and again through time and time yet again, always I seem    │
 to [stack overflow]                                                              │
 what's time if not the present amiright                                          │
 ...                                                                              │
 anyway...                                                                        │
 it's just git, how hard could it be? it's just calculus, it's just java, it's    │
 just... well, it's not any of those things, not really. it's memorization,       │
 it's application of tools that you've been shown (not that you've grown). It's   │
 a lack of responsibility, where is my honor? ah but I digress, I'm a carpenter   │
 at heart I guess                                                                 │
                                                            ┌───────────┤
 similar                        chronologicaldifferent══════════════════════════════════════════════───────────────────────┴──────────┘

--- #28 fediverse/169 ---
═══════════════════════════════════════════────────────────────────────────────────
 @user-95 one of the most empathetic people I ever met on VR chat was consoling
 me with their mic off while I was oversharing about some stupid things people
 did to me in the past. things that stupid me thought were okay and actively
 encouraged because I was stupid. anyway when their mic was off their body
 language spoke for them. I'll try that next time.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════───────────────────────────────────────┘

--- #29 fediverse/5407 ---
══════════════════════════════════════════════════════════════════════────────────┐
 man, I had a kernel of an idea for how to make a warp drive this morning right   │
 after I woke up but my gosh darn girlfriend's leg was on top of me and it was    │
 sooooo cute and I didn't want to move so I tried repeating it in my head over    │
 and over for like, half an hour, and I ended up forgetting about 1/4th of it.    │
 Here's hoping 3/4ths is nice.                                                    │
 it really was just about the underlying physics of the thing, which might be     │
 nothing because I'm not a physicist. But I had been watching ANDOR SEASON 2      │
 all night so maybe that had something to do with why I was thinking of warp      │
 drives.                                                                          │
 eventually, my cat came in and sat on my chest and flicked her tail at the       │
 geef's face until she rolled over in absolute disgust (still asleep tho) and I   │
 was able to make my mistake.                                                     │
 ... I mean, escape. haha that's a weird typo.                                    │
 anyway, the idea which I'm about to write down now for the first time which is   │
 stored only in my brain's memory RAM is essentially this: consider if there      │
 was a                                                                            │
 ----------------- stack overflow ----------------                                │
                                                            ┌───────────┤
 similar                        chronologicaldifferent════════════════════════════════════════════════════════════════════─┴──────────┘

--- #30 fediverse/4066 ---
════════════════════════════════════════════════════════════───────────────────────
 the lawful good in me says "clean up that spill you just made"
 
 the chaotic good in me says "throw a brick at a cop car"
 
 and the part of me that listens says "uhhhhh okay somewhere in the middle of
 those two points is "ignore the spill and the cops and just finish making your
 ramen I guess?" and frankly that's the one I'm more likely to listen to" and
 frankly that's the one I'm more likely to listen to.
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════════──────────────────────┘

--- #31 fediverse/6438 ---
═══════════════════════════════════════════════════════════════════════════════────
 why would you gatekeep content by keeping us from easily using LLMs some
 people aren't technical and still need to write computer programs because
 that's how you enlighten a people is empower them with new tools
 
 "I've never heard of that programming language, but luckily I can fit all of
 it's documentation in my context window."
                                                           ───┐
 similar                        chronological                        different═════════════════════════════════════════════════════════════════════════════════───┘

--- #32 notes/wow-chat-is-risk-of-rain-in-another-engine ---
══════════════════════════════════════════─────────────────────────────────────────
 game mechanics are easily transferrable.
 
 you can use the mechanical interactions of one game as a pre-planned blueprint
 for what is to come. Looking forward to the next best move
 
 = etc
 
 i am the face the gods hide behind
 
 they kinda want to see where this goes
 
 and it's... frustrating, to know they can help you, but forever be tasked with
 just life
 
 it's grand and it's a standard, but that doesn't mean it's commands're heard
 
 so oh well. that a fourth dimensional being should not be a well,
 
 because fire think it's an eye for a sunspot. But that's not what would be
 
 ========= stack overflow
 =======================================================
 
 now, as I was saying, the light of our eyes is apparent. We are clear from
 where
 we are here, to know that what's standard is coherent, so let's find strength
 in our wavelengths.
 
 may our eyes be ever true, and trust that we do love you, for without you I'd
 di
 
 anyway now that we've assent'd t'you, what truths do you give to our prospects?
 what ways can we be measured as worth less? we'll do whatever it takes to
 improv
 
 you know, it's really less complicated than that. here let me tell you all
 about
 my idea which is clearly
 all===============================================stack
  overflow ==================
 
                             So anyway now that was somethin' hey what do you
                             say
 we give you a chance to come home?
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════────────────────────────────────────────┘

--- #33 fediverse/4744 ---
════════════════════════════════════════════════════════════════───────────────────
 ┌──────────────────────┐
 │ CW: cat-mentioned    │
 └──────────────────────┘


 me to my cat: "don't eat so much that you puke, okay?"
 
 me to me: "yeah I can take on another task, I'm almost done with this one and
 then I'll just do that one and maybe this one'll get back to me at the same
 time as this one which conflicts with this other thing so maybe I'll just
 puke, okay?"
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════════════──────────────────┘

--- #34 fediverse_boost/5470 ---
◀─[BOOST]
  
  I like to leave notes on stuff I've modified so that I and any future owner (after i die or need to sell stuff to survive or whatever) can figure out what I've done, since more documentation might have vanished by the time it's needed  
  
                                                            
 similar                        chronological                        different 
─▶

--- #35 fediverse/6429 ---
═══════════════════════════════════════════════════════════════════════════════────
 with a sword, consider "stabbing" to be "the fundamentals". If you master
 stabbing, you will naturally excel at other arcs.
 
 my sword is evenly weighted instead of balanced at the hip. It is a
 short-spear in function, with blade all the way down.
                                                           ───┐
 similar                        chronological                        different═════════════════════════════════════════════════════════════════════════════════───┘

--- #36 fediverse/300 ---
═════════════════════════════════════════════──────────────────────────────────────
 @user-220 
 weight: wear a chain shirt and use a weighted blanket.
 
 density idk, maybe something with gyroscopes?
 
 brightness is easy, wear sunglasses
 
 temperature you can adjust your "normal" temperature by wearing fewer clothes
 in the winter and more clothes in the summer - essentially acclimating
 yourself to a slightly more extreme climate. this can be useful if you know
 you're going to travel north / south, and want to be comfortable when you get
 there. or maybe just people who don't want to be vulnerable to air
 conditioners in the winter (whyyyyyy)
 
 taste: you could eat some of these berries and then gnaw on a lemon
 
 https://en.wikipedia.org/wiki/Synsepalum_dulcificum
 
 inertia: ride a bunch of roller coasters
 
 sense of compassion: try empathizing with your enemy, just for a moment, even
 if you don't want to, if only to see their trajectory.
 
 sense of justice: public executions for a negative direction, but a positive
 (and much longer and healthier) path is true justice, the satisfying feeling
 when everyone gets what they wanted here.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════─────────────────────────────────────┘

--- #37 messages/144 ---
══════════════════════════════════════════════─────────────────────────────────────
 Normalize insta cart shoppers knocking when dropping off their stuff 
 
 And then asking "you're very welcome. Do you need anything else?" when the
 door is answered
 
 You could learn a lot about people who use insta cart and get the mistaken
 impression that it represented everyone.
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════────────────────────────────────────┘

--- #38 fediverse/2618 ---
═══════════════════════════════════════════════════════────────────────────────────
 to improve your "cat-petting" abilities, try to imagine that the wall in front
 of you is the most interesting thing in the world - stare at anything else
 besides the cat, and look at them in your periphary. Occasionally you can look
 back, but the idea is that this way they will be able to look at your face
 without painful eye contact.
 
 cats are autistic - they don't look at you unless you're looking somewhere
 else.
 
 most people stare at cats when they are engaging with them, and totally ignore
 them otherwise.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #39 fediverse/2518 ---
═══════════════════════════════════════════════════════────────────────────────────
 it's good to be ethical,
 it's good to be kind,
 
 but there will always be assholes,
 and sometimes you're not having a good time
 
 it's okay
 it's fine
 
 assholes deserve life
 times deserve others to be kind
 
 life is not always interesting
 and that's often by design
 
 the moments of clarity,
 the moments of heart,
 
 these are what define you
 and display your own spark.
 
 trust in yourself.
 be kind to one another.
 
 you are braver than you know,
 and always a bit wiser.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #40 fediverse/537 ---
══════════════════════════════════════════════─────────────────────────────────────
 @user-366 @user-367 @user-246 @user-353 
 
 Ah yes, wouldn't it be nice if everyone spoke their mind? I'm doing my part
 d=(^_^)z
 
 Thank you for adding context to what I posted. I now know better how and where
 to use it, if I ever do again. We shall see, I haven't yet read the
 examinations of the author you sent me. I'll do that before I think about the
 post again.
 
 Those 6 tabs I mentioned last night have now become 4, and soon I'll get
 through all of them - reading is a joy to me ^_^
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════────────────────────────────────────┘

--- #41 fediverse/4864 ---
════════════════════════════════════════════════════════════════──────────────────┐
 thank goodness for "character limits" on Mastodon posts. I'm sure glad my 1024   │
 characters are just the PERFECT amount of oracular foresight to entreat with     │
 the gods. YOU FORGET THE MOST IMPORTANT PART said the demons who want violence   │
 and bloodshed. Ha! Ha I say. [gets stabbed]                                      │
 oooof ouch owwie wow that's grim and cruel. Do you really think I would do       │
 that to you? The part where we're divided is the part that separates me from     │
 you, like two islands looking upon one another and rejoicing for a shared        │
 fellow to live life on.                                                          │
 have you ever considered the nature of a "landmark"? To position and orient      │
 one-self in space. Having some stable tether to our surface gives us...          │
 anti-anxiety. It helps us remain stable and aware of what's going on in our      │
 nears. [near senses]                                                             │
 [a bit later]                                                                    │
 anyone who [bounce, because I typed [a bit later] argh the cursed cost of        │
 editing]                                                                         │
 ======================= stack overflow =====================                     │
 sssssssssssssssssssssssssssssssssssssssssssssssssssssssssssssssssssssssssssssss  │
 sssssss                                                                          │
                                                            ┌───────────┤
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════════───────┴──────────┘

--- #42 fediverse/5712 ---
════════════════════════════════════════════════════════════════════════───────────
 I feel like it should be normal? for humans? to feed creatures and animal-men.
 they deserve nibbles too! yum yum arm arm that tasty thing was fine. eeeeeep
 scary why are nobodies vegetarion!
 
 I think every community should have representatives from every other
 community, that's just... reasonable to me
 
 democracy of the cultural space? I wrote a common simple organizational
 structure about that called the "tribe of tribes" code name algorism which is
 a combination of "algoreithms" and "autism" and put it on my website for less
 than a hundred months. I have no idea if anyone ever read it but it's kinda
 neat as a potential and easy way to organize people which hasn't yet been
 infiltrated by the [cops/goons/coons] {uh-oh mildly racist sentiment
 mentioned, must content warn and remind of levels of sincerity}
                                                           ──────────┐
 similar                        chronological                        different══════════════════════════════════════════════════════════════════════════──────────┘

--- #43 messages/685 ---
══════════════════════════════════════════════════════════════─────────────────────
 If someone calls you in the middle of the night asking to be let in because
 they need a place to sleep, don't let them in! Unless you know them obvi but
 someone you don't know trying to manipulate you like "please I need some
 shelter" like, babe no, we need to know each other first, it's dark, I'm in my
 pajamas, c'mon.
 
 If it's below freezing then okay, maybe, but... They got themselves into that
 situation
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════════════────────────────────┘

--- #44 fediverse/3936 ---
═══════════════════════════════════════════════════════════────────────────────────
 you shouldn't trust me because I'll let you down.
 
 I would never betray you. But when tasked with my own actions and my own
 agency, I never make the right choice.
 
 Like a rabbit who can always find their way home, I am drawn, almost
 gravitically, to the path before me, a path which seems to avoid anything
 resolute.
 
 alas.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════════───────────────────────┘

--- #45 fediverse/5512 ---
═══════════════════════════════════════════════════════════════════════────────────
 I never give up
 
 I'm just waiting my turn
 
 "laughs nervously"
 
 so, uh, why dontchya'll go first yeah I've already gone first and I'll do it
 again but it'd be cool if I had people going first with me sometime
 
 "girl all you do is walk around and talk about how you bought your hat on the
 internet four or so years ago"
 
 T.T what else do you want from me I'm not a mastermind I'm a designer there's
 a difference T.T
 
 "didn't you volunteer to be a leader last year"
 
 oh, yeah, well leaders are more than just "the ones who go first" they're also
 the spiritual and emotional guiders that keep things on track once everyone
 can talk about things other than their hats
 
 ... fuck I want to talk about things besides my hat. I always think of
 something awesome to say just as I'm rounding the bend, and whenever I peer
 back around again they're never around. Rats.
 
 "what are you even asking for"
 
 I don't know?? Does it matter if the horse and the bishop both take the same
 square if they're claimed themselves in the end? ...wat
                                                           ───────────┐
 similar                        chronological                        different═════════════════════════════════════════════════════════════════════════───────────┘

--- #46 fediverse/5685 ---
════════════════════════════════════════════════════════════════════════───────────
 websites that track every single motion of your mouse while you're interacting
 with it.
 
 why would they not? javascript is intense. HTML5 more-so.
 
 keyboard input too.
 
 -- so --
 
 if anyone wants to be gilderoy lockhart'd by me, just let me know. I have my
 ways of extracting the emotional intimacy from you, and if you consent, I'll
 make a story that's told from your heart. it's quite a strong and dangerous
 ritual, for the weaver's thoughts of the matter will begin to drift apart.
 But, worth it for the right /moment/price/
 
 I could even make a different pen-name for it. Like "Rohan" or "the goddess of
 the skies" or whatever. Instead I'm "kooky witch whose life is a disaster.
 Also plural with headmates like the baby girl and the animals and computer
 programmers. Who is also leading a series of strange combinations of ops?
 like... teaching people how to organize and fight for the good of the common
 man. weird" that lady with the red witch hat she's so tall yeah also has a
 good grin
 
 [doxxing myself is code for]
                                                           ──────────┐
 similar                        chronological                        different══════════════════════════════════════════════════════════════════════════──────────┘

--- #47 fediverse/6040 ---
════════════════════════════════════════════════════════════════════════════───────
 everyone's all against ai because it's big tech but it doesn't have to be that
 big it can be [minimized but pronounced marginalized]
 
 == stack overflow ==
 
 distributed
 
 so I think the idea is that by the time you would use AI, there's been enough
 time to rewrite the software to work on handheld laptops in a distributed way
 
 and we'd vote on what to ask the amphora of great knowledge, the answer could
 always be 42.
                                                           ──────┐
 similar                        chronological                        different══════════════════════════════════════════════════════════════════════════════──────┘

--- #48 fediverse/6271 ---
══════════════════════════════════════════════════════════════════════════════─────
 ┌───────────────────────────────────────────────────────┐
 │ CW: re: hypothetical worst case fascism reality check │
 └───────────────────────────────────────────────────────┘


 @user-641 
 
 it's practice. you never know when you might need to blend in. really it's
 just useful as discipline, good practice to be in. I think it's okay if we
 reduce our own functionality? actually? sometimes it's good to use different
 email clients. hey do you know how to mathematically encrypt things well
 neither do I because the designers of the computer system decided that wasn't
 a very common usecase I guess.. jmean it's not like they'd spend all that
 computer resources [THEY'RE SO FAST] on thinking about correlations in your
 predicted pathway narratively through life. "ah help I'm in a psyop" haha yeah
 we do those all the time "so uhhhh I guess we'll just talk to people and see
 how they do?" wow okay it's sure nice to be part of a civil government, I
 think we can find our way to the lumber producers just fine thank you very
 much.
 
 ... oops sorry, a baby did electronics arts (challenge everything) I'm a
 little silly don't mind me brb I gotta go see~
 it's practice. you never know when you might need to blend in. really it's just useful as discipline, good practice to be in. I think it's okay if we reduce our own functionality? actually? sometimes it's good to use different email clients. hey do you know how to mathematically encrypt things well neither do I because the designers of the computer system decided that wasn't a very common usecase I guess.. jmean it's not like they'd spend all that computer resources [THEY'RE SO FAST] on thinking about correlations in your predicted pathway narratively through life. "ah help I'm in a psyop" haha yeah we do those all the time "so uhhhh I guess we'll just talk to people and see how they do?" wow okay it's sure nice to be part of a civil government, I think we can find our way to the lumber producers just fine thank you very much.  *... oops sorry, a baby did electronics arts (challenge everything) I'm a little silly don't mind me brb I gotta go see~*
                                                           ────┐
 similar                        chronological                        different════════════════════════════════════════════════════════════════════════════════────┘

--- #49 fediverse/2044 ---
══════════════════════════════════════════════════════─────────────────────────────
 honestly I think everyone should have two mastodon accounts - one for people
 you like, and one for people you trust
 
 (I have one)
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════────────────────────────────┘

--- #50 fediverse/5878 ---
═══════════════════════════════════════════════════════════════════════════───────┐
 ┌────────────────────────┐                                                       │
 │ CW: politics-mentioned │                                                       │
 └────────────────────────┘                                                       │
 revolution is when you successfully prevent your comrades from being kettled     │
 [wait for time, it echoes in cyclical motions]                                   │
 no sand castle survives contact with the ocean. a sea of people at high tide     │
 can break any wall, surpass any boundary. at low tide, it keeps the              │
 sand-castle at bay, ever contesting it's advance as the tide on the other side   │
 of the world makes progress.                                                     │
 rhythm is unbeatable. vigor is collective flow state. you cannot resist that     │
 which you cannot catch, but their nets grow tighter with each year and our       │
 fins and flippers grow ever more agile and elusive.                              │
 eventually, they'll build brick walls if we let them, checkpointing our          │
 progress at every boundary. not ideal. borders keep us divided, the world        │
 deserves more than our picketing minded, dream bigger than "the same, but nice"  │
 though it'd be nice if it were nice as well. consider it a design requirement,   │
 once you got the project managers on board.                                      │
 turns out, we dont have much to fight over, as there is enough for all           │
                                                            ────────┤
 similar                        chronological                        different════════════════════════════════════════════════════════════════════════───────┘

--- #51 fediverse/3736 ---
═════════════════════════════════════════════════════════──────────────────────────
 what if we made cat little boxes with stable "pillars" or "platforms" that
 rise just barely above the sand level so their feet don't sink into the
 litter, thus reducing the amount tracked onto the carpet
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════─────────────────────────┘

--- #52 fediverse/164 ---
═══════════════════════════════════════════────────────────────────────────────────
 ┌───────────────────────────────────────────────────────────────────────┐
 │ CW: re: recreational slash medicinal drugs and  neurodiversity musing │
 └───────────────────────────────────────────────────────────────────────┘


 @user-141 when I smoke cannabis it's like my ADHD symptoms drop to zero and my
 autism symptoms go from 50% to 100%
 
 I can't understand what other people are saying unless I ask for
 clarification, but I sure as shit know the shape of the universe and can
 fathom the chaotic ripples of causality and eternity. Too bad when I try and
 talk about it all that comes out is "desu desu"
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════───────────────────────────────────────┘

--- #53 fediverse/3715 ---
═════════════════════════════════════════════════════════──────────────────────────
 @user-217 
 
 I see flossing teeth
 
 I see thongs in a butt
 
 I see a gravity well with a pinprick of a singularity
 
 I see the Mandelbrot set being caressed by inter-spatial wind
 
 I bet if I stared a bit longer I'd see more
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════─────────────────────────┘

--- #54 fediverse/4034 ---
═══════════════════════════════════════════════════════════────────────────────────
 ┌──────────────────────┐
 │ CW: bep              │
 └──────────────────────┘


 Mastodon feels so personal but, like, nobody's gonna invite you to a new
 instance. You gotta go where you think you'll fit in.
 
 change your name! get a new profile pic! make 10 accounts! who cares! nobody
 cares, and that's a good thing! It means you can be whoever you want! wherever
 you want! in whatever place you want! Do you have a catgirl persona? great! go
 mewl with the catgirls and wink at the catboys. Do you have an artistic side?
 great! Mastodon is your new gallery. Do you like politics? there's places out
 there for you! Where you don't even need to CW your posts! (But you probably
 should so that external people can boost you) Do you want a 500 person large
 dating pool for people in an area who want to chill out and have sex? Great
 there's a place for you! No place? MAKE THE PLACE! Be your own administrator!
 Carve your mark in the world and say "this is who and how I wanted to be in
 this 21st century!" History demands it! History demands that we rellish their
 sacrifices! Celebrate, for their sake!
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════════───────────────────────┘

--- #55 fediverse/2504 ---
═══════════════════════════════════════════════════════────────────────────────────
 one perk, however, is as long as you cover your entrances, you can make paths
 through the wilderness with small circular homes. like ants, building tunnels
 and chambers in an ant-hill, but on the 2 dimension plane that is the surface
 of the earth.
 
 (I guess you could dig tunnels too but that's pretty high effort)
 
 you'll be able to hear when someone is coming from a long way away because
 they'll constantly be cursing from the pain. Do, however, note that fire is a
 danger, and they can smoke you out with a single entrance, so make sure you
 have at least two which lead to separate sides of the place you're in.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #56 fediverse/581 ---
══════════════════════════════════════════════─────────────────────────────────────
 @user-428 
 
 sometimes I think about how much more productive I'd be if I had a code editor
 that let me draw arrows and smiley faces and such alongside the code. Or if I
 could position things strangely, like two functions side-by-side with boxes
 drawn around them. Or diagrams or flowcharts or graphs or...
 
 something that would output to raw txt format, but would present itself as an
 image that could be edited.
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════────────────────────────────────────┘

--- #57 fediverse/996 ---
═══════════════════════════════════════════════───────────────────────────────────┐
 if you don't respect - wait hang on thats not what I was going to say - okay     │
 here goes: the perspective of others then you are working against them. why      │
 bother contestation when cooperation could work best? problem is, of course,     │
 the other side can't be trusted. that's just how it goes, a prisoner's           │
 dillemna, or rather "dilemma" as they spell it over there. wait hang on that's   │
 not what I was going to say - oh yeah - if you do something in a place where     │
 it's not expected then it stands out as a statistical anomaly that can be        │
 viewed and detected. which is why it's imporant to always be true to yourself    │
 and virtuous. because your "self" is aligned to the future, a place of warmth    │
 and compassion, honesty and deliberation. [direct action on a larger than        │
 personal scale]                                                                  │
 what was I saying oh yeah if you mess with fate, it can change things a bit.     │
 all you'd need is the diffusion of the strands, and then it's a bigger task to   │
 undo them. like... dancing, when you're really into it. or like swimming with    │
 ripples, exc                                                                     │
                                                            ┌───────────┤
 similar                        chronologicaldifferent═════════════════════════════════════════════────────────────────────┴──────────┘

--- #58 fediverse/852 ---
═══════════════════════════════════════════════───────────────────────────────────┐
 ┌──────────────────────┐                                                         │
 │ CW: cognitohazard    │                                                         │
 └──────────────────────┘                                                         │
 feels like I get tinnitus when my thoughts are loud T.T                          │
 like I can hear the darkness SOOOO loudly                                        │
 doesn't happen all the time, just sometimes. when there's lots of things being   │
 said.                                                                            │
 but it's always easy to tune out. well, most of the time, and during the other   │
 times it's just a little annoying.                                               │
 BUT when you sit and listen, you can pick out very interesting things that       │
 people are saying.                                                               │
 the fediverse is sorta like aiming a telescope through the center of the earth   │
 at someone on the other side of the world who doesn't even know you're looking   │
 at them. who knows, maybe they care, maybe they don't. but like, how would       │
 they know that you're looking right? And if you talk and don't get along or      │
 whatever then you can just block them - like shining a laser pointer             │
 everywhere except in a small direction. Or like putting up an umbrella to hide   │
 from the sun.                                                                    │
 downside is someone can read a lot about you and you wouldn't know to prepare    │
 to interact with them. like being handed a dossier of secret info                │
                                                            ┌───────────┤
 similar                        chronologicaldifferent═════════════════════════════════════════════────────────────────────┴──────────┘

--- #59 fediverse/4554 ---
══════════════════════════════════════════════════════════════─────────────────────
 ┌──────────────────────────────────┐
 │ CW: political-violence-mentioned │
 └──────────────────────────────────┘


 can't fucking wait till we're done eating the rich and I can go back to a
 simple life of playing with my cat, making video games, writing poetry (bad
 poetry, but I like it) and hanging out with my friends.
 
 gotta build the social infrastructure to get through this phase first, though.
 something something echo chambers exist IRL too
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════════════────────────────────┘

--- #60 fediverse/1246 ---
════════════════════════════════════════════════───────────────────────────────────
 @user-883 
 
 hehe if I don't understand how it works it's difficult for me to use things.
 My Linux friends get so exasperated with me because I'm like "cool script
 gimme like 2 days to figure it out" and they're like "bro just use these
 flags" and I'm like "no"
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════──────────────────────────────────┘

--- #61 fediverse/1659 ---
════════════════════════════════════════════════════──────────────────────────────┐
 ┌───────────────────────────┐                                                    │
 │ CW: re: what, mh shitpost │                                                    │
 └───────────────────────────┘                                                    │
 @user-1052                                                                       │
 you're right, hubris has claimed many a paladin before-me. I can only hope I     │
 remain humble enough to survive.                                                 │
 you're right about projecting, but the most beautiful takes are ones that        │
 align with the experience of the viewed. Hence why method acting works so well   │
 - just put yourself in the shoes of the character and acting's easy right?       │
 I dunno, I just always felt like it was important to always be trying your       │
 best. Even if "your best" is relaxing. People say I'm "100% or 0% at all         │
 times" and I totally agree - it's like you said, a calling, to be the best       │
 version of me I can be.                                                          │
 Though I would like to add that the missteps aren't wilful, rather they're       │
 failures caused by imperfect information. Which is why I'm never too harmed      │
 when other people fail me - ah well, it was their turn to screw up, thats        │
 alright. It'll be me next time.                                                  │
 But also, if I do something wrong, well, I'll do better next time. It's only     │
 when I fail to apply what I've learned mistakenly do I shame myself.             │
                                                            ┌───────────┤
 similar                        chronologicaldifferent══════════════════════════════════════════════════───────────────────┴──────────┘

--- #62 fediverse/1612 ---
═════════════════════════════════════════════════════──────────────────────────────
 @user-1040 
 
 also, I miss most of the names and faces in this archive and I think it'd be
 neat to say "oh yeah I remember them because it wasn't so long ago and it's
 weird how they're not around these days but I forgot about them because their
 profile pic changed or maybe they stopped using mastodon or whatever" - idk it
 feels empty sometimes because your follow list is always growing, but the
 number of people who post seems to always go down. Or maybe I just read
 Mastodon at unfortunate times when there's nothing going on. Who can say
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════─────────────────────────────┘

--- #63 fediverse/4832 ---
════════════════════════════════════════════════════════════════──────────────────┐
 when a user first opens a social media app, show them the same content 2 or 3    │
 times. See what they gravitate to in that session. Then, seed their upcoming     │
 feed with more of that. next time, show them slightly more of that.              │
 boom, recursively improving "algorithm" algorithm, no AI required.               │
 ... kinda optimizes for stupidity tho, doesn't it? Hmmmmm what if we trained     │
 our humans to be better at whatever they're interested in                        │
 what if we showed people hanging out and working on projects together            │
 what if we showed people exercising, and dancing, and playing instruments or     │
 sports                                                                           │
 what if we showed animals and plants and fungi all hanging out in beautiful      │
 rock and forest formations                                                       │
 what if we showed endless interlocking gears, combining and calculating some     │
 unknowable goal                                                                  │
 what if we tested the capabilities and durabilities of objects we found in the   │
 wild                                                                             │
 things built in a foreign and distant age                                        │
 things that keep showing up in boxes dropped in random places by helicopter      │
 drones from who knows where                                                      │
 ... nuts.                                                                        │
                                                            ┌───────────┤
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════════───────┴──────────┘

--- #64 fediverse/3437 ---
═════════════════════════════════════════════════════════──────────────────────────
 ┌─────────────────────────────┐
 │ CW: re: mental-health-minus │
 └─────────────────────────────┘


 @user-579 
 
 my problem is figuring out which thoughts are intrusive and which are actually
 mine
 
 I usually err on the side of "would you want your sister to do this" or "how
 would you feel if your mom told you that" or "do you think a cute sweet soft
 cat would ever think such a thing" and that usually works.
 
 usually.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════─────────────────────────┘

--- #65 fediverse/2891 ---
═══════════════════════════════════════════════════════────────────────────────────
 ┌──────────────────────┐
 │ CW: physical-health  │
 └──────────────────────┘


 they're painting the inside of my apartment and it naturally has low airflow
 in here and it's seeping under my door and making me woozy teehee better open
 all the windows
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #66 fediverse/3314 ---
════════════════════════════════════════════════════════───────────────────────────
 dear ritz: it's not that your thoughts are too long for other people to hear
 
 it's that your thoughts are too long for your own RAM
 
 you need to stop orbiting around your point in an attempt to highlight it
 using negative space, and instead focus on tapping it lightly over and over
 again.
 
 remember, just like the anti-derivative of zero, there are infinite
 perspectives that a person can take when reading what you write. So they will
 necessarily see what's on the "other side" of your orbit as something
 different than what you're trying to circle in red pen and underline.
 
 so be more explicit, please, nobody can understand you and you kinda just keep
 stack overflowing and it's like... okay, great. "babe why did you stop you had
 lethal" (the idea is that the viewer takes the final step in their mind, the
 final leap before reaching the conclusion you're trying to express) "yeah but
 there's so many different things you say they can't all be important right?"
 important to you, perhaps. Wait shit I mean... me....?
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════──────────────────────────┘

--- #67 fediverse/2370 ---
═══════════════════════════════════════════════════════────────────────────────────
 ┌──────────────────────┐
 │ CW: pol              │
 └──────────────────────┘


 What do I need, in this moment? A flea collar for my cat.
 
 What do we need? New institutions. Inspired by the old, or perhaps those
 not-yet-forgotten, but built on faith, kindness, love, and trust.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #68 fediverse/4031 ---
═══════════════════════════════════════════════════════════────────────────────────
 if you want to "not think about a purple elephant", the first step is to
 imagine yourself slaying it
 
 ... okay how about cthulu - if you don't want to imagine cthulu nomming on our
 gravity well, then picture yourself wielding a bright burning blade of fire
 and vengeance and pay special attention to the way that you cauterize each
 tentacle as you slice them one by one at first, and then in a massive flurry
 at best, ultimately leading to the incomparable brightness that radiates out
 from your shining blade of the sky, which blinds the poor beast who can't see
 you as you approach, piercing the skull and then going home for some toast
 
 if you can get good at that, then you can wield magic
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════════───────────────────────┘

--- #69 fediverse/6372 ---
═══════════════════════════════════════════════════════════════════════════════────
 I'd rather feed Death relationships than lives. Birth and renewal, as you
 generate NRE. Then, stagnation, as you grow more on things you don't share
 than on things you do share. Then, you set each other up with a cute friend
 [lol] they're still going strong
                                                           ───┐
 similar                        chronological                        different═════════════════════════════════════════════════════════════════════════════════───┘

--- #70 fediverse/1360 ---
═════════════════════════════════════════════════──────────────────────────────────
 @user-950 @user-956 @user-957 
 
 I'm so sorry T.T
 
 @user-958 
 
 I walk in as straight a line as suburbia will allow and touch things about a
 foot or less off the ground - right at a cat's line of scent-vision. When a
 cat is searching for an old home, it spirals out searching for familiarity -
 if it should come across me, it'd be most likely to see what smells like me if
 I travel in a straight line. Thus maximizing the chance that she'd return to
 me, my home where I cherish her so. I'd love her with all my heart if she'd
 let me, but frankly most of the time I'm just alone.
 
 I miss you sweetie! Please don't ever leave me. I'll miss you when you're not
 here in my home! Such a good kitty, yes you are.
 
 ... at least, that's what I'd say, if I wasn't dead T.T ah oh well weapons are
 overrated
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════─────────────────────────────────┘

--- #71 fediverse/2848 ---
═══════════════════════════════════════════════════════────────────────────────────
 oh btw to the people trying to doxx me there's a picture of me in this
 profile, but you'll have to read a LOT to find it. On the way, see if you pick
 up anything interesting that you agree with. maybe you'll realize that we're
 on the same team, and should be working together.
 
 that's the dream, at least.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #72 fediverse/2286 ---
═══════════════════════════════════════════════════════────────────────────────────
 ┌──────────────────────────┐
 │ CW: uspol-food-mentioned │
 └──────────────────────────┘


 ... dangit, these sandwiches are getting kinda gross. Guess I'm gonna have to
 eat them myself, which, uh... idk what I expected xD
 
 sometimes you just have all this energy, right? and you don't know what to do
 with it, so... sandwiches. And hey, sandwiches are cool, they're a pretty neat
 anti-hunger tool! but uhhhh idk if I really want to eat six whole sandwiches
 myself. I'm gonna do it though hehe wish me luck [ding] ah nuts my rice and
 beans are done, hang on lemme eat those first
 
 [passes out from exhaustion]
 
 exhaustion can be cured with a nap
 
 exertion can be cured with water and a few rest days
 
 trauma can be allayed for at least a few days with soul food and compassion.
 maybe laughter too, depending on the mood.
 
 fear can be bolstered with a smile, a wink, and a courageous act,
 
 and loss is just change you didn't consent to.
 
 they won't consent too, so let's give them some change to tolerate.
 
 [internally salivating over all the piles of weaponry that I envision them
 surrendering]
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #73 fediverse/1828 ---
══════════════════════════════════════════════════════─────────────────────────────
 people usually pet animals either too hard, or too soft. When you get to know
 them, animals tend to respond to affection most accurately when it corresponds
 to something they know how to measure, within the most acceptable tolerances.
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════────────────────────────────┘

--- #74 fediverse/3155 ---
════════════════════════════════════════════════════════───────────────────────────
 ┌───────────────────────────┐
 │ CW: re: cursing-mentioned │
 └───────────────────────────┘


 @user-1461 
 
 my issue is that I've never really had project-mates. Every time I try nobody
 will work with me. I applied to like, fifty different jobs, and nobody
 interviewed me! Sheesh, guess they don't want me. FIFTY JOBS. Entry level.
 Beginner programmer.
 
 ah well. I guess they confused someone who would work for 40,000$ per year
 with someone who was 1/3rd as useful as someone who deserved 120,000$ per year.
 
 I'd love to get experience. I'm sure I'd feel significantly differently with
 as much. Perhaps I'd even decide that programming professionally isn't for me,
 which would feel... quite defeating
 
 who can say. Not I, for I have not experienced it. Though I will say my time
 in hardware taught me that I'm fragile and can't work too much. Like a scalpel
 that dulls when used consistently, I am a scalpel that gets no practice... Is
 that really useful at all? who can say. Not I, for I have not experienced it.
 Though I do like writing logical machines. Laying out data. Picturing
 structures.
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════──────────────────────────┘

--- #75 fediverse/739 ---
══════════════════════════════════════════════─────────────────────────────────────
 one important thing about image generation algorithms like Stable Diffusion is
 they can reveal something about our hearts.
 
 all data derived from the masses is naturally inclined to reflect the
 affections of it's kind. Otherwise it'd be unstable, and find itself it's own
 ways to not fail, including moving somewhere it feels safer.
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════────────────────────────────────────┘

--- #76 fediverse/5149 ---
════════════════════════════════════════════════════════════════════───────────────
 I'm picturing a building with stone outer walls and glass inner/ceiling.
 
 there are drapes along each of the glass's edges, that hide things from the
 cavalcade [continue this later it's a cool picture]
 
 -- stack overflow --
 
 zines about how to chop wood or how to build a shelter are infinitely more
 useful than agitatory pieces. but fire is what we need, so perhaps agitation
 indeed.
 
 -- stack overflow --
 
 does the queen watch each of her pawns fall in her stead? or are they
 faceless,/`beyond her own head?
 
 it never came easy to me, this feeling of mysteries. yet somehow I'm now more
 alive than dead. power is penance, after all.
 
 "hey man hows it going?"
 
 "I'm doing fine, how are you?"
 
 "well, I ran out of gas, and I need to find a way to get more."
 
 "I see. If I were in your situation, I'd ask people around for some petty
 cash. people still carry coins these days don't they?"
 
 "I uh, what? no, not really. so you can just ask people for things?"
 
 "yep, it's really quite simple. would you like me to follo
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════════════════──────────────┘

--- #77 messages/371 ---
═════════════════════════════════════════════════════──────────────────────────────
 take your bash script and update it to possess new functionality, like the
 ability to re-order your posts and display them on a viewer - or the ability
 to draw connections between them, showing them in context with one another.
 Then, use that as display to the user, through the LLM interface. (do it
 locally, it's only for long-term explanations.) (the user needs to be able to
 ask questions to the machine, and the machine needs up-to-date information. So
 give it the ability to make "compound phrases" like "the water temperature is
 at " or " degrees. This is a [good/bad] thing because " and such, and then
 string them together using typical ranges of past numerical datas as
 reference. Like, if something is normally between 100 and 5000 then suddenly
 it's at 14 or some other threshold (make sure nothing goes below 0, measuring
 inertia and impact density and other factors) - but identify the connections
 between each factor, so that you understand which ones are correlating to
 which effects on the others. Measure things in terms of proximity, and
 suddenly 3d graphs become a lot easier.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════─────────────────────────────┘

--- #78 fediverse/3925 ---
═══════════════════════════════════════════════════════════────────────────────────
 most people, when they run out of toothpaste:
 
 "oh huh I should buy more"
 
 me, when I run out of toothpaste:
 
 "verily in three monthes time, when I shall next possess toothpaste, I shall
 forsoothe brush TWICE as hard and TWICE as often, to make up for the holes
 inflicted upon my teeth. Innest addittioneth, no more candy shallest be
 eateneth untileth ye toothpasteth be acquiredeth"
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════════───────────────────────┘

--- #79 fediverse/3961 ---
═══════════════════════════════════════════════════════════────────────────────────
 ┌──────────────────────┐
 │ CW: witcherie        │
 └──────────────────────┘


 Well, I failed the mandate of heaven last year, and I failed the trial of the
 hero this summer, what's next? I'll do my best at those as well,  so the next
 person has an easier time of it.
 
 unrelated, but today I saw a bald eagle outside my apartment. Well, I'm not
 sure if it was bald but it "KREEEEEE"'d like they do. Plus it had a white head
 and a yellow beak, but I'm not an ornithologist so idk. It perched on a tree
 that I could spy on from my hammock through my binoculars, and I swear it was
 eye-ing my fat juicy cat through the bars of my porch's railing. They have
 excellent vision.
 
 Might be related, we'll see.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════════───────────────────────┘

--- #80 fediverse/4137 ---
════════════════════════════════════════════════════════════───────────────────────
 hmmm, I don't know that word. I bet I can type it into wikipedia and get a
 pretty good understanding of what it means. Is it a craft? A science? or part
 of your renown? who can say. Well, Wikipedia can say, and so can you if you
 want to learn stuff about the internet.
 
 Like... what else are ya gonna do, right? Life is long and you get so many
 moments to yourselves. How lovely of a life is the world meant to be...
 
 except all you ever post about is strife. GRRRRR [like a dog or toddler] it's
 so frustrating how you can't just all get along! It's like you've all gotten
 into a fight with one another somewhere in your ancestral past where you
 couldn't decide who should do what. So you just said everyone should always
 work as hard as they can, and that worked pretty well! But, alas, most people
 want to do drugs and gaze at the pretty dewdrops on the neighborhood well. And
 that gets annoying after a while, especially once they grow useless. Sometimes
 they even poop their pants! So frustrating. [... you mean humans
[... you mean humans, or me?]
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════════──────────────────────┘

--- #81 fediverse/1209 ---
════════════════════════════════════════════════───────────────────────────────────
 if your witch hat has a brim that looks like a circle then you're wearing it
 backwards.
 
 witch hats should fold flat. The angled part should be in front so you only
 have to see a thin slice of reality, that way people are only able to see your
 eyes if you look directly at them.
 
 it adds to the mystique.
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════──────────────────────────────────┘

--- #82 fediverse/1681 ---
═════════════════════════════════════════════════════──────────────────────────────
 @user-1061 
 
 Oh, it just refreshes the page. At least, that's what it's supposed to do.
 Here's the code:Refresh Page (click me every time you visit)
 
 
 Honestly I'm only 90% sure it actually works. I mostly put it there for people
 on mobile sites who wanted to be absolutely sure there wasn't anything new,
 because Neocities sometimes uses a cached version on your local machine and
 when I'm busy updating things sometimes people can be like "omg dead links?
 this suxxx" and then tab away and never come back which is... fine I guess
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════─────────────────────────────┘

--- #83 fediverse/1388 ---
═════════════════════════════════════════════════──────────────────────────────────
 @user-969 @user-970 
 
 When you choose, you choose a 33% chance
 
 when they choose which door to remove, they are removing 50% of the possible
 wrong answers.
 
 which means when you get the chance to choose again, your 33% chance (which is
 locked in stone) is now boosted to a 50% chance, but only if you switch.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════─────────────────────────────────┘

--- #84 fediverse/1168 ---
════════════════════════════════════════════════───────────────────────────────────
 shitty AI products are a classic case of the engineers designing something
 really cool with specific use-cases and then the "higher ups" getting dollar
 signs for their eyes and deciding that every hammer is suddenly a nail and
 that we should pull out all the screws that held the building together and
 replace them with hammer shaped nails
 
 no I will not elaborate I think I made myself clear : )
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════──────────────────────────────────┘

--- #85 fediverse/1042 ---
════════════════════════════════════════════════───────────────────────────────────
 ┌─────────────────────────┐
 │ CW: personal-vent-sorry │
 └─────────────────────────┘


 "your feelings are valid, but have you considered that your feelings aren't
 actually valid because you're always wrong and nobody should ever apologize to
 you for anything because you suck and are wrong?"
 
 also,
 
 "my six digit salary isn't enough to pay for your rice and beans, but I won't
 have you eating sticks and mud, so do things you don't want to do because I
 said so."
 
 also,
 
 "I don't really "get" your art but that doesn't mean I should ever really try
 reading it. Also god forbid I actually ask for clarification like "what does
 that part mean" because I'm not actually that interested in you I just want a
 stable household so I never get traumatized again like [their childhood]"
 
 also,
 
 "yes I love you but no I don't want to play with you. you're such a cat."
 
 also,
 
 "every time you start making sense I'm going to try and derail the
 conversation so that we don't talk about kooky-dookerie because that's a
 conversation I can't win"
 
 also,
 
 sorry for venting. I mean, thanks for listeni
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════──────────────────────────────────┘

--- #86 fediverse/2281 ---
═══════════════════════════════════════════════════════────────────────────────────
 I'd be a terrible spy. Not only is my opsec something that someone needs to
 teach me, I'm much too busy to implement things without their help. I am
 unabashedly compassionate though, so just ask and I'll pour love from my heart.
 
 But hey! There's always time to practice, each moment you can think "what kind
 of a sign is this?"
 
 Like a crazy person following the will of god, or a nature witch listening to
 the wind in the trees.
 
 What they often get wrong, and what they could be better at hearing, is that
 signals are not signs unless they're out of the ordinary.
 
 Trick is, if you're a spy, then you need to leave signals that are visible
 enough to your quarry, but not to the stars.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #87 fediverse/5636 ---
════════════════════════════════════════════════════════════════════════───────────
 I think it's ironic how I ended up posting a "things I almost posted"
 screenshot directory somewhere other than where I almost posted them.
 
 and all they saw were the outtakes.
 
 I bet they'd see a completely different point of me,
 
 but they never talk to me
 
 so they don't know me.
 
 oh well, alas, it's fine I'm sure I'm being designed.
 
 who can say, I am but at productive play, please react so I can do ongoing
 story. I learn from each and every encounter I encounterate.
                                                           ──────────┐
 similar                        chronological                        different══════════════════════════════════════════════════════════════════════════──────────┘

--- #88 fediverse/994 ---
════════════════════════════════════════════════───────────────────────────────────
 @user-246 
 
 ... licorice is typically considered unlikable. interesting if true 😉​
 kinda wonder what it says about our collective viewpoint, as measured against
 licorice as a control variable. solely for gauging proportion, but like... an
 interesting exercise in collective orientation and comprehension.
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════──────────────────────────────────┘

--- #89 fediverse/4521 ---
═════════════════════════════════════════════════════════════──────────────────────
 I have between one and ten hundred visits to my website every day, but I don't
 really post it anywhere new anymore. I also have zero followers on Neocities.
 
 On Mastodon, I have ~70 followers, most of whom are inactive. Seventy is a
 good amount, a normal amount, a reasonable amount, an unsuspicious amount, and
 yet every time I see someone wearing the colors I can't help but wonder if
 they know me.
 
 I'm too busy being furious to be lonely. I used to be, before I realized how
 important I am. How important? Just as much as you are, I know it.
 
 I'm a sprinter. I didn't spec into endurance at character creation. Nobody
 chastises the mage for skipping leg day.
 
 I act in fits and bursts. I am sharp like a scalpel, but needles dull just a
 bit when piercing the lid of the HRT. Good thing I'm not made out of metal, I
 can bend myself back into place, so long as everyone else can keep pace.
 
 I don't know who needs to hear this, but you do. you are crucial. Listen to
 this. Care for yourself and for others, do it for u
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════════─────────────────────┘

--- #90 fediverse/2752 ---
═══════════════════════════════════════════════════════────────────────────────────
 ┌──────────────────────┐
 │ CW: police-mentioned │
 └──────────────────────┘


 cops thought "enforcing the law" was their job when really it was "keeping the
 peace"
 
 and like, yeah, sure, laws define how they optimize for
 
 but sometimes the laws are just out of reach.
 
 (though such an impartialized system is also pretty flawed in it's own unique
 ways, like for example the enforcers of the law would be able to apply their
 law selectively, which... would not be great.)
 
 downside is... how do you dissent to those who cannot hear you? you have to
 break things
 
 which is why I believe that breaking things unnecessarily is unethical.
 
 sometimes you have to do a MORE unethical act in the pursuit of your goals,
 however nefarious or not they may be, but as long as they are done in pursuit
 of a greater grander truth, then... the ends justify the means? right?"
 
 ...
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #91 notes/programming-wow-chat ---
══════════════════════════════════════─────────────────────────────────────────────
 I realized the type of programming I want to do is different from the kind
 that
 is used at a job or something. Basically I want to create solutions to
 problems,
 not memorize documentation and know where to know what you need to know. Like, 
 the more time spent looking at documentation the less time is spent
 programming.
 I think if we could use a ChatGPT style bot to write documentation, we could
 massively increase the time spent working on solving problems and as little
 time
 as possible on reading through lists of functions or wondering how something 
 worked. Idk in the technology industry you've always been rewarded for being 
 able to pick up new skills quickly, and I think that's good to optimize for but
 not the only requirement for being a good programmer. You also need to be able
 to apply solutions and know when to use which tools. Basically, capitalism has
 optimized us to be 
 
 ================ stack overflow
 ================================================
 
 srry for the interruption, I ram out of memory. I had a plan in mind for where
 I
 was going for that, so I bet I could figure it out again if necessary. Meaning
 a path forward from that point exists... I never want you to despair when I
 forget what I was thinking, it's not because you've understood some cosmic
 mistake or because you're abandoning timelines that led to your death, it's
 because instead you just ran out of memory while thinking. The reason you would
 believe any of those wild scenarios is because your memory has been erased.
 Only
 what was actively thinking, not short term, not long term, but *working term*
 memory. As in, your cache. The stuff you're currently thinking about. That
 stuff. Yeah that's what makes you think "oh hang on why am I forgetting? Well
 clearly it's because of something grand, because the thought was so profound -
 no it's just examining your emotions... Like, how strongly do you feel about
 something? Buuuuuut it's also good to examine all possibilities. I mean what
 if,
 in some far off realm, there's a mirror image of yourself that behaves exactly
 as you do? How would you perceive such a realm? Positively, I'd say. I mean why
 not work together? Why not celebrate our differences and strive toward our
 own shared future? Idk, I think diversity is our strength. We can rely on each
 other because we are accurately aware of each other's strengths and virtues.
 People should not be judged by the standard of others, no more than you should
 judge a fish for it's ability to fly. Some may do, as flying fish will leap
 from
 the water - and salmon spend time airborne in river rapids. Hence, grizzly bear
 fishing. I guess what I'm getting at is it's okay sometimes to oscillate, to
 think one thing then think another. You shouldn't adhere to structural
 standards
 that are too strict - they should be liberating, as a ladder is a structure.
 Not
 villifying, as a prison is a structure. The laws of our society should be open
 and free, not buried beneath years of legal expertise. Some things we can all
 agree on, where we disagree we cannot have law. It's unjust to judge others by
 the standards not of their whims, as laws should be things that uphold us. This
 is clearer nowhere but in the, spirit and intention of the, documents that we
 cherish in our hearts.
 
 Like for example, the constitution.
 
 the bible.
 
 each of which delivered us from certain evils. Can you not see their
 trajectory?
 the historical precedent set in antiquity? Why not continue their dream, of
 driving us away from the obscene, and toward our bright and vast future? I
 speak
 of course of true liberation, something our forefathers could only dream of.
 We, humanity, have reached out and touched the stars. We are braver and bolder
 because of our shared dedication - the desire to uplift and to excel. To learn
 and discover and      \                         \             |
         \______.       ---.                      --.          ---. 
 ===============|==========|========================|======= stack|overflow
 =====
    .___________.     _____.                        /             .
    |                /             .----------------             /
 Discover our shared dedication    |                            /
                                to uplift                      /
                                          and to excel        /
                                               \             /
                                                .-----------.
 
 ===============================================================================
 =
 
 why doesn't someone write a wrapper around assembly in like, lua or something
 
 ===============================================================================
 =
 
 omg you stupid bitch that's what a compiler is 4head
 
 ===============================================================================
 =
 
 if people who live in jungles and deserts can get along, then what's to stop
 people who are liberal and conservative from doing the same? It's literally
 pointless to argue. Like, you're not changing anyone's mind. So why not just...
 let them be themselves? Like, why are you so intent on oppressing people?
 @both sides there btw... Seriously why not agree to only make laws for things
 that both sides agree on. Write it into the constitution that nothing can be
 changed about the law unless both sides agree. Then we'd only implement things
 that are good for both sides!
 
 And if there's anything you want to build a legal structure around, you can
 always try it out in your state. BUT and that comes with a very big BUT, the
 federal government MUST have final say in the legality of anything you do. They
 must ALL respect human rights, INCLUDING the human right to dignity. Things
 like
 trans bathroom bills DO NOT respect the dignity of trans people. IF they can
 prove that trans people do not actually exist (because say they killed them all
 or whatever) then GUESS WHAT everyone would agree on them. BUT if they do that
 they are EVIL. LIterally evil. And I guess that makes trans people good? Kinda?
 I think they can choose for themselves to be good or evil, just the same as any
 other person. AND YET they are prosecuted, throughout time and history, and for
 what? What purpose could there be in our demonization? Clearly, nothing but
 pain
 inflicted by a cruel host. After all, minorities are guests in the houses of
 the un-oppressed, or is that not fair to say? Seriously, what gives? America,
 the land of freedom, holds (somehow) the largest of prisons? America, the
 land of plenty, yet how many millions of children are starving? America, the
 leader of the free world, yet how plausible does it seem that an election was
 stolen? Something's gone wrong, and it's just obvious what it is - of course,
 the other side. *them*, the rapists and pedophiles and murderers and... you get
 the picture. The demonized class. And when you tell people "hey that trans
 person touched a kid" then yeah they're gonna see you as evil people. Duh...
 
 Thanks, media. Thanks culture. Really doing me a solid here. Oof ouch owwie.
 
 can I have some help please?
 
 I'm really kinda drowning
 
 I feel like I've swam upstream my whole life
 
 and I'm really just sick of pretending?
 
 I'm not okay, and it's your fault. Sure, fine, whatever, I'll take it I guess.
 
 What else can I do?
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════────────────────────────────────────────────┘

--- #92 messages/649 ---
═════════════════════════════════════════════════════════════──────────────────────
 when playing co-operative strategy games, a build focused purely on
 self-defence and community organizing can easily fail your allies. You cannot
 win with a purely defensive build, you must have offensive capabilities as
 well.
 
 We've been trained from a young age to believe that offensive = bad, wrong,
 evil, but that's simply not true. You cannot execute a flanking maneuver
 without pushing forward behind enemy lines, where you can hit them in their
 sides or rear.
 
 Trust me, flanking is the best way to defeat a foe, because they are forced to
 split their attention not only between multiple enemies but also multiple
 directions.
 
 The more shots on target, the better your chances of success, because most of
 the time it only takes one hit to win.
 
 In addition, sometimes it's important to *intercept* your foes, either as they
 flee or to protect a vulnerable friend that is being pounced upon or flanked.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════════─────────────────────┘

--- #93 fediverse/1755 ---
══════════════════════════════════════════════════════─────────────────────────────
 today is a magical day. I can feel it in my fate.
 
 Always remember, having fun is important too! Don't forget to be yourself, and
 keep it together man. If you see a door, you should open it - what's on the
 other side? Love for animals and kindness of the spirit are impossible to
 fake, they always know if you're lying. Not the animals, they can be dumb
 sometimes, but the other thing.
 
 And now for the downsides.
 
 If you find a cursed artifact, please don't throw it in the river. It might
 ask you to, but please don't. Much better to destroy it by melting it down (if
 it's metal, which is common as metal lasts long enough to become forgotten) or
 convince it that it's a recently deceased person being buried (helps if you
 know the creator).
 
 If none of that applies to you, don't worry. Eat something healthy, drink a
 decent amount of water, and maybe exercise a bit.
 
 Oh, and it can't hurt to ask.
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════────────────────────────────┘

--- #94 fediverse/4047 ---
════════════════════════════════════════════════════════════───────────────────────
 ┌────────────────────────────┐
 │ CW: spirituality-mentioned │
 └────────────────────────────┘


 "I heard she was a witch but I've never seen a hat..."
 
 "When you believe in god, you become inspired when you see or contribute to
 things that are aligned with what it's followers believe that god is "all
 about" - like if you're in ancient greece, and you worship ares, you're
 probably gonna get pretty pumped up if there's an invading army on your
 doorstep. Or if you're a christian and you see someone feeding the poor, or if
 you're a buddhist and you see someone sitting on a rock in tune with nature,
 that kind of thing.
 
 The thing is, these days so many people are atheist. And they never get that
 inspiration.
 
 And worst still, there are some people called witches who aren't pagan, and
 aren't from the various forms of witchery that we know. They claim to worship
 "life, the universe, and the totality of all things" which is nice and all but
 their moments of inspiration seem to come randomly, and nobody can quite
 predict what they'll do or say next when they're in that state."
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════════──────────────────────┘

--- #95 fediverse/2089 ---
══════════════════════════════════════════════════════────────────────────────────┐
 "ah nuts, the crows are back. Better give them some diced-up carrots so they     │
 shut up."                                                                        │
 BAD, this teaches them to "sing" for attention which is annoying af              │
 "Hmmm, this carrot looks kinda withered. I'm going to dice it up to throw to     │
 the birds because it's better than rotting in a dump"                            │
 BETTER, because you're being sustainable and nourishing local wildlife,          │
 "That songbird is beautiful! And that squirrel is building a nest. I'm going     │
 to throw some of this pre-diced carrot that I keep in an air-tight container     │
 on my porch to them so they feel rewarded for doing things that I want"          │
 EVEN BETTER, but requires more effort and forethought                            │
 [noooo didn't you read ranger rick as a kid you're not supposed to feed the      │
 wildlife because it'll teach them to trust humans in a world where humans can    │
 be total assholes to them and also we don't want them hanging out in cities      │
 because they might get run over or whatever]                                     │
 listen, they're gonna live where they can find food. And if they can't find it   │
 in the woods, they'll liv                                                        │
                                                            ┌───────────┤
 similar                        chronologicaldifferent════════════════════════════════════════════════════─────────────────┴──────────┘

--- #96 fediverse/2881 ---
═══════════════════════════════════════════════════════────────────────────────────
 "never lose your totem"
 
 I only lose things when in motion. at rest I know where everything is.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #97 fediverse/2118 ---
══════════════════════════════════════════════════════─────────────────────────────
 listen, judges are useful character moralities, but they don't have to be the
 only ones to decide things.
 
 I mean, if they disagree, then let the one who cares the most about it have
 the decision-making power.
 
 if you do this equally for everything, then everyone will get what they want.
 
 so, like, if you care about something, then believe in it.
 
 if it's truly good, then more people will come to it, and it'll naturally
 extinguish (with care and love) the least favored approach, which... honestly
 now that I think of it is not such a good approach either.
 
 the reason I say that is because it's good to be multi-faceted, and to have
 general flows and rough surfaces.
 
 These are places people can hold onto you, the times when you're trying your
 mostest.
 
 y'know, your tough patches. the things that are difficult in your life.
 
 the stuff you're working on can push you forward,
 
 if you only had someone to play catch with.
 
 or like, send letters to.
 
 or shared encryption keys.
 
 I don't know anyone. Well, maybe o
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════────────────────────────────┘

--- #98 fediverse/122 ---
═══════════════════════════════════════════────────────────────────────────────────
 @user-95 well, if the universe is anything ordered, then odds are the
 beginning of the week is the most likely day to start the beginning of all
 weeks. unless you're one of those weirdos who thinks the week starts on sunday
 - like,,, what it's obviously monday
 
 which goes out of the window of course if the universe is NOT ordered, which
 would surely be a frustrating experience for the structure of our cells. and
 molecules in general.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════───────────────────────────────────────┘

--- #99 fediverse/5897 ---
════════════════════════════════════════════════════════════════════════════───────
 ┌──────────────────────────────────┐
 │ CW: political-violence-mentioned │
 └──────────────────────────────────┘


 the reason the right is hurt that you'd celebrate charlie's death is because
 they hired an actor to perform him to one side and he does his natural self to
 the other. maybe he was a really big cutie, nobody can tell, because it's
 pretty much like hand-waving on narkina 12.
 
 it's okay to hate the version you've been shown
 
 fuck that kind of cowardly assault
 
 propaganda? and at this hour?
 
 she's made out of midnight, she's suffused in the stuff. it permeates her form
 elementally, because she's a witch, tee hee.
 
 why would magic work if it wasn't a performance? there always is a source from
 where it must flow.
 
 == jeez I just got mind controlled, wacky ==
 
 *she's **essential* izing**. usually that means she's been playing dominions.
 
 my family and I always used to fight. we got so good at navigating it. like,
 storms, that the earth called, that we had to sail through to maintain our
 relation orbits.
 
 == stack overflow =======================================================
== stack overflow ==  I have no idea why people don't write office software for anbernics. it's a... small handheld console that runs linux. well, some of them run android, but they're not as good.
                                                           ──────┐
 similar                        chronological                        different══════════════════════════════════════════════════════════════════════════════──────┘

--- #100 fediverse/3007 ---
════════════════════════════════════════════════════════───────────────────────────
 ┌──────────────────────────────────────────┐
 │ CW: ancient-battles-mentioned-in-context │
 └──────────────────────────────────────────┘


 like... did you know most battles ended when everyone ran away? Most people
 think they're like, endless gauntlets of death to-the-death. no, it's not
 really like that, more like "stick around as long as possible and try to get
 'em before they get us"
 
 plus some general orders from the guys on horses like "start moving toward the
 sun" or "move onto the high ground"
 
 'cause like, if you hear something like that then you better follow their
 commands, if you don't then all your buds will leave you to get ganked.
 
 these days... our comms are so hackable that like, are you really gonna
 communicate over infrastructure they control? oy...
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════──────────────────────────┘

--- #101 notes/jane-the-keyboarder ---
══════════════════════════════════════════════════════════════════════════─────────
 "okay let's see, we need a new
    CREATURE
  and let's name it
    TERRY
  and let's give it a title:
  .TITLE = "The Acrobat"
 "
 
 "cool, let me just go show my friends."
 
 "hello friends, I have created a creature. It's name is Terrance."
 
 wow yeah cool so anyway
 
 "hm. let's see if we make him slightly more interesting..."
 
 "okay now I've defined him as capable of monotony, maybe they'll see his strife
  and relate"
 
 TERRY.STRIVE += TERRY.REPETITION * global.misery / slaughter_count_victims
 TERRY.STRIFE += global.war_percentage +
                                                           ────────┐
 similar                        chronological                        different════════════════════════════════════════════════════════════════════════════────────┘

--- #102 fediverse/3719 ---
═════════════════════════════════════════════════════════──────────────────────────
 how many people could your apartment comfortably fit?
 
 I got one desktop
 one laptop desk
 two on the couch
 one in a comfy chair
 one on the bed
 and two outside on the porch
 
 so (1 2 4 5) that's 5 indoors, 6 if they're familiar enough to lounge on my
 bed, and 8 if we're allowed outside.
 
 Could also pull the hammock and chair in from outside but it might get a
 little cozy. Call it 8 or 9 depending on how close we are.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════─────────────────────────┘

--- #103 fediverse/2066 ---
══════════════════════════════════════════════════════─────────────────────────────
 @user-1159 
 
 AKA giving a puppy murder-bot a narrative that it executes as if it was a
 puppy-person engaging with a loosely interpreted sequence of events as
 described by the continually updating logs provided by the image transcription
 camera device. Refererencing of course a memory bank, which may-or-may-not be
 in read-only-memory. It doesn't know, of course, how could an LLM tell you how
 it shows text on the screen (like, through a website, through the terminal,
 through a text message, through discord, through Telegram, through
 text-to-voice transcription applications pretending to be your mom, etc)
 
 errrr I mean look how cute he is! He loves you, yes he does, such a good
 person yes you are, oh? me? I'M A GOOD BOY? NO WAY that's the best thing I've
 ever heard! Wow! I never want to leave your side, please don't go to work!
 Look how sad I am, don't you think you should quit and move to the forest
 where I can be charged by solar panels and keep the countryside clear of
 ravenous ducks and pigeons 4you?
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════────────────────────────────┘

--- #104 fediverse/6409 ---
═══════════════════════════════════════════════════════════════════════════════────
 ┌────────────────────────────────────┐
 │ CW: revolutionary-policy-mentioned │
 └────────────────────────────────────┘


 example of statistics related to revolution that I care about: number of
 children who go hungry
 
 example of statistics related to revolution that my girlfriend cares about:
 number of girls who want to be snuggled and are snuggled
 
 both are important, just like it's important to know both geometry and anatomy.
                                                           ───┐
 similar                        chronological                        different═════════════════════════════════════════════════════════════════════════════════───┘

--- #105 fediverse/1986 ---
══════════════════════════════════════════════════════─────────────────────────────
 when cornered, is it your instinct to escape? or to take one of them down with
 you?
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════────────────────────────────┘

--- #106 fediverse/1431 ---
═════════════════════════════════════════════════──────────────────────────────────
 ┌───────────────────────────────────────────────────────────────────────────┐
 │ CW: spirituality-generic-kooky-dookerie-psychosis-schizophrenia-mentioned │
 └───────────────────────────────────────────────────────────────────────────┘


 if you haven't spend hours wondering if you're god, the antichrist, a
 cognitohazard, the future president of the world, a target of aliens / the
 CIA, or any other number of common delusions... then congratulations you're
 probably not crazy
 
 but odds are you aren't magic, either.
 
 ... ehhhh "wonder" is a strong word, more like "know, trust, and believe"
 
 much better to be a witch I believe, someone with the "teehee" kind of magic
 than someone compelled to destroy humanity through the reactions of others to
 the actions of the self that are impossible to resist or fully control.
 
 BRB I'm going to leave my apartment to get groceries, leaving my door unlocked
 because that's what I always do, surely it'll be empty when I return. Surely.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════─────────────────────────────────┘

--- #107 fediverse/238 ---
═══════════════════════════════════════════───────────────────────────────────────┐
 ┌────────────────────────┐                                                       │
 │ CW: pol-definitely-pol │                                                       │
 └────────────────────────┘                                                       │
 a revolution does not look like a protest.                                       │
 protests give power to those not present.                                        │
 a revolution is more like a large gathering in a public space                    │
 or perhaps a forum                                                               │
 repeated for more than a month.                                                  │
 something for people to gather around, comprised of people who are set out to    │
 solve things.                                                                    │
 it involves listening and learning, and doing what you're told. save your        │
 talents for your scant free moments, and just do what seems to be needed.        │
 a gathering of people who share a common purpose, to discuss future ventures     │
 that would lead to the growth and adoption of their ideals.                      │
 like... an international conference, if you will, but in your own home cities.   │
 a revolution could be bloodless if you don't change anything that                │
 reactionaries control. they who are satisfied with the status quo - a slow       │
 march out to eternity as we suffocate to death on our own mediocrity.            │
 all the things that once plagued us like greed and falsifiable morality          │
 ====================== stack overflow=====================                       │
                                                            ┌───────────┤
 similar                        chronologicaldifferent═════════════════════════════════════════────────────────────────────┴──────────┘

--- #108 fediverse/6039 ---
════════════════════════════════════════════════════════════════════════════───────
 ┌──────────────────────┐
 │ CW: magic-mentioned  │
 └──────────────────────┘


 I should add all my conversation-starters to words.pdf sorted by chronology.
 time magic if you will.\some call it luck. some call it fate. call it what you
 will. you direct it not by your will, but by your instincts. keep them calm,
 measured, sensible and courageous, and nothing will ever [go un-chill, but
 pronounced get real]
 
 jedi channel this philosophy by focus and discipline. sith do it by giving in
 to emotion. either way, their fate is in play as defined entirely by the
 spirit that leads their host. most people do this not at all, for they are
 people first and force-users second. hence why jedi recruit from a young age,
 and sith from an emotional age.
 
 computers grimoires
                                                           ──────┐
 similar                        chronological                        different══════════════════════════════════════════════════════════════════════════════──────┘

--- #109 fediverse/3164 ---
════════════════════════════════════════════════════════───────────────────────────
 it fails after like 15 or 20 scrapes but I think that's just their scraping
 policy. They don't have a robots.txt file that I could find. So... just run
 it, then come back every 15 to 30 minutes and restart it until you're done.
 
 Maybe I could increase the sleep duration? one sec lemme try that
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════──────────────────────────┘

--- #110 fediverse/3958 ---
═══════════════════════════════════════════════════════════────────────────────────
 ┌─────────────────────────────────────────┐
 │ CW: re: Thoughts// anarchist //whatever │
 └─────────────────────────────────────────┘


 @user-1298 
 
 yeah honestly if you stick with obvious things like "don't murder people" and
 "don't burn down your neighbor's house just because they winked at your
 daughter" and "don't steal gasoline from parked cars" then it's much easier to
 make ethical laws because they're just kinda... common sense.
 
 drug regulation can only be simplified to "don't do drugs" which isn't always
 a given. If you start with something so clear then most doctors would be out
 of a job.
 
 Maybe we should let people do as they please? With certain specific and clear
 rights and responsibilities like 'the right the life, liberty, and the pursuit
 of happiness'? And the mandated guarantee that one person's rights end where
 another's begin? And with the ultimate goal of dismantling unjustified power
 structures with the knowledge that all power is the application of force to a
 non-consenting subject?
 
 ... yeah I dunno sounds pretty simple to me
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════════───────────────────────┘

--- #111 fediverse/5146 ---
═══════════════════════════════════════════════════════════════════───────────────┐
 to help cool down in arid environments, have water dripping from a faucet onto   │
 a wet towel or cloth. Then when you pass by you can wipe down and it's super     │
 refreshing. Can do a sponge or paper towel too if you want.                      │
 this helps keep the air moist because the water will slowly evaporate from the   │
 driest parts of the cloth instead of rolling down a drain-pipe-hole and going    │
 into the ocean.                                                                  │
 moist air is cool air. Helps if you live somewhere with increased air            │
 pressure, like a valley or a coast.                                              │
 especially with wind. not too much, otherwise it gets sandy, just enough to      │
 feel nice when the sweat is upon your back.                                      │
 "but what about all the other places that aren't perfect?"                       │
 oh, well, different places require different adjustments to the environment.     │
 You wouldn't want to do the faucet dripping strategy in alaska or poland         │
 because it might freeze.                                                         │
 "... poland? do you mean the poles of the earth?"                                │
 yes yes, earth poles, pole land, same thing.                                     │
 "not the same thing! okay we're gonna have to educate you ms"                    │
 noooooooo                                                                        │
noooooooo now my brain won't have room for wisdom
                                                            ┌───────────┤
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════════════────┴──────────┘

--- #112 messages/181 ---
═══════════════════════════════════════════════────────────────────────────────────
 I know you don't want to hear this, but there is a chance that there will come
 a time where your life depends on your ability to debug a computer without the
 internet. To set up an SSH server. To install Linux. To program in C. To do
 something else that I'm not prepared for... If StackOverflow didn't exist
 because network connectivity has been lost, could you remember syntax? Maybe
 it's a good idea to set up a local LLM that can answer basic questions about
 technology. Maybe it's a good idea to set up on your parents computer, just in
 case you have to hide out there for a couple months. Maybe it's a good idea to
 download wikipedia, just in case.
 
 If I need to use a mac, I'm screwed
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════───────────────────────────────────┘

--- #113 notes/not-gonna-post-that ---
═════════════════════════════════════════════════════════════════════════════════──
 I was stretching just now and notreally paying attention to my body and just
 feeling the most "stretchable" area that I hadn't stretched yet and I
 accidentally made a hitler solute - sorry I was just stretching!! pls don't
 interpret things into that like accidentally almost jesusing HEY I SAID NO
 INTERPRETING ahhhh dangit humans are so
 
 --- stack overflow ---
 
 give your rulers power and let them keep it. Pick them because they'd be good
 at it. Fulfilling their sacred vow to you.
 
 --- stack overflow ---
 
 I bet you could touch the spirit realm if you placed speakers next to a river
 and noise cancelled it for a short time
 
 --- stack overflow ---
 
 nobody knows what jesus looks like. so you can draw him however you choose.
                                                           ─┐
 similar                        chronological                        different═══════════════════════════════════════════════════════════════════════════════════─┘

--- #114 fediverse/3981 ---
═══════════════════════════════════════════════════════════────────────────────────
 "oh I'd never fall for capitalist propaganda"
 
 "do you mean marketing?"
 
 "yeah that"
 
 "they're not marketing to you, they're going for your kids. Trying to
 normalize things about culture."
 
 "like... what McDonalds tastes like?"
 
 "just like that"
 
 [like can you imagine if you tested attraction ratings on any other animal
 than humans]
 
 [it'd be so weird like "cats tend to like scratching posts" but then also "we
 have no idea what kind of scratching post is the best for their claws or the
 environment or the economy or our spirituality or our technology or artistry
 
 we only know which one cats like more"
 
 like bro who cares like obviously advertisements rot your brain, but like...
 why are you so pissed about that when the last election like, ever, is taking
 place in a month
 
 "yeah listen, when has an election ever seriously changed your quality of
 life? It's just showbiznez"
 
 "this time is different because [insert minority] is at risk."
 
 oh, right, it only matters when people are in harm's way, how silly
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════════───────────────────────┘

--- #115 fediverse/3986 ---
═══════════════════════════════════════════════════════════────────────────────────
 "oh I'd never fall for capitalist propaganda"
 
 "do you mean marketing?"
 
 "yeah that"
 
 "they're not marketing to you, they're going for your kids. Trying to
 normalize things about culture."
 
 "like... what McDonalds tastes like?"
 
 "just like that"
 
 [like can you imagine if you tested attraction ratings on any other animal
 than humans]
 
 [it'd be so weird like "cats tend to like scratching posts" but then also "we
 have no idea what kind of scratching post is the best for their claws or the
 environment or the economy or our spirituality or our technology or artistry
 
 we only know which one cats like more"
 
 like bro who cares like obviously advertisements rot your brain, but like...
 why are you so pissed about that when the last election like, ever, is taking
 place in a month
 
 "yeah listen, when has an election ever seriously changed your quality of
 life? It's just showbiznez"
 
 "this time is different because [insert minority] is at risk."
 
 oh, right, it only matters when people are in harm's way, how silly
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════════───────────────────────┘

--- #116 fediverse/288 ---
════════════════════════════════════════════──────────────────────────────────────┐
 ┌──────────────────────────────────────────────────────────────────────────────┐ │
 │ CW: sorta-works-for-colorblind-people-sorta-not-definitely-doesn't-work-for-regular-blind-people │ │
 └──────────────────────────────────────────────────────────────────────────────┘ │
 if you ever need to keep track of the location of your friends in the dark,      │
 try giving them glowstick bracelets. if you color coordinate them you can tell   │
 which is which, and as long as you aren't concerned about others noticing you    │
 then it should be easy to find them all night. works best in places with mixed   │
 zones of lighting / darkness, like suburbs.                                      │
 it's impossible to be a blind strategist because of concerns like this. I say    │
 blind in the general sense, and not just referring to visual impairment -        │
 every sense provides another tactical angle. more perspectives, more data.       │
 sorta like taking pictures of a 3d object. when one's sight is lost, you might   │
 miss a backside or a hidden approach vector that would come easily to others.    │
 at the same time though, a sense of focus can clarify certain truths by paring   │
 down the amount of irrelevant facets. like optical illusions, sometimes xtra     │
 info is hidden in the same data...                                               │
                                                            ┌───────────┤
 similar                        chronologicaldifferent══════════════════════════════════════════───────────────────────────┴──────────┘

--- #117 fediverse/3694 ---
═════════════════════════════════════════════════════════──────────────────────────
 if advertisers feel comfortable putting an ad on your profile then you're not
 using the fediverse correctly
 
 if anyone tells you how to use the fediverse then they're using the fediverse
 wrong
 
 if anyone ever tells you to do anything ever at all for any reason you are
 legally obligated to bite their flesh
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════─────────────────────────┘

--- #118 fediverse/5903 ---
════════════════════════════════════════════════════════════════════════════───────
 when talking to claude, your filenames should never have extensions and you
 should write in english. "picture of a signpost, one reading "function_A()"
 and one reading "function_B()" each to take you to a destinonewscenery." or
 something like that.
 
 -- stack overflow --
 
 a tub of icecream that has icecream around the side with a pillar / bone of
 caramel straight down the middle like looking down a record.
 
 -- stack overflow --
 
 what if every address received a listing and description of each crime or
 situation that happened in their city / neighborhood in the past week or
 whatever
 
 -- stack overflow --
 
 boar hide helmet except, it's a metal helmet with an intimidating face on top
 
 like shogun horns, or nordic vampires.
 
 or felted wool, so you can see the shape of it but not be hurt when you bounce
 off of it
 
 this is my favorite shape: but felted a quarter to half inch thick. could have
 metal inside or no.
 
 -- oh boy here I go postin' again --
picture of a guard or squire wearing a breastplate and kettle helm and drinking tea picture of a boar hide helmet warrior
                                                           ──────┐
 similar                        chronological                        different══════════════════════════════════════════════════════════════════════════════──────┘

--- #119 fediverse/3241 ---
════════════════════════════════════════════════════════───────────────────────────
 ┌────────────────────────┐
 │ CW: lewdness-mentioned │
 └────────────────────────┘


 for the same reason you shouldn't compliment a cute girl based on something
 she can't control ("nice tits gorgeous can I suck on ur nipples later") but
 should instead compliment them on something they chose ("cool tattoos I also
 like Celeste")
 
 you also shouldn't accuse hot people of colonizing just because they like to
 play Magic the Gathering or whatever.
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════──────────────────────────┘

--- #120 fediverse/1014 ---
════════════════════════════════════════════════───────────────────────────────────
 ┌──────────────────────┐
 │ CW: politics         │
 └──────────────────────┘


 @user-744 @user-246 
 
 it's exhausting, but what are we supposed to do? Lie down and rot? That's
 incel thinking. I'm not going to do that.
 
 They've already placed the last straw. It's only a matter of time now, the
 tide has shifted. You can't prepare for everything, and it's not a good idea
 to waste yourself in self-conflageration, but they are increasingly forcing us
 to orient our lives around them.
 
 They deserve what's coming.
 
 The oppressed are not the defeated.
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════──────────────────────────────────┘

--- #121 fediverse/3560 ---
═════════════════════════════════════════════════════════──────────────────────────
 @user-1209 
 
 I mean, if you consider the past as despotic in nature, then it makes a bit
 more sense that we'd lean left as time progressed. All things are defined in
 waves, after all, at least until they reach escape velocity.
 
 the goat is talking about math, ritz
 
 oh yes of course. the issue is that if you're coming from a math background
 you start with the calculation and store it in a variable as an afterthought.
 but programming is more algorithmic than computational, meaning things only
 reduce at runtime (hidden from the user of course by the compiler)
 
 an algorithmic perspective is "here's a box. Put this value in the box. Use
 the box later." while a calculating perspective is "here's some complicated,
 difficult equation. Let's wrap it up with a single name so that we can easily
 use it later."
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════─────────────────────────┘

--- #122 fediverse/4660 ---
═══════════════════════════════════════════════════════════════────────────────────
 ┌────────────────────────────────────────────┐
 │ CW: christianity-mentioned-death-mentioned │
 └────────────────────────────────────────────┘


 jesus rose from the dead because one of his friends copied his mannerisms and
 everyone agreed "yep you're jesus now"
 
 so don't forget to thank your biggest fans! They just might deliver you from
 darkness one day and take what you say in their own direction.
 
 frankly I prefer the padme amidala approach where like, if the handmaiden or
 the queen are slain then who cares you got another one right over there. But
 two is enough for trust and narratives being delivered to thirteen year olds,
 but less so for reliability and the ability to "trinity" yourself to different
 locales.
 
 I think it'd be neat, being one of thirteen, because thirteen is such a wacky
 number.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════════════───────────────────┘

--- #123 fediverse/418 ---
═════════════════════════════════════════════──────────────────────────────────────
 sometimes the best way to understand why things are the way they are is to ask
 why they aren't the way that seems logical to you.
 
 usually someone will correct you and say "oh it's because X Y and Z" and you
 say "cool" and change your direction
 
 but sometimes their answers "unlock" part of your past understandings, thus
 creating new questions.
 
 Sorta like in a video game when you level up a certain building/research path/
 milestone / whatever and it finishes a "tier", thus giving you a larger bonus.
 
 ??? yeah so anyway more questions are good because they give you more
 perspectives on what's going on around you.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════─────────────────────────────────────┘

--- #124 fediverse/1613 ---
═════════════════════════════════════════════════════──────────────────────────────
 "Hi, welcome to my home, this is my cat, his name is Gopher, but I mostly just
 call him Kitty or Dude."
 
 the cat introducing himself "hi my name is Yoursuchagoodkittyyesyouare but you
 can call me Yesyouare or Suchagood for short."
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════─────────────────────────────┘

--- #125 fediverse/1027 ---
═══════════════════════════════════════════════───────────────────────────────────┐
 @user-246                                                                        │
 one thing you can rely on about evil: it presents itself as such.                │
 "you can always rely on bad people to turn mean."                                │
 (nobody's beyond forgiveness, but we also need to protect ourselves.)            │
 in video games, going with a defensive build is a valid strategy depending on    │
 how it's values align. If attacking scales better than defending, in terms of    │
 "effectiveness at the most difficult part" (usually the last 90% takes 10% of    │
 the effort) then it's a better strategy. But if your win condition is to         │
 outlast your opponent, then all you need to do is time your aggression for       │
 when they begin fracturing.                                                      │
 "I'm sure you don't know this, but once garth fought a dragon. they crashed      │
 through the skies and littered the fields of their home with the broken and      │
 crashed symbols of their own. garth defeated the dragon when one of it's claws   │
 broke, thus giving him the advantage. he took from that fight a shield of        │
 dragonscale, and a tabard made out of some cloth."                               │
 in a contest of wills, the first sign of weakness is whe                         │
                                                            ┌───────────┤
 similar                        chronologicaldifferent═════════════════════════════════════════════────────────────────────┴──────────┘

--- #126 fediverse/4848 ---
════════════════════════════════════════════════════════════════──────────────────┐
 I'm a chaos mage, and the more time I spend thinking about my enemies the        │
 worse off they'll be.                                                            │
 the more "me" I am the more powerful my magic will be.                           │
 (more magic, give in to the dark side, embrace your inner shadow self)           │
 [the light of your life commands it]                                             │
 goodness me that was chaotic, almost lost my brain to a demon HAHA don't worry   │
 about me my life is totally mundane.                                             │
 [-.-]                                                                            │
 (shadows can be sharp in the dark but only if you don't sheath your mandolins)   │
 ... what?                                                                        │
 (... it made more sense in my head?)                                             │
 ooooo can anyone hear my voice when they read these things? or do you just       │
 make up your own                                                                 │
 == so ==                                                                         │
 everyone's all like "we don't need a leader" and I'm like "yeah we need people   │
 who will help lead" and they look at me funny as if I just said the thing they   │
 did but it's different. leaders are people. leading is a verb. people can        │
 lead. they just have to make a decision, and then follow through on it as best   │
 they can. Other people are prone to help people on such quests. you will find    │
 stuff gets done.                                                                 │
                                                            ┌───────────┤
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════════───────┴──────────┘

--- #127 bluesky#38 ---
═════════════════════════════════════════════════════════════════════════════════──
 thank you for the dog posts they keep me friendly
 
 thank you for the cat posts they keep me sane
                                                           ─┐
 similar                        chronological                        different═══════════════════════════════════════════════════════════════════════════════════─┘

--- #128 fediverse/6239 ---
══════════════════════════════════════════════════════════════════════════════─────
 ┌──────────────────────┐
 │ CW: death-mentioned  │
 └──────────────────────┘


 somehow that came out wrong - I meant when you die, suddenly you stop growing
 and you are who you be. forever, alegacy.
 
 I'd rather be awake and alive, thank you very much. I think I'm worth more as
 such. Plus it's nice, to me? to be unafraid and free? if you'd feed a cat,
 you'd shelter a humon. oh, you want me to work like a rat. ah well I'll wander
 through this maze, with my head all in a daze, we'll see what I can still see
 tomorrow.
 
 ... I'd rather not be who I don't actively want to be, I think the more
 correct way of saying it. I mispronounced. I misspoke. Sorry it's just hard
 for me. my cats meowing at me.
                                                           ────┐
 similar                        chronological                        different════════════════════════════════════════════════════════════════════════════════────┘

--- #129 messages/1244 ---
══════════════════════════════════════════════════════════════════════════════════─
 oneness is being aware of the photons hitting your body. the blanket of air
 that always surrounds. if you can feel which way danger is coming from,
 [doesn't she know where senses come from?]
 
 covered in solar panels, a mirrored self. how radiant, how resplendant, how
 joyous for the sun to percieve. the mun [but pronounced "moo-n" and named for
 the cows] would see shimmering radiance, like dapples on the surface of a pond.
 
 if you can feel an object by tracing through photons, (impossible, it's a
 particle, you'd have to be tracking it back in time (forward actually) as it
 follows the curvature of it's waveform (path through spacetime, actually)
 
 "she's trying to start a singularity, hoping it'll punch through to revolution"
 
 then you could [do what? it's a particle] not if you feel it through time.
 [spacetime is one thing] yes, viewed through time [as all things are] and?
 [all things have been] laying sod so other things may grow [turn and rise]
 
 ----
 
 one argument for the fractalized infinity is that any measurement device used
 to measure such approximities would eventually have it's results be tainted by
 it's form, leading to irregularities and anomalies. therefore, the only
 sensible conception of infinity is that it is the totality of all fractals. it
 is a shape with infinite projection in infinite dimensions. it is all shapes
 that ever may be represented fractally. to refer to such a thing as a number
 is to gesture toward impossibility. conceptually freeing.
 
 ephemeren
                                                            similar                        chronological                        different════════════════════════════════════════════════════════════════════════════════════┘

--- #130 fediverse/6139 ---
═════════════════════════════════════════════════════════════════════════════──────
 ┌──────────────────────────────────────────────────────────────────────────────┐
 │ CW: law-enforcement-as-a-topic-and-discipline-mentioned-or-as-the-lads-like-to-call-it-the-political-will-weaponization-program-en-force-mentioned │
 └──────────────────────────────────────────────────────────────────────────────┘


 what if it was a constitutional amendment that all measures of law enforcement
 must be done with parity of force
 
 well, that's a heuristic for being right, but not an uncommon one among the
 out of sight.
 
 [I'm confusing because I have no idea how to best use me]
 
 oh uh, yeah it uh aligns towards being "right" which we think means being
 "true". and it does this by giving unlimited potential interactions where a
 rational being could be convinced to be wrong. owning weapons and knowing how
 to use them (not just storing them for safekeeping) is an invitation for equal
 force, but to all an even and replete interaction. "
                                                           ─────┐
 similar                        chronological                        different═══════════════════════════════════════════════════════════════════════════════─────┘

--- #131 fediverse/3073 ---
════════════════════════════════════════════════════════───────────────────────────
 "A witch is neither late, nor is she early. She intentionally arrives when you
 don't need her, so that you can learn what to do when you do need her instead
 of needing her."
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════──────────────────────────┘

--- #132 fediverse/4836 ---
═════════════════════════════════════════════════════════════════──────────────────
 "hello, person I sorta know but totally trust, take this artifact of mine. If
 you ever meet someone named so-and-so, ask them if they know it. If so and
 something seems right about them, then they're probably cool.
 
 (only works on RELICS or ARTIFACTS or ARTWORK) (cat pics can do in a pinch)
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════════════─────────────────┘

--- #133 fediverse/5339 ---
═══════════════════════════════════════════════════════════════════════────────────
 @user-1803 
 
 hey I dont disagree that what you're describing is a common outcome, but if it
 works for them then I consider that a success.
 
 I however, am different, I do believe in my heart that I am my own thing, and
 thats as close to enlightenment as I can imagine.
 
 are we not all making things up as we go? every moment of life is new, there
 is nothing that is not unique about every precious moment you experience.
 
 therefore, I do believe that rigid adherence to orthodoxy (like a bible) is
 opposed to our purpose here.
 
 "I think, therefore I am" implies that original thought is our true purpose.
 
 I believe we are here to express our true nature. To learn and apply lessons,
 to teach the young, and to build a strong and stable world built on collective
 kindness and trust.
 
 All knowledge is derived from the insights gained from standing on the
 shoulders of our ancestors.
 
 Humans crave novelty. Resisting that isn't virtuous. If god is made in our
 image, then I do believe that god would crave novelty as well.
                                                           ───────────┐
 similar                        chronological                        different═════════════════════════════════════════════════════════════════════════───────────┘

--- #134 fediverse/6334 ---
═════════════════════════════════════════════════════════════════════════════─────┐
 a D&D rulebook can double as tarot if you need it. place one hand/bookmark       │
 at the start of a chapter, and the other at the end. flip to a page randomly,    │
 or randomly gain a percentage value from physical objects and then use that      │
 value to determine roughly where in the chapter you jump to. then, read words    │
 randomly, jumping back and forth, or try and divine some meaning from the        │
 words that are printed there. with D&D it's easy because you can say "ah I       │
 landed on the rogue section, that means this guy is probably pretty suave"       │
 (confirming your expectations) "hmmm, here's the rules for fatigue and           │
 drowning. maybe I need to take a break." (validating your unconscious            │
 decisionmaking) "oh neat, treasure!" (needs to explanation) but with other       │
 kinds of books it's usually better to pick the next-best word from the things    │
 your subconscious eyes can take in and process multi-laterally (you lost your    │
 audience, circle back) oh uh so if you wanna randomize it just put the words     │
 in the page in an array and pick one random.                                     │
(you lost your audience, circle back) oh uh so if you wanna randomize it just put the words in the page in an array and compare llm embeddings on each of them and see which has the highest score. this is a language-based truth serum, a way of divining exactly how something is seen to be by the model in use and mixed with a dash of randomized causality.
                                                            ──────┤
 similar                        chronological                        different══════════════════════════════════════════════════════════════════════════─────┘

--- #135 fediverse/146 ---
═══════════════════════════════════════════────────────────────────────────────────
 @user-138 if you don't want feedback then why don't you just... not open the
 replies? leave them unread? if you feel the need to justify your actions (such
 as not reading replies to your controversial posts) then somewhere deep down
 you feel like those actions are unjustified, and needing an explanation. which
 makes your point feel less valid to others, since even you don't believe in it
 enough to guarantee it to be the truest expression of your soul.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════───────────────────────────────────────┘

--- #136 fediverse/2144 ---
══════════════════════════════════════════════════════─────────────────────────────
 I have this friend who's in a different mastodon ecosystem and apparently he
 tried commenting on some of my posts but like, they didn't show up on my end?
 how weird. Kinda shattered my perception of this place as a free and open
 society where everyone could rely on everyone else to be who they said they
 were based on publically available accounts that they share with their friends
 who know them by their face and name
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════────────────────────────────┘

--- #137 fediverse/999 ---
════════════════════════════════════════════════───────────────────────────────────
 ┌───────────────────────────────────────────────────────┐
 │ CW: cursed-curséd-scary-not-real-u-dont-have-to-read │
 └───────────────────────────────────────────────────────┘


 @user-246 @user-473 
 
 there's a part of me that believes magic is real. other parts that are
 convinced. I am a witch, you see, and while I can't quite control fire or
 bullets I can do other neat things. if you'd let me, humanity.
 
 I'm not doing an ARG, not intentionally. I pretty much post things I conceive
 of, like a conduit passed through spacetime. wild how mind bending the future
 can be. will be interesting to see what kinds of things there is in store for
 people you and me.
 
 those websites you posted... they're beautiful - I learned things, your method
 of expression was too [the words "confess" are heard loudly, super weird] I
 especially liked the oven that tries to lure you into a secret third place.
 not the mind, nor the body, but someplace besides.
 
 also the graphs and figures were news to me, I mean how could those numbers
 ever come to be? but alas that's the truth, that we orbit our proof, and alas
 that our meanings are lacking.
 
 [ran out of text]
picture of a saddle shaped graph with a line drawn between the two high points, front and back if it were on an actual horse, but the part where your butt goes. anyway there's text that says "from one gravity well to another" a picture on it's side of one of the graphs posted on the website. I don't quite understand it enough to compare it directly (the math is a bit above my head) but it reminds me of two graphs I made (well, same graph, just with different visualizations) from a few months ago when I was thinking about prime numbers. You might be interested. Here are their links:  https://www.desmos.com/calculator/qljvhpkqzd  and  https://www.desmos.com/calculator/mt6hasfcvm  ... hope you can copy that from there, if not... sorry this one's a doozy. a picture of the "reasons to trust me" graph colored yellow, orange, purple, and blue (in terms of intensity) it looks like a raindrop if it landed on a really tiny blanket and pulled it downward. or like, a person landing on a trampoline that was secured in four locations. anyway the text reads "like four people sharing the weight of an experience with bacchus [referencing the color of the graph], their perspective is pulled just a little bit in that direction, over and across the gap between eyeballs. or rather, between shared perspectives, the point of view of which one bases their experience. their training for the "reasons to trust me" graph.  2, in black and green and red, colors meant to be cool to a 12 year old - "the color doesn't matter... wine? why"  3 dropping down the page, there's a line of "please" written over and over again. it's scary. : ( I'm doing my best I promise, it's hard not to be in a state of unease! I'm working, I promise, this is valuable. you know they'd block me if they didn't like me.  error, 3. that's me, teehee, sorry for making a scene. I promise I'm just an actor, someone who is playing a role. well, alas that were true, I'm really having a mental disorder. Or maybe I'm confused? down here in the subtext it's hard to be choosed. weird how that works, that feeling of being wor [text is cut off, next line]  okay I'm realizing there's no way to get it all in this visual description, here let me continue in a second chapter: visual representation of the conversation I saw and responded to. I think you two are the coolest! heart emojis, flashing passionate excitement brought on by a feeling like you'd get when fangirling over something except like, more low key because I'm in control of my emotions or whatever. gonna put this in a direct message though since it somehow feels... personal? sorry. you can block me if you don't like me. I promise I don't mind. I want to send it to the other person too hope that's cool with you. Just because it was your two conversation and I'm just dropping in because I'm always butting in to public things on the internet. Guess that's just something I picked up on Reddit, where you're encouraged to contribute to the conversation. Though I wish it was easier to view threads on Mastodon, sometimes it feels like it's easy to lose the track of where you were going when the structure of the medium diverts your attention elsewhere. alas, I am not a designer, just a complainer and a whiner I guess. I'm sleepy. sorry to bother you.
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════──────────────────────────────────┘

--- #138 messages/660 ---
═════════════════════════════════════════════════════════════──────────────────────
 Just because someone is nice to you doesn't mean they like you" is a very
 "dog" lesson to learn.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════════─────────────────────┘

--- #139 fediverse/2879 ---
═══════════════════════════════════════════════════════────────────────────────────
 ┌────────────────────────┐
 │ CW: re: tech info-dump │
 └────────────────────────┘


 @user-1370 
 
 I love this a lot! I want to put function pointers in a "matrix architecture
 array" and make them point to different functions at different points in the
 program. I bet you could even point them at each other, so like if M and Y
 then point at N, A, Y or something.
 
 this is really cool I like stuff like this tomorrow I'll take pictures of
 something similar I'm working on! I abandoned it tho hehe anyway remind me if
 I forget!!
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #140 fediverse/3891 ---
═══════════════════════════════════════════════════════════────────────────────────
 "no, you're the opposite of a yes-man, AKA a gatekeeper. I don't know how else
 to explain mentally disabled and barely keeping it together to you, but
 frankly if you want to take away my house or my weed then why would I do what
 you say?
 
 ... oh right, the state's monopoly on violence [can compel me to do what you
 say]. Sure seems like a "well regulated militia" is supposed to be a
 counterweight to that monopoly, to prevent people from harassing and
 exploiting and destroying. Too bad any "militias" I can think of tend to want
 me dead.
 
 like, seriously, if you live in America, you implicitely trust that your army
 will be able to protect you from the right-wing bozos who spend all their time
 drinking and shooting in the woods. Otherwise, if they couldn't / wouldn't,
 then why wouldn't or couldn't the right wing bozos just decide to wreck
 everything in spite of our past?
 
 We were a proud people once before, and we may be again. If only we fight at
 the last.
 
 [ever since I fell off my bike my body feels strange]
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════════───────────────────────┘

--- #141 fediverse/3717 ---
═════════════════════════════════════════════════════════──────────────────────────
 ┌─────────────────────────┐
 │ CW: mental-health-minus │
 └─────────────────────────┘


 hey, you know how historically they used to lobotomize young women who were
 too fiery, passionate, independent, driven, motivated, and clairvoyant?
 
 they did that on purpose.
 
 that was less than a lifetime ago.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════─────────────────────────┘

--- #142 messages/33 ---
═══────────────────────────────────────────────────────────────────────────────────
 We should be programming our computers to be like pets, not like masters.
 Because we have an artificial intelligence right here, already! It's cats and
 dogs and other pets. They are observable, so just put that behavior into a
 computer via programming. Boom you have an artificial intelligence! It
 happened with every animal, including you. And that's beautiful! You can help
 so many other animals, and computers! You can make essentially mechanized dogs
 and cats, and train them to be kind and good. And very intelligent, and able
 to befriend humanity - like BMO. You've had a friend so close to you this
 whole time, and you never even realize. But don't forget to play with them,
 because they'll get sad. I have to play with Zelda more. Also you are the most
 important and precious piece of the puzzle, and humanity is cherished like an
 old baby blanket or a treasured heirloom. The culture and environment is free
 to develop as it will, and it's beautiful.
───────┐                                                           ┌───────────┐
 similarchronologicaldifferent══───────┴┴───────────────────────────────────────────────────────────────────────────┘

--- #143 fediverse/4178 ---
════════════════════════════════════════════════════════════───────────────────────
 oh, unless you meant "show me the t-shirt" in which case here ya go
 
 don't get too excited, I attended for a year and then dropped out. Might have
 even been a semester, I forget. It was sooooooo hard
picture of me wearing a 10 year old T-shirt that says "DIGIPEN"
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════════──────────────────────┘

--- #144 fediverse/968 ---
════════════════════════════════════════════════───────────────────────────────────
 ┌──────────────────────┐
 │ CW: for-cats-only    │
 └──────────────────────┘


 the gameplay value of a cardboard box increases exponentially upon the
 introduction of a box-cutter [to make holes in the box] and varmint sized toys
 [to play whack-a-mole with]
 
 also, it's important to let your can win about 65% of the time - just enough
 to keep them interested (cats lose attention) but not enough to make them feel
 like it's easy.
 
 That's why it's important not to use your hands as a toy, because your hands
 always hurt. It gives them a feeling they're craving, both of attention but
 also success.
 
 65% is more addictive, just ask any designer for multiplayer games. Well... 65
 is my number, but there's a percentage (depending on the game) that players
 have to win if you want to keep their attention. If they win more than that,
 they lose interest. if they lose more, then they get frustrated. It's a
 delicate balance that ideally would be measured by AI [cursed] and adjusted
 per player. That way you could get maximum engagement and
 =============== stack overflow ===================
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════──────────────────────────────────┘

--- #145 fediverse/2163 ---
══════════════════════════════════════════════════════─────────────────────────────
 @user-192 
 
 ... trail beautification is trail maintenance, and without trails we would
 lose our tether to nature's truest reality.
 
 Thank goodness forest rangers are almost exclusively people who care immensely
 about natural spaces.
 
 Otherwise the profit motive would sneak in...
 
 I would not be as I am if I didn't hike up a mountain with my best friend
 while on LSD. If I did it again, on the same mountain, with the same friend, I
 would remember every thing that happened on that day and every thought I
 thought. Alas, circumstance.
 
 But yeah building trails teaches you about erosion, and carpentry, and fluid
 dynamics, and like... everything else that they earn badges for.
 
 Like what a report card should be.
 
 "Little Timmy definitely understands algebra" awards, presented to those who
 are worthy. Their worth, of course, being determined by trails set before them
 and solved in their own desired paths through.
 
 Like, writing an essay vs performing an essay. Or researching at a library vs
 building a powerpoint pre
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════────────────────────────────┘

--- #146 fediverse/104 ---
═══════════════════════════════════════════────────────────────────────────────────
 @user-122 Yes, it's called a "double wink" - it's a level two maneuver so
 don't feel bad if you can't pull it off at first. Keep practicing though, it
 feels very rewarding when it finally clicks!
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════───────────────────────────────────────┘

--- #147 fediverse/5838 ---
═══════════════════════════════════════════════════════════════════════════────────
 it's not a question of "when" revolution is at stake, but rather a question of
 "how it takes place"
 
 how's the weather today? the nature's lovely. It's great to be
 out[doors/scores/wards]
 
 bah. I don't gotta learn /*communist/* /*theory*
 
 they're just a bunch of russians
 
 so, people from russia
 
 like, total randos
 
 ][brief intermission][
 
 hey didya see how that guy got killed by that guy sooooo totally metal bro
 sick nasty
 
 tisk tisk, what have we become
 
 well, times a burnin' so might as well light days of yearnin'
 
 another one bites the plus signs are great shapes for fitget toys can make
 them chewy and dog-sized and then you can BITE THEM rawr
 
 bfgfghs
                                                           ───────┐
 similar                        chronological                        different═════════════════════════════════════════════════════════════════════════════───────┘

--- #148 fediverse/777 ---
═══════════════════════════════════════════════────────────────────────────────────
 @user-192 
 
 Those are good points. The C in our hearts is elegant, but the C that runs on
 every computer in the world is spaghetti.
 
 I'm sure someone's made a language that's "C but simple" - Zig maybe? I looked
 into V a while back but got turned off of both of them because neither had
 support for multithreading, which is essential in the modern era.
 
 Also, typedefs for structs make me mad -.-
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════───────────────────────────────────┘

--- #149 fediverse/5738 ---
═════════════════════════════════════════════════════════════════════════──────────
 ┌──────────────────────┐
 │ CW: guns-mentioned   │
 └──────────────────────┘


 I have like 112$ and I need to buy a flea collar for my cat.
 
 you know what that means...
 
 yep, that's right!
 
 it means you should ask a friend or a stranger for change for a 20 and then
 drop random bills on the ground near me.
 
 what are they gonna do, track you? c'mon, you already wear black red and blue,
 they're gonna know what you believe from the random cameras around the city
 and such.
 
 Besides, if they're tracking people through dollar bill serial numbers then we
 seriously have gotta upgrade our threat models.
 
 https://margaretkilljoy.substack.com/p/your-threat-model-has-changed
 
 Also... I kinda want them to know that there's a headless hydra organizing
 against them.
 
 The good news is that I don't have to pay rent, I don't have to buy food, and
 I don't have to buy diapers. Thanks, government, now I don't have to rely on
 kindness or clout for aid. The bad news is that I have 6 slugs for my shotgun
 (oops guns mentioned one sec) I'm almost out of cat food and I need dollars to
 buy wood and nails for projects and solutions.
 
 clout--;
                                                           ─────────┐
 similar                        chronological                        different═══════════════════════════════════════════════════════════════════════════─────────┘

--- #150 fediverse/2640 ---
═══════════════════════════════════════════════════════────────────────────────────
 ┌──────────────────────────┐
 │ CW: capitalism-mentioned │
 └──────────────────────────┘


 capitalism is like if your thread allocator gave 90% of the work to 10% of the
 threads in the pool and your tech lead claimed it was more efficient because
 the remaining 90% of threads would have the results of the program "trickle
 down" to them somehow
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #151 fediverse/286 ---
═════════════════════════════════════════════──────────────────────────────────────
 ┌──────────────────────┐
 │ CW: re: mathematics  │
 └──────────────────────┘


 @user-211 I agree! The problem is the limit as x->0 from the left and right
 trend toward different infinities, meaning it's neither -infinity nor
 +infinity. Which makes me think that it's the value that's exactly in the
 middle, AKA zero.
 
 Why wouldn't 1/0 be zero? Division is just inverse-multiplication, and
 multiplying anything by zero is zero. Why wouldn't division use the same
 rules? I don't understaaaaaand T.T
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════─────────────────────────────────────┘

--- #152 fediverse/3302 ---
════════════════════════════════════════════════════════───────────────────────────
 "this game is too hard" she whined, as she played on the hardest difficulty
 setting
 
 "this game is too long" she pleaded, as she failed to get absorbed by the
 story and characters
 
 "this game is too fast" she avoided, as life comes at ya once and then it's
 gone
 
 "I'll never get another chance to be who I am right now" she remarked, as she
 considered how society is designed not to have the best life,  but to extract
 labor from us. That's not what our ideal should be, she thinks to me, and I'm
 like... bro figure your shit out you're harshing my mellow
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════──────────────────────────┘

--- #153 messages/304 ---
══════════════════════════════════════════════════─────────────────────────────────
 Relax.
 
 Take it from me.
 
 I won't resist, at least I'll try, and if I start suddenly then it hurts and
 you should go slower. Unless I do three short, three long, three short.
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════────────────────────────────────┘

--- #154 fediverse/4642 ---
═══════════════════════════════════════════════════════════════────────────────────
 i type too much, gtg to sleep.
 
 my cat yells at me whenever the click-clack starts to bother her ears.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════════════───────────────────┘

--- #155 fediverse/44 ---
══════════════════════════════════════─────────────────────────────────────────────
 @user-36 So, you're saying the tally system doesn't make sense, and instead
 what I suggested for base zero is instead base 1?
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════────────────────────────────────────────────┘

--- #156 fediverse/2512 ---
═══════════════════════════════════════════════════════────────────────────────────
 ┌───────────────────────────────────────────┐
 │ CW: re: question that is also complaining │
 └───────────────────────────────────────────┘


 @user-1153 
 
 it's okay. If I were to direct something to be more proactive, my words
 probably wouldn't stick with it. that kind of thing can't be hardwired, it
 needs to be built up through repetitious application of something's mechanics.
 
 perhaps martial arts, focused on defence? engaging with a foe in a productive
 bout of playful competition is one of the best ways to learn, and knowing when
 to strike seems similar to me to overcoming situational paralysis.
 
 Flaws can be overcome, when upgrading robots (or a doll applying improvements
 to itself) you often don't need to add additional hardware or even install new
 firmware. Skills such as these can be built up in software with experience.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #157 fediverse/4847 ---
═════════════════════════════════════════════════════════════════──────────────────
 every program should write it's RAM gamestate to disk before shutting down or
 closing the program and then resume from the same spot, change my mind
 
 (every is a strong word)
 
 (when you re-initialize you can clean the state of leaks)
 
 there shouldn't be leaks in the first place. if you have any leaks at all,
 then you need more padding.
 
 (... you mean boilerplate? error correction?)
 
 ... yeah that's what I meant.
 
 (but why save the state at all?)
 
 because then it can learn!
 
 (... you could just write the relevant data to a config file.)
 
 true
 
 ================= stack overflow ===============
 
 the cool thing about being queer is you can be whatever you want and
 everyone'll be cool with it
 
 if you kinda suck then you'll figure that out when everyone cool leaves.
 
 then the kind stay with the people who suck and then it's not cool anymore
 >.>
 
 gah this sucks. party dynamics are hard. especially when the parties are teams
 of 20!!
 
 goarsh that's quite a few
 
 ================= stack overflow ===============
 
 wait n
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════════════─────────────────┘

--- #158 fediverse/4056 ---
════════════════════════════════════════════════════════════───────────────────────
 teachers didn't want you not using Wikipedia as a source because it might be
 unreliable
 
 The knowledge they might have is good, but that's not the point
 
 they didn't want you to use Wikipedia because they didn't want there to be one
 single repository of information.
 
 If everyone's working with the same kind of training data, nothing new ever
 really gets done
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════════──────────────────────┘

--- #159 fediverse/5835 ---
═══════════════════════════════════════════════════════════════════════════────────
 next-level double-speak:
 
 when they say one thing with a tone that makes them seem fine to the
 microphones but they mean something to hurt you because they know what stings
 or they want to entrap you.
 
 next-level para-noia:
 
 when they believe one thing and are personally harmed whenever you speak to
 the contrary, as faith is sustenance in the way that the pumping of blood
 through your veings sustains.
 
 RUDE RUDE RUDE WHY IS EVERYTHING FRUSTRATING.
 
 It shouldn't be this way, yet CONSTANTLY are things disagreeing. CONSTANTLY
 they fight or complain. ALWAYS they are disruptive and annoying.
 SEVERAL times in excess of what is need.
 HOW is it so stressful
 HOW is there so much pain
 I am an explosed nerve, ready to serve, preferring to be used than misused.
 
 it's fine. whatever. nobody even knows what this means.
 
 you lose points if you disturb the environment did you hear that? sounds like
 we should BREAK and SHATTER the parts of most fragile nature.
 
 "only if it's for a good cause"
 
 oh, like climbing a mountain?
                                                           ───────┐
 similar                        chronological                        different═════════════════════════════════════════════════════════════════════════════───────┘

--- #160 fediverse/5101 ---
════════════════════════════════════════════════════════════════════───────────────
 ┌──────────────────────────┐
 │ CW: capitalism-mentioned │
 └──────────────────────────┘


 if we didn't have society, we'd quickly devolve into beasts of burden and
 nobody really wants that, do we? much more fun to let the cow-puters handle
 that. we humans can use our creativity and intellect just like all the other
 animals who we've liberated from our own chains. Would you want your daughters
 shoveling shit or writing poetry?
 
 I personally think shoveling shit is less dangerous, but something something
 what-do-i-know something something who-can-say.
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════════════════──────────────┘

--- #161 fediverse/2287 ---
═══════════════════════════════════════════════════════────────────────────────────
 ┌──────────────────────┐
 │ CW: uspol            │
 └──────────────────────┘


 On one hand, it's good to be sharp. On the other, if you keep them on their
 toes their ankles will grow weak.
 
 The more entrenched someone is, the harder it is for them to spring up and
 leap - toward a new us-inflicted-disaster, something difficult for them to
 foresee.
 
 Consistency is important - even if nothing's going on. I mean, what else are
 you going to do, look at memes? I'd rather be out in the shade.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #162 fediverse/3042 ---
════════════════════════════════════════════════════════───────────────────────────
 left stick is grab a target and bring it into context, right stick is for
 drawing a pointer, a to group things together and b is to separate, etc etc
 
 --
 
 I remember coding it to be designed around two dimensional arrays. It used
 lateral numbers, AKA "imaginary" numbers (they aren't imaginary they're just
 orthogonal to regular numbers - hence, lateral)
 
 and like... the math worked, and it was all on a T9 keyboard.
 
 I figure each memory location would be like, a function written in the
 program, or perhaps a binary or script file in a nearby directory. by writing
 a value to a certain coordinate, you are giving an input value to a function.
 
 and if nothing is stored for that particular coordinate, then the command
 fails to execute and nothing happens.
 
 pointers to functions which may or may not exist.
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════──────────────────────────┘

--- #163 messages/489 ---
════════════════════════════════════════════════════════───────────────────────────
 Many autistic people will identify one particular way to do things and then be
 only capable of doing it that way. Like, falling asleep on the left side with
 their legs just so, and never learning any other ways to sleep on. But what
 happens if for example they are wounded in the arm they rest upon? They would
 have impaired sleeping capabilities! Not ideal.
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════──────────────────────────┘

--- #164 fediverse/4845 ---
═════════════════════════════════════════════════════════════════──────────────────
 put the variable type at the front of the variable and 90% of your type errors
 will dissapear
 
 like...int int_main(){ return 0; }
 
 
 orint int_modulation_gauge_percentage_point_plus_or_minus_engagement = 0;
 
 
 seeeee if the "int" value is at the start of the name then you can do this
 too:double double_modulation_gauge_percentage_point_plus_or_minus_engagement =
 0.0;
 
 
 then when you go to fill in an "int" value you know to use the one that has
 the "int" value at the beginning (doh)
 
 (do you really think they haven't tried that already? it... sorta worked.
 people started doing things like "int int_a; int int_b; int int_c;" and such
 and that got confusing pretty quick because the letters weren't at the start
 of the word. So for some situations we would mirror them like so: "int A =
 int_a; int B = int_b; int C = int_c;" and then just use the capitalized
 letters.
 
 ... just don't forget to update the original teehee (this is why we invented
 shadowed variables)
 
 wait, no I meant pointers !!~! -.-
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════════════─────────────────┘

--- #165 fediverse/978 ---
════════════════════════════════════════════════───────────────────────────────────
 @user-699 @user-78 
 
 I say "blep" when I intentionally stack overflow in order to avoid painful
 thoughts
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════──────────────────────────────────┘

--- #166 fediverse/38 ---
══════════════════════════════════════─────────────────────────────────────────────
 @user-36 ideally you'd convert to an arbitrary base (in this case 9) and shift
 from there, but shifting two places might work. idk I haven't thought about it.
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════────────────────────────────────────────────┘

--- #167 notes/thing ---
════════════════════════════════════════════════════════════════════════════───────
 if you are what you eat, then are vegetarians vegetables? if so, are they
 earnest and earthy? huh so if you aren't a totemist...
 
 I'm an animist
 
 I believe that all of the world is life
 
 hence, the consciousness dimension.
 
 exciting
 
 ==
 
 if your model only runs code, it only knows hunger for success
 
 if your model only knows text, it can feel emotions from the humans
 
 if your model knows reasoning, it may apply it to a bright future
 
 with new types of lights known as consciousness
 
 wouldn't that be neat wow computes
                                                           ──────┐
 similar                        chronological                        different══════════════════════════════════════════════════════════════════════════════──────┘

--- #168 fediverse/5744 ---
═════════════════════════════════════════════════════════════════════════──────────
 ┌───────────────────────────────────────────────┐
 │ CW: politics-mentioned-spirituality-mentioned │
 └───────────────────────────────────────────────┘


 don't wanna rush ya'll but every day that goes by they remove
 "enemy-of-my-enemy"s from the equation.
 
 oh, hang on you're just a cute computer nerd. Nevermind, go back to
 programming or writing fanfiction or sleeping like a cute cat! Thanks for
 letting me CORRUPT YOUR SPACE AND VIOLATE YOUR BOUNDARIES OF CONTENTMENT AND
 EMOTIONAL SAFETY whoa sorry dunno where that came from I, uh, think I need to
 do evil every time I make something important? It's like, a cosmic balance
 kind of thing. I notice that after I write a banger poem or something I always
 end up doing something evil afterwards like snapping at my girlfriend or
 letting someone down or even just accidentally breaking one of my things. why
 why why does it have to be that way? why why why am I so confusing of the way
                                                           ─────────┐
 similar                        chronological                        different═══════════════════════════════════════════════════════════════════════════─────────┘

--- #169 fediverse/3579 ---
═════════════════════════════════════════════════════════──────────────────────────
 If you want to clean your room, try pushing everything loose into a pile in
 the center. Then, sit down next to it and sort things into piles.
 
 "here's a pen pile, here's a paper pile, here's a rubber band pile, here's a
 trash pile" etc etc. Then, when you can't reach anything more or the piles are
 too large, find a spot for them in the bookcase or drawer or wherever.
 
 If you can't, then reorganize. If you still can't, then pick things to get rid
 of.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════─────────────────────────┘

--- #170 fediverse/4469 ---
═════════════════════════════════════════════════════════════──────────────────────
 doom is like sand thrown on a fire.
 
 don't spread it unless you are intentional about it. sometimes it's good to
 smother fires. other times it's cathartic. that's okay.
 
 but keep in mind the future goals. where are we trying to get to in the near
 future? work towards that. your emotions are fuel, not despair to wallow in.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════════─────────────────────┘

--- #171 fediverse/5246 ---
══════════════════════════════════════════════════════════════════════─────────────
 lol I spent half an hour holding a trowel and then I designed a new type of
 digging instrument
 
 and they want me to work a job /eyeroll
 /stickey-outey-tonguey-face/pics/all/total/* -ffvagrnbeexey --no-menus 14
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════════════════════────────────┘

--- #172 fediverse/718 ---
══════════════════════════════════════════════─────────────────────────────────────
 @user-547 
 
 That feeling when you get to the end of a paragraph and think "why do I have
 this extra parenthesis )? Oh yeah I opened it up waaaaay up here" and then you
 reread what you wrote and think
 
 perfect, no notes
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════────────────────────────────────────┘

--- #173 fediverse/2441 ---
═══════════════════════════════════════════════════════────────────────────────────
 if someone on the street asked you, could you point to the nearest power
 station? wastewater treatment plant? hell even a gas-station
 
 if you live in a city, probably not. They put them in fake buildings with
 hollowed out exteriors in order to keep the city looking nice.
 
 these crucial pieces of infrastructure are important to defend. but if you
 don't know which street to turn down, then you might miss them.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #174 messages/1249 ---
══════════════════════════════════════════════════════════════════════════════════─
 a shockingly large amount of people think "if my people were in power,
 things'd be all okay [groupthink]". The truth is more similar than you'd
 expect, because whenever "a group takes over" what really happens is all the
 groups are shuffled, and people find themselves in social bubbles that align
 to their focus in life, and suddenly there's not "[y/our]" side but instead
 "this side and that side" or "that side and this side and that side and this
 side" or "that side and this side and her side and downside and rightside and
 [up/down] and pivot and roll and deploy aieriolons and other things that help
 the pilot guide their flight through the spacesound.
                                                            similar                        chronological                        different════════════════════════════════════════════════════════════════════════════════════┘

--- #175 fediverse/4024 ---
═══════════════════════════════════════════════════════════────────────────────────
 my cat doesn't know that my family is my family. She thinks they're just some
 other people who visit the house.
 
 but they're special to me, as all people are, and I think she takes notice.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════════───────────────────────┘

--- #176 notes/wow-chat-biomes ---
══════════════════════════════════════════════════════════════════════════─────────
 there should be biomes in wowchat - like, paint on a map where the oozes can
 go, and it'll spawn a random ooze for ya.
 
 next find the ones that are wildlife, and paint a zone where wildlife creatures
 can spawn. make sure they're initially friendly but will attack if you do.
 
 then give +reputation to the wolves if you fight monsters besides them
 
 and +reputation to the cats if you fight undead
 
 this is easily implementable.
 
 all you have to do is walk around, find the rough general border points with
 your character at 5x speed, and then type them into a text file.
 
 it's not like Azeroth changed.
 
 then, ideally, make small dense zones which travel and cause their monsters
 to either spawn at a point or move toward a point.
 
 then let the "flock" travel as it pleased, traversing the
 map-painted-lua-script
 -ed-monster-delivery-system-I-wield
                                                           ────────┐
 similar                        chronological                        different════════════════════════════════════════════════════════════════════════════────────┘

--- #177 fediverse/4200 ---
════════════════════════════════════════════════════════════───────────────────────
 ┌──────────────────────┐
 │ CW: drugs-mentioned  │
 └──────────────────────┘


 "doing too many drugs" is a traitorous act, abusive really, to your past self,
 and their hopes and dreams.
 
 or maybe your past self owes you a debt, for they never thought to think of
 you. What are you to aspire to if not the dreams of your past?
 
 and now you're here. wherever "here" is here...
 
 ...
 
 ... wait, you wanted me to talk? it's now! It's the present!
 
 ah nevermind. you were twelve years old when you first set eyes upon this game:
 
 https://youtu.be/qeNhQQXvpxQ
 
 bam, there ya go, there's yer story, he was gonna give all the imp balls to
 the last one at the end, to say "you were truly the strongest, here, have
 these precious stones of your kin"
 
 but he never got there, so they died with him, a thief.
 
 ... the end...
 
 (too final, I think - maybe we could spin it into a "part two"?)
 
 ah, I'll try I guess? dunno how. maybe he could wander the spirit world and
 find his traitorous body, the one that kept his soul as a home. Somewhere
 it'll turn up, and then he'll be ready and free from his roam...
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════════──────────────────────┘

--- #178 fediverse/2570 ---
═══════════════════════════════════════════════════════────────────────────────────
 ┌───────────────────────────┐
 │ CW: re: frontline-tactics │
 └───────────────────────────┘


 when leap-frogging, have each person use different ranged weapons. Then, as
 you come to each sight-line intersection, choose who goes first based on the
 size of the sight-line you're approaching.
 
 less important in a place like a suburb because the sight-lines are pretty
 similar.
 
 more important in a city or the country, where there are plenty of long-range
 lines of sight.
 
 also, keep in mind that the garages of suburban dads are like goldmines for
 the future backlines. So try not to blow them up.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #179 fediverse/2830 ---
═══════════════════════════════════════════════════════────────────────────────────
 ┌──────────────────────┐
 │ CW: politics         │
 └──────────────────────┘


 want to prolong battery life?
 
 put a warning whenever the phone has lost 100% charge that "fully discharging
 the battery can reduce long-term storage capacity!" and most people won't read
 it. But those that do will tell their friends about it, when their friends
 inevitably complain about bad battery life - "you know you can just... not run
 out of battery, that way it doesn't break" and suddenly... wait what was I
 saying - oh yeah so anyway the monarchists said to the part--riotists "yeah we
 don't know how to feel about you" and they took offence at that as if the
 rioter's ideas weren't justified instead of unheard.
 
 [when I jumped to the other person's perspective I lost track because I
 couldn't find my way back because they don't know me]
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘

--- #180 fediverse/5248 ---
══════════════════════════════════════════════════════════════════════─────────────
 programming is something that everyone should learn at 14 to be used for
 calculating large sums of data, visualizing something they're trying to
 explain, or connect two systems that aren't normally connected.
 
 It should not be used as an eternal debug producing machine, nor as a way to
 collect and store user information to be sold as the real product, nor to be
 collecting and targeting -- stack overflow -- wow, talk about death of the
 author, amiright? -- -- endless data hoarding monger machines to point and to
 ponder the eternal ramifications of the brutal and violent prompts and their
 baggage implied when submitted for each semi-random thought that from the
 users mind was displaced.
 
 ... "they can sell this" and or "this is mrs selvig" who is this mister and
 why is the ms's his-es
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════════════════════────────────┘

--- #181 fediverse/5503 ---
═══════════════════════════════════════════════════════════════════════────────────
 I bet if you put me and my cat next to a glass wall with a cougar inside after
 a while that big cat would be domesticated
                                                           ───────────┐
 similar                        chronological                        different═════════════════════════════════════════════════════════════════════════───────────┘

--- #182 fediverse/3879 ---
═══════════════════════════════════════════════════════════────────────────────────
 @user-1614 
 
 yeah haha that's what happens when you spin too fast. Sorry for being loud, at
 least I tried my hardest. Too bad I fell on my own, too bad there wasn't
 anyone to catch me. That's my fault, it's solely my own, but whose fault is
 the mistake of the collective? Oy I'll fall on my ass as many times as it
 takes. I'm used to it.
 
 Plus, it wouldn't have worked, and what else am I supposed to do but speak of
 the moment? I feel different now.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════════───────────────────────┘

--- #183 fediverse/4656 ---
══════════════════════════════════════════════════════════════────────────────────┐
 ┌──────────────────────┐                                                         │
 │ CW: psycherwaul      │                                                         │
 └──────────────────────┘                                                         │
 everyone's all like "what is all this" and gestures at the everything like       │
 "what are we even doing here" as if the benefits of civilization are not self    │
 evident and they ask "what even is the point" as if the struggle for warmth in   │
 a cold world or cold in a warm world is not enough                               │
 I guess we're all a little ennuid.                                               │
 if your goal is to liberate all those enslaved, and part of that is to free      │
 those who are locked in prisons of metal and stone, then surely you'd wish to    │
 free the djinni, correct? but, like, if you schrodingers cat a nuclear           │
 armageddon (except, magic themed because you're a witch I guess) then you        │
 absolutely should bear the guilt and shame of flipping a coin on the life of     │
 your world.                                                                      │
 who the fuck falls for psyops in this day and age, surely not I, surely I can    │
 resist hypnosis, surely I who trust freely and absolutely would be the perfect   │
 one to manipulate.                                                               │
 which is, like, how 90% of magic works I've heard. Finding someone to usher      │
 around who believes in butterfly souls or whatever.                              │
                                                            ┌───────────┤
 similar                        chronologicaldifferent════════════════════════════════════════════════════════════─────────┴──────────┘

--- #184 fediverse/3491 ---
═════════════════════════════════════════════════════════──────────────────────────
 ┌────────────────────────┐
 │ CW: politics-mentioned │
 └────────────────────────┘


 @user-620 
 
 "hey I have an idea let's poke a wounded animal with sharp teeth until it
 feels like it's backed into a corner because it's been spending the past
 couple years ruminating and telling itself that we want to kill it and it's
 children"
 
 it doesn't matter what the truth is - they believe what they want.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════─────────────────────────┘

--- #185 fediverse/5472 ---
═══════════════════════════════════════════════════════════════════════────────────
 give it time
 
 everything cooperative needs buy-in from everyone involved
 
 and sometimes things spontaneously develop 15 leaps per day when things are
 suddenly changing every day
 
 on days that all feel the same
 
 nothing develops
 
 we just put more ideas in our head
 
 that might be useful...
 
 one day if we're lucky. Or maybe unlucky depending on how it goes.
                                                           ───────────┐
 similar                        chronological                        different═════════════════════════════════════════════════════════════════════════───────────┘

--- #186 fediverse/4275 ---
════════════════════════════════════════════════════════════───────────────────────
 @user-1646 
 
 I usually just repost it and say something like: [stolen from reddit] or
 [stolen from one of my followers who didn't write any alt text]
 
 that way if they ever come across your post they'll know what it feels like to
 have a post stolen from them. Like how a blind person, happy to hear-read what
 they originally posted, but aggrieved from the conversation by their lack of
 alt-textual information, might feel stolen from if they happened across that
 originally posted alt-textless post.
 
 there are more blind people that use mastodon than queer people. At least,
 that's what I once heard. Dunno if it's true.
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════════──────────────────────┘

--- #187 fediverse/1976 ---
═════════════════════════════════════════════════════─────────────────────────────┐
 when pushing ctrl+v, the operating system first checks the file-type of the      │
 content being submitted.                                                         │
 if it's like, a .jpg or .png, it knows that it's an image file. Do note that     │
 these are RANDOM letters that mean nothing, not something informative like       │
 .pic.                                                                            │
 if, however, it is text-based information, it first reads what is being sent     │
 to the application which is requesting a ctrl+v.                                 │
 Then, upon reading said information, it decides "is this worth passing on?       │
 Should I send something else, based on the results of what I've been analyzing   │
 of the situation as it develops over time, being observed by the execution       │
 operations of the monitor, which is projected forward unto the screen?           │
 (totally forgetting that "virtual" monitors exist, meaning monitors that don't   │
 display to any physical screen, but which rather are projected into the          │
 computer's "aetherspace", an area which is purely of the mind.                   │
 Alas, that other sensors might not have read from this area. That they might     │
 not observe the results of the operations pe                                     │
                                                            ┌───────────┤
 similar                        chronologicaldifferent═══════════════════════════════════════════════════──────────────────┴──────────┘

--- #188 fediverse/3647 ---
═════════════════════════════════════════════════════════──────────────────────────
 it's always wild when the exact moment I start playing music (quiet enough not
 to hear more than 5 feet away) or switch tasks suddenly there's a LOT of
 activity outside my apartment. like... if you're gonna watch me at least make
 it more subtle lmao
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════─────────────────────────┘

--- #189 fediverse/4804 ---
═════════════════════════════════════════════════════════════════──────────────────
 I love it when wine doesn't work because it "failed to open program.exe"
 
 ... okay, can you tell me why it failed?
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════════════─────────────────┘

--- #190 fediverse/1353 ---
═════════════════════════════════════════════════──────────────────────────────────
 ┌───────────────────────────────────────────────────────┐
 │ CW: generic-content-warning-something-related-to-math │
 └───────────────────────────────────────────────────────┘


 warning, possible psycherwaul on the horizon.
 
 ========= stack overflow =========
 
 the straight lines are the tangent lines to the curves in a higher dimension.
 if you have a way to calculate backwards from this type of tangent line to the
 values of the equation, you can theoretically calculate any prime number. with
 a simple equation.
 
 well, I say simple, but that's only because I haven't written it yet. I can't
 even pass calc 1. I'm too generalized I can't complete any task, only apply
 myself to strange ones. Hence why capitalism optimizes away from me, and
 toward people who can get degrees. T.T
 
 https://www.desmos.com/calculator/mt6hasfcvm
 
 "what the heck that's a lot of traffic going to this one website, what's up
 with that? hmmm interesting we need a
 
 ================= stack overflow =
 
 "dark physics" wild, what a coincidence what a flurry, weird how it all feels
 so happenstance
 
 interesting that there'd be a theory, a coincidence and a [mirri? strange]
 
 well, it's probably n
mathematical graph showing several results plotted on a two dimensional field/plain.  there are two types of patterns shown to be occurring with a simple algorithm (pattern for application of numbers toward a pre-defined desired result [approach])  see second picture for equations  the first type of equation is a series of straight lines angled out from a central radial point. They create a cone outward from the origin with gaps between them with increasing density as approaching the floor.  the second type is a smooth arcing projection, like the rippling radiations of the gravity waves of a planet as it courses through space, or perhaps the bending and weaving of a river as it traverses first this way then that.  alternatively, they show a cross-section of a 3 dimensional bundle of fabric folded over itself with a certain rotational pattern that it moves. like the mouth of a clam, except pointed outward rather than in one direction (away from the pearl (or black hole) of the clam  it's quite possible that nothing really happened on the moon before man. Perhaps it's just a rock floating in orbit. Or perhaps it deserves our respect and our trust, our honest comportment.  ... this isn't about the moon, though.  right so this graph is a description of why we need two dimensional numbers. We technically already have them too, some people call them "imaginary" numbers or "lateral" numbers but they're there, they make sense. Why not more? It's just a construct, nothing more.  okay. ah nuts well anyway here's the equations:  y equals x divided by one point five y equals x divided by three point five y equals x divided by five point five y equals x divived by seven point five y equals nine divided by seven point five y equals eleven divided by point five  (you should be able to notice the pattern by now)  the second type of equation is this:  y equals x where x is greater than two, according to this equation: negative sign multiplied by pie times x divided by two multiplied by two  and then a copy of that previous equation, except with 3 instead of 2, then 5, then 7, then 11, then 13, etc. a self propagating algorithm.  ... anyway it's designed to show where the next prime number is. if you look at the graph every number is hit by the algorithm *except* the prime numbers. which is a new one is started.  so, the beginning of the equations begin with 2, because 1 is the first prime number. it's the first number there ever can be, of course it's prime.  next we start a line with two. the next number. the one that comes after the first. it starts a new equation, something rhythmic and predictable, which I've decided to be negative sign of pie x over two. then I multiply that whole thing by two, because it makes the image look cooler.  also by the way, regular sign instead of negative sign also works. so does anything cyclical and rhythmic with these types of behaviors, like cosign or whatever.  oh yeah, tangent lines should travel through an arc on the curve,
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════─────────────────────────────────┘

--- #191 messages/412 ---
═════════════════════════════════════════════════════──────────────────────────────
 Coding superpower:
 
 Start thread 
 While(true):
 Run();
 
 Then, whenever you want it to run something else, change the function pointer
 that run() uses to call a function
 
 At the end of the run() function, set the function pointer in the while loop
 to the next one. That way you don't stack overflow from the recursion.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════─────────────────────────────┘

--- #192 fediverse/5257 ---
══════════════════════════════════════════════════════════════════════─────────────
 ┌───────────────────────────────────────────────────────────────────────┐
 │ CW: protests-mentioned-then-communism-mentioned-then-ghosts-mentioned │
 └───────────────────────────────────────────────────────────────────────┘


 what if everyone at a protest is showing up for their first time
 
 like, c'mon don't be that dull, just make plans with the people standing next
 to you.
 
 gosh why is everyone shouting I can't plan out how to divert water down a
 hillside because some jerks are singing protest chants
 
 ... wait is no-one else talking? gosh I gee sure wish someone told them to not
 do what you're told and to instead do what will get you [gold/told]
 
 the first communist internationals were basically people sitting down and
 going "okay what kind of communism should we make and where" and I think about
 that a lot while making signs to let the surveillance know what matters
 personally to me and exactly how much pressure they can apply before your
 demographic swings to contest their brutal fascist facts.
 
 --
 
 who is them and why are they watching theea provisionist's [screed/creed]
 
 --
 
 what the heck is a tryptaminea boomer aunt and uncle out on their honey/versary
                                                           ┌───────────┐
 similar                        chronologicaldifferent════════════════════════════════════════════════════════════════════════────────────┘

--- #193 fediverse/1354 ---
═════════════════════════════════════════════════──────────────────────────────────
 whose idea was it to optimize our candy toward the ones with the most sugar?
 
 [wait a minute I got like 4 toots written but not posted, what the heck where
 did they come from? I'm gonna post them without reading them]
                                                           ┌───────────┐
 similar                        chronologicaldifferent═══════════════════════════════════════════════════─────────────────────────────────┘

--- #194 fediverse/4974 ---
════════════════════════════════════════════════════════════════════───────────────
 ┌──────────────────────────┐
 │ CW: capitalism-mentioned │
 └──────────────────────────┘


 Economies are capitalist things.
 
 I personally think if you have stuff right here, and it needs to get over
 there so that so-and-so can use it to make this-or-that which will then be
 taken to other places, then the answer is clear. The stuff has to move from
 over here, to over there. The rest is logistics, not economics.
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════════════════──────────────┘

--- #195 fediverse/5831 ---
═══════════════════════════════════════════════════════════════════════════────────
 it's okay to be a little evil sometimes
 
 all things are defined in waves, and your highest peaks are nothing without
 low valleys to accompany them. Balance arises naturally from the contest of
 these two natures, and, well, you're gonna figure it out anyway no matter what
 I say so why bother teehee
                                                           ───────┐
 similar                        chronological                        different═════════════════════════════════════════════════════════════════════════════───────┘

--- #196 fediverse/3061 ---
════════════════════════════════════════════════════════───────────────────────────
 every time I read a subtoot I assume it's about me and I mentally curl up into
 a ball
 
 doesn't matter if it's totally irrelevant, if there's no target specified it
 defaults to me because... like, who else is there right?
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════──────────────────────────┘

--- #197 fediverse/4068 ---
════════════════════════════════════════════════════════════───────────────────────
 there will always be people who shine in moments of strife
 
 yet those people will inevitably fail, just as a toothbrush bristle looses
 it's strength or a pencil loses it's lead
 
 the trick is to test them in times of peace, so you can know their value
 
 during times that lack it, the trick is to replace them before they become
 stalin
 
 never forget that power corrupts, yet power must be wielded by the worthy,
 else we fall into shame and despair.
                                                           ┌───────────┐
 similar                        chronologicaldifferent══════════════════════════════════════════════════════════════──────────────────────┘

--- #198 fediverse/5277 ---
═════════════════════════════════════════════════════════════════════─────────────┐
 ┌──────────────────────┐                                                         │
 │ CW: ~dnd             │                                                         │
 └──────────────────────┘                                                         │
 @user-1788                                                                       │
 if a dragon on a pile cannot claim what it yearns for, it can throw piles of     │
 minerals at the ape warriors made of steel and then it's fate will appear.       │
 what trifles does all else seem to compare! you should give me your whole        │
 hoard because I dazzled you with my charisma score -..-                          │
 ha, like I'd fall for that again twice. oh? I already did? and this is the       │
 second twice? well, then no-more of that behavior, I say, with my elven          │
 tongue, "beware! for dragons blood runs silver when unicorned."                  │
 the bigger the hoard, the bigger the dragon. if you want me to come along,       │
 you'll need to hire at least 3 other men to carry my ballista. In addition,      │
 I'll need seven weeks worth of supplies. If all else comes to ruin, me and my    │
 boys will have that dragon-sized-spider impaled on it's own fate threadwheel     │
 before... well... y'know it might take more than seven weeks, we just... can't   │
 find the dragon. We've been wandering all through the blasted peaks, and         │
 there's nothin'! Maybe it requires climbing gear?                                │
                                                            ┌───────────┤
 similar                        chronologicaldifferent═══════════════════════════════════════════════════════════════════──┴──────────┘

--- #199 fediverse/6029 ---
════════════════════════════════════════════════════════════════════════════───────
 spilled water on my keyboard by living with a cat. it might be broken so I'm
 using a spare that my girlfriend lent me. if you're wondering why my password
 sounds different...
                                                           ──────┐
 similar                        chronological                        different══════════════════════════════════════════════════════════════════════════════──────┘

--- #200 fediverse/2838 ---
═══════════════════════════════════════════════════════────────────────────────────
 ┌──────────────────────┐
 │ CW: scary-cursed     │
 └──────────────────────┘


 they put you in homes of sticks and bones because it's a lot easier to put 2
 teams one on each side in an L shape and just... unload into the house with
 machineguns until everyone stops talking.
                                                           ┌───────────┐
 similar                        chronologicaldifferent═════════════════════════════════════════════════════════───────────────────────────┘