[-] ericbomb@lemmy.world 2 points 2 days ago

I actually just watched that video!

And yeah I'm basically wondering if I need to force myself to try and order different things off it to try to keep myself from burning things I like.

[-] ericbomb@lemmy.world 9 points 2 days ago

I mean lots of things are ADHD things, that alone are completely normal! It's usually the combination or severity of things that lead to something being considered that needs treatment.

If you find that you are struggling to take care of responsibilities or enjoy life, I always suggest talking to doctor/counselors. Could be ADHD, could be need coping mechanism, could be something else. IDK. But life should be enjoyed and doing adult responsibilities shouldn't feel like ripping out finger nails (so I've been told)

[-] ericbomb@lemmy.world 1 points 2 days ago

Haha yeah that's how I am most of the time. But occasionally I get the FOCUS on a thing and feel the urge to finish the thing RIGHT NOW.

67
submitted 2 days ago by ericbomb@lemmy.world to c/adhd@lemmy.world

So my entire life has been extreme boredom, followed by finding a book/videogame/hobby I find interesting, doing nothing but that for awhile, then never touching it again.

I'm debating maybe trying to make a rule of not doing something two days in a row. Like I just found a video game I liked and played it all day yesterday and today, and while I still wanna play I already feel its shininess wearing off.

Curious if anyone else has tried to space out their dopamine buttons and if it helped. So maybe like instead of just playing the same game tomorrow, I'll need to try other games, or maybe try to find a new book series to hyper focus on...

[-] ericbomb@lemmy.world 18 points 3 days ago

Sooo my room mate invited me to play Total War Warhammer 2 with him (RTS game based on fantasy warhammer). It was his all time favorite game, and I had played it a bit. Think 2k hours for him, 100ish for me. But I had mostly been playing the Vampire Counts, and he jumped around a lot, mostly playing the Empire as he loved their lore and how they played. Him picking the empire was kind of a dick move because they spawned very close to vampire counts, so odds were he was going to crush me mid game.

But the thing is, he had mostly played against AI, and he had never played AS the vampire counts. If you ever play as the vampire counts in that game, you quickly realize there is only one good strategy, one that the AI never uses. You can get completely free skeleton soldiers. The game normally hard caps you with negatives around 2k soldiers (2-3 full armies). They aren't great soldiers, but you can do upgrades for them to make them acceptable, and they mostly will function as meat sponges to bog down enemies while your generals do most of the killing. It's not something I looked up, it's just super obvious when you play as them that there is no purpose to any other units.

On turn 25 he thought something was wrong when he saw 5 armies attack a neighbor of his. He knew something was terribly wrong when 10 entered his territory at a point in the game when he had 2 1/2. There was shouting, there were accusations, there was mad giggling. As my room mate was thrusted full force into the zombie apocalypse. His soldiers killed thousands of skeletons, early game heavy infantry backed by mortars and arbalesters. The K/D was terrible for me. He had been focusing on building the bones of an unstoppable late gate death ball of heavy infantry and artillery, so his units were strong. But it still needed 30 turns to be invincible. But I kept winning, because his units ran out of bullets and mortar shells before I ran out of skeletons.

Then the fun thing about Vampire counts is, if you win a MASSIVE battle with tens of thousands of deaths... you can instantly recruit skeletons from that grave site! With each battle my army replenished, my generals grew more powerful, and he grew more annoyed.

After another bloody defeat of his final army, killing like 7k skeletons just to see mine raise from the dead, and his capital under siege, he resigned.

Despite his thousands of hours he said it was equally the most fun and most tilting game ever. But I just felt like I was playing lore accurate necromancers :D But when he was like "You must be cheating the game must stop this some how" and I'm just like... nah fam, game busted. I did feel a little bad. Then went back to giggling when he insisted he could win and then all his units ran out of ammo again.

[-] ericbomb@lemmy.world 1 points 4 days ago

So would you say my description is accurate? Due to lack of documentation I'm mostly hoping to make sure I'm not completely misunderstanding

[-] ericbomb@lemmy.world 4 points 4 days ago

An article with actual examples instead of an endless string of jargon! Thank you!

18
submitted 5 days ago* (last edited 5 days ago) by ericbomb@lemmy.world to c/programming@programming.dev

So I'm a database engineer taking some computer science courses and got an assignment to write about symbol resolution. The only reference to it I could find was this https://binarydodo.wordpress.com/2016/07/01/symbol-resolution-during-link-editing/ then a stack over flow of someone asking a similar question to this. I took that to mean "Linking names of any variable, object, etc. in a program to the object in memory" and rolled with that. Hoping someone can clarify if my understanding is correct! Would ask teacher, but weekend and wanting to get this done today.

Here is what I wrote so far.

Symbol resolution is the task of taking something that was referenced by name in a program, and connecting it to the specific item in memory. In a program you can call functions in the program, functions in other programs, objects already created, variables, or even variables created by other objects. All those items are going to exist in memory, on the hard drive, or might be moved to the registrar of the CPU. Symbol resolution is the converting of the names of the items in the program to pointers the computer can use to modify it whenever that name is referenced. When you update a variable, it will need to know where in RAM it is stored, and converting the name of the variable to that address everywhere it is referenced is the process of finding it. Effectively binding an address in memory to that reference.

By doing this, software can work with the exact same variables multiple times, as it it looking in the same place. If a variable is updated, it will know as it’s looking in the proper place in RAM. When working with Object Oriented Programming, it is what defines the differently named objects of the same class as separate parts of memory. Object A of Class Object1 will be bound to a different bit of memory than Object B of Class Object2.

When it goes through resolving symbols, it has to do it in the same order every time, otherwise the programs would run inconsistently. In python for example, it follows the LEGB rule (Scope Resolution in Python | LEGB Rule, 2018). So when trying to find if a variable is the same as another variable, it goes in order of Local, Enclosed, Global, Built In. So it tries to match the reference to anything local, anything in the function, anything global, then tries to match any reference to built in keywords or functions.

As an example:


# Global variable
greeting = "Hello"

# Function that uses global variable
def say_hello(name):
    return greeting + ' ' + name

# Another function that has its own local variable with the same name
def say_hello2(name):
    # Local variable 'greeting' shadows the global variable
    greeting = "Good day"
    # Here, 'greeting' resolves to the local variable instead of the global one
    return greeting + ' ' + name

# Main block
if __name__ == "__main__":
    print(say_hello("Alice"))       # Resolves 'greeting' as global
    print(say_hello2("Bob"))         # Resolves 'greeting' as local within greet_formally

We can see we have two variables both called “greeting”, but they hold different values. In this case using symbol resolution it is able to resolve the “greeting” inside of say_hello2 as having the value “Good Day”. Then it resolves “Greeting” inside of “say_hello” as “Hello”, because when looking for where to link it followed the LEGB rule. In say_hello2, we had a local “greeting”, so it connected to that one and stopped looking for a connection, never making it to the Global “greeting”. If we had an external file we connected with “import” it would then check inside the imported file to try to resolve the names of any variables, functions, or objects. By doing it in this order it will always get the same result and have consistent outcomes, which is essential for programs.

Scope Resolution in Python | LEGB Rule. (2018, November 27). GeeksforGeeks. https://www.geeksforgeeks.org/scope-resolution-in-python-legb-rule/

I know it's a longer post, but thank you for your time!

[-] ericbomb@lemmy.world 4 points 5 days ago

Brain always goes for that price/oz amount.

Annoys me when sale tags don't also have it.

124

My favorite is Bog king from Strange Magic - Has a song talking about how evil he is. But all he does is prevent the spread of dangerous mind control magic, and quarantine people under the effects of said magic. Yes he greatly annoys people doing so, but honestly? If I get hit by a love potion, please quarantine me.

[-] ericbomb@lemmy.world 4 points 6 days ago

I mean, games without memory didn't. Because once you turned off the game, it was all gone. This is more referring to if you have spent $200 on a game, and have like special event stuff in it, you'll struggle to give it up.

But again, this is all part of bigger pictures. If it has this + grinding + time lock things + micro transactions it's a problem. Games with just a couple of the features still have a high score of like 3+ and will be good games. Some of the things it asks about are only problems paired with other mechanics, while some categories are by themselves enough to be a problem.

[-] ericbomb@lemmy.world 3 points 6 days ago

Oof yeah I sometimes get drawn into idle games. It's weird to be pulled into those, because just the constant feeling of accomplishing something short circuits my brain, combined with "Oh I should check in on my game once a day, or I'm not accomplishing things". Usually once I stop playing for a few days I go "oh, why did I care?" But it feels real bad in the mean time.

[-] ericbomb@lemmy.world 5 points 6 days ago

Yeah I did the Spanish for months and it was like "You're so high level!" but I realized as soon as I stepped back that I mostly had just gotten good at playing their games because they were formatted where the answers were generally obvious, to where I felt like just memorizing key words then trying to read children's books would have been more helpful.

So yeah they for sure use a dozen dark patterns. Making you feel like your account is valuable, making you feel bad for skipping, giving you bonuses for playing on their schedule, and making you feel better at the language than you are.

[-] ericbomb@lemmy.world 8 points 6 days ago

Oh no! That's so annoying, maybe can help her quit by finding a better version of the game.

Like stupid match 3/candy crush trash has a million free clones.

[-] ericbomb@lemmy.world 4 points 6 days ago

Very much so :( I've played some genuinely really fun games in the top list, but the instant you start playing you can feel what they are about.

Like I've been playing Warhammer 40k Tacticus. It's really cool!... I'll probably play it for another week or two at most. Every action I take brings up a suggestion for me to buy something. Everything requires energy. There are about 50 different currency types. I get alerts that I've completed quests... that I can't turn in because they are quests only available if you buy the premium Battle pass. Or the ULTIMATE battle pass. Like you unlock a new character and instantly it pops up like "Congrats on your new character, would you like to spend $20 to level them up so they're not useless?"

It's fun because I'm still unlocking more story content at a decent clip, but as soon as it's a day between 20 second lore drops I'll have to uninstall. Which sucks, because the game play is fun and interesting since it's modeled after the mechanics of 40k with the customization of a video game.

So yeah, very sad.

634
submitted 6 days ago* (last edited 6 days ago) by ericbomb@lemmy.world to c/youshouldknow@lemmy.world

Definition: A gaming dark pattern is something that is deliberately added to a game to cause an unwanted negative experience for the player with a positive outcome for the game developer.

Learned about it from another lemmy user! it's a newer website, so not every game has a rating, but it's already super helpful and I intend to add ratings as I can!

While as an adult I think it'll probably be helpful to find games that are just games and not trying to bait whales, I feel like it's even more helpful for parents.

Making sure the game your kids want to play is free of traps like accidental purchases and starting chain emails with invites I think makes it worth its weight in gold.

EDIT: Some folks seem to be concerned with some specific items that it looks for, but I've been thinking of it like this:

1 mechanic is a thread, multiple together form a pattern. It's why they'll still have a high score even if they have a handful of the items listed.

Like random loot from a boss can be real fun! But when it's combined with time gates, pay to skip, grinding, and loot boxes.... we all know exactly what it is trying to accomplish. They don't want you to actually redo the dungeon 100 times. They want you to buy 100 loot boxes.

Guilds where you screw over your friends if you don't play for a couple days because your guild can't compete and earn the rewards they want if even a single player isn't playing every single day? Yeah, we know what it's about. But guilds where it's all very chill and optional? Completely fine.

Games that throw in secret bots without telling you to make you think you're good at the game combined with a leader board and infinite treadmill, so you sit there playing the game not wanting to give up your "top spot"? I see you stupid IO games.

But also, information is power to the consumer.

171
submitted 1 week ago* (last edited 1 week ago) by ericbomb@lemmy.world to c/asklemmy@lemmy.world

I do like having games on my phone, but it's always a struggle looking for games with 0 microtransactions. So would like a game I can out right pay for, or one with ads. The ability to disable ads for $5 is chill though.

I've played a lot of games that you can "have fun being f2p" but some days I just get really sick and tired of games I play trying to sell me things every 30 seconds.

So do you guys have any?

If not I may go back to playing GBA games on my phone XD

EDIT: Oh selling like expansions is probably fine if it's legit like a full other game. I'm on android

67
submitted 2 weeks ago* (last edited 2 weeks ago) by ericbomb@lemmy.world to c/nostupidquestions@lemmy.world

New home owner who has never had to hire a contractor before. Want to have chain link fence replaced and want to have put in white vinyl fence to match connected town home.

It is just a 40 foot length I need replaced and will need to have one gate. As I get quotes, what kind of price should I expect to pay? What's considered fair and what's considered a rip off?

EDIT: Thanks for all the feedback! I think I'm not in the right tax bracket to hire people to do this, so probably going to try to do it myself.

117
submitted 2 weeks ago by ericbomb@lemmy.world to c/adhd@lemmy.world

So I went to my doctor and was like "yeah my counselor said I should ask about the process to get tested for ADHD because of XYZ"...

He then had to gently explain that a year ago he had referred me to a local pysch for testing because I already took the ADHD assessment.

Anyway, long story short, after doing testing (which I showed up for on the wrong day the first time) I got an official ADHD diagnosis.

366
submitted 4 weeks ago by ericbomb@lemmy.world to c/cat@lemmy.world
197
submitted 1 month ago* (last edited 1 month ago) by ericbomb@lemmy.world to c/frugal@lemmy.world

Stolen from Reddit

https://www.reddit.com/r/dataisbeautiful/comments/1ftmkwt/oc_foods_cost_vs_caloric_density/

But I loved it. Also this has Shrimp removed, because it was on the OG chart due to an error and this is an updated version.

EDIT: Here is one for protein! https://www.reddit.com/r/budgetfood/comments/1fp2ytb/foods_cost_per_gram_of_protein_vs_protein_density/#lightbox

172
submitted 1 month ago by ericbomb@lemmy.world to c/memes@lemmy.world

After months of reminders in team meetings on how to do this properly, supervisors have sicced me on the department.

I have been informed that if the issues continue, supervisors will start pulling people in for chats on why they can't follow directions that were laid out.

Pray I am the only monster you meet, for I am the kindest.

1488
submitted 1 month ago by ericbomb@lemmy.world to c/memes@lemmy.ml
699

Eating the proper amount is hard. Eating when you have low time, money, mental energy, or education on cooking is even harder.

This book assumes nothing. Do you know how to turn on your stove? You are properly prepared to use this cookbook.

Just want to share it with more folks!

view more: next ›

ericbomb

joined 1 year ago
MODERATOR OF