[-] ICastFist@programming.dev 1 points 1 hour ago

No idea if it was this one, but I find it amusing

[-] ICastFist@programming.dev 1 points 1 hour ago

"A portal to the blender dimension? That's the oldest trick in the book!"

[-] ICastFist@programming.dev 1 points 1 hour ago

It better be a dancing qr code with their handle that changes places between the 4 corners every second, too

[-] ICastFist@programming.dev 1 points 5 hours ago

It's been a roller coaster of bad decisions for probably over 100 years now. Buenos Aires was once called "The Paris of South America", but that went to shit with the 1929 depression

[-] ICastFist@programming.dev 2 points 5 hours ago

Some steam games might still have the steampi and steamworks dll's, so that's still 2 bits that need to be deleted before they're effectively identical.

Having the installers can be important, not every game may work out of the box if you only copy the installed folder to a different machine, some important configurations that are set up in different folders, like in %appdata%, might be missing. Steam checks if DirectX and the proper MSVC versions are installed, I suppose the GOG installers do that as well.

[-] ICastFist@programming.dev 2 points 6 hours ago

Can I come back as a black hole?

[-] ICastFist@programming.dev 9 points 6 hours ago

You can only download steam games from the steam app. You can download gog games from the site, without using their galaxy app

[-] ICastFist@programming.dev 39 points 6 hours ago

They allow you to make as many offline backup copies of the games' installers as you want and you don't need to use any of their services after purchase (except downloading from their site), it's as close as it gets to "digital ownership"

[-] ICastFist@programming.dev 3 points 6 hours ago

"Possessive police capital is mixed egg" sounds like a great anime or manga

[-] ICastFist@programming.dev 10 points 8 hours ago

a place with a ton of freedom to say what you liked would have more creative people?

Grave mistake, especially when you're dealing with anons. You don't even need 4chan anons, any place with complete anonymity and zero moderation will devolve into a horror show of the worst humankind can offer

12
Truly a miracle (programming.dev)
[-] ICastFist@programming.dev 33 points 1 day ago

Saints Row games. They're like GTA, but increasingly over the top in their parody. You're the boss of a criminal gang. 2 is still "normal parody" and a bit dated, 3 jumped the shark while doing a kickflip with a jet ski, 4 is even more insane.

Sleeping Dogs you play as a cop, but you can betray the law and side more with the criminals.

Warcraft 3 (old but gold) - the human campaign of the base game gets you from a hopeful young paladin prince into a cold, vengeful psychopath; the following undead campaign is said prince (well, king now) finishing the job of killing everyone and further fucking everything. The expansion has 3 extra campaigns, none with "good guys"

Divinity Original Sin (1 and 2) lets you play as big of an asshole as you'd like. Of the Elder Scrolls games, Morrowind is the one that lets you be the biggest bad guy around (you can still finish the game even if you kill every important npc and break every quest)

[-] ICastFist@programming.dev 22 points 1 day ago

Unironically what natives of the Great Lakes region have been saying about the "civilized" western way of life for centuries.

41
Rated E for Everyone (programming.dev)
34
Ah, 1980s Brazil (programming.dev)

"And you? Where's your little mark?"

Not sure if this should be tagged NSFW

94

Elements of Ultima VII were inspired by game developer Origin Systems' conflicts with competitor (and later owner) Electronic Arts. Origin Systems' corporate slogan was "We Create Worlds", while the main antagonist of the story – the Guardian – is presented as a "Destroyer of Worlds". The three evil "Generators" created by the Guardian in the game take the physical shapes of the contemporary Electronic Arts logo: a cube, a sphere, and a tetrahedron. Elizabeth and Abraham, two apparently benevolent characters who later turn out to be murderers, have the initials "E" and "A".[10] Electronic Arts would acquire Origin later that same year, on September 25, 1992.

EA, destroyer of worlds since 1992

35

I know that direct p2p filesharing programs have been mostly superceded by torrents and even ddl, but sometimes I feel like "trying my luck" with stuff I didn't search for directly (behind a VM, because i'm not that adventurous)

25

This is a follow up to my previous post here - https://programming.dev/post/46041021 - For those that want a tldr: I'm making a php site for myself writing nearly everything by hand. The only external library I'm using is Parsedown.

After a good time working on my site, I'm happy to announce that I've officially shared it with my friends^[I won't share it here as the site is tied to a different online persona of mine]! The site isn't really "ready" yet, but it's very usable and readable, so that's good!

As for code quality? Well... It's kinda awful. Instead of this:

class User {
  $login = new String();
  $email = new String();
  ...
}

I'm using named arrays (hashes)^[Kinda funny how associative arrays have soe many different names in other languages: hash, dictionary, map] everywhere:

class User {
  $columns = array( 'login' => '',
  'email' => '',
  ...
}

"But WHY???", you might be asking. Well, to facilitate the creation of the database from zero! Here's an example of my trick:

abstract class Common {
 /**
  a bunch of different, generic select and update functions
*/
}
class Users extends Common{
$cols = array('uid'=> 'primary key auto_increment',
    'vc1_login'=> 'unique not null',
    'vc1_display_name'=> '',
    'vc2_password'=> 'not null',
    'dat_created_at'=> 'not null',
    'bol_enabled'=> 'default 1',
    ...
}

With this, the $key part of the hash doubles as the column name and their default/new values are always the details needed for the creation of their respective columns. I also treat the ::class as part of the table name. With a few functions, I can easily recreate the database from zero, something which I've tested a few times now and can confirm that it works great! Also, with key pairs, making generic SQL functions becomes very easy with foreach() loops of the $cols hash. Example:

abstract class Common {
public function selectColumns($columns, $table = '', $where='1', $orderby = '') {
        $conn = connectDb(); //static function outside class
        if ($table == '') {$table = $this::class;}
        $coll = '';
        foreach ($columns as $cols) {
            $coll .= $cols.', ';
        }
        $coll = substr($coll,0,-2);
        $stmt = $conn->prepare("SELECT ".$coll." FROM `T_".$table."` WHERE ".$where." ".$orderby.";");
        $stmt->execute();
        return $stmt->fetchAll(PDO::FETCH_ASSOC); 
//Fetch_Assoc is used so I'm forced to always use the $key in the returned array
    }

// This function will attempt to update all non-empty pairs of a given object
public function updateColsUid(){
        $conn = conectaBanco();
        $sql = "UPDATE `T_".$this::class."` SET ";
        $keys = array('uid' => $this->cols['uid']);
        foreach ($this->cols as $key => $value) {
            if (($value != '') and ($key != 'uid')) {
                $sql .= " `". $key. "` = :" . $key . " ,";
                $keys[$key] = $value;
            }
        }
        $sql = substr($sql,0,-1);
        $sql .= " WHERE `uid` = :uid;";
        $stmt = $conn->prepare($sql);
        $stmt->execute($keys);
        return $stmt->rowCount();
    }

The biggest problem with this is that if I ever remove, add or rename any of these $keys, it'll be a fucking chore to update code that references it. I'll look into using proper variables for each column in the future, especially as a database creation is something you usually only do once. On the plus side, this is the most portable php site I've ever did (1 out of 1, but whatever)

Anyway, current functionality includes creating an account, modifying some aspects^[I want to note that there was a bunch of validation that I initially didn't think of doing, but luckily had a couple of "Wait, what if..." moments. One of those was to properly escape a user's username and display name, otherwise, when echo'ing it, <b>Bob</b> would show as Bob. While the fields probably wouldn't be enough to fit anything malicious (fitting something malicious inside a varchar100 would be a real feat, ngl), it's better to close this potential hole.] of it (profile description, display name (which is html escaped, so no funny business here), signature), logging in, letting the admin make new posts, letting anyone logged in comment on existing posts, comment moderation.

I also keep track of every page visitors are going to, saving these to the database (user agent, IP, page visited) - this will be the table that will fill up faster than any other, but might also allow me to catch eventual bots that ignore robots.txt - supposing I can figure them out.

Initially, I was planning on having each post select from a list of existing categories (category N -> N posts), but after some thought, decided against that and came up with a working alternative. Posts now have a single column where categories are manually written in, separated by commas. I later retrieve them with select distinct, explode() the string into an array and finally remove duplicates with array_unique(), making it easy for visitors, and for me, to get all the unique and valid categories.

One thing I'm doing that I'm not sure whether it's good, neutral or bad design/architecture, is using the same site that has the form to also validate/insert data, as in: instead of having newpost.php and validate_and_insert_post.php files doing separate jobs, my newpost.php is the page has the form and also receives the form in order to validate and insert into the database.

The whole thing's currently sitting at 220kb, unzipped, counting the leftover files that I'm no longer using. The fact that I can deploy this literally anywhere with a working php 8+ server without typing any terminal commands makes me very happy.

89
60
How to ask for a raise (programming.dev)
24
"A good word" (programming.dev)
217
"A good word" (programming.dev)
28

cross-posted from: https://programming.dev/post/47341163

Remember Win Elvis-n-Space? Or Lemmings Paintball? Or even Odyssey Legend of Nemesis?

Found this little gem of a site recently. Unfortunately, it hasn't been updated in a while (last blog post is from Sep 2025)

78

Remember Win Elvis-n-Space? Or Lemmings Paintball? Or even Odyssey Legend of Nemesis?

Found this little gem of a site recently. Unfortunately, it hasn't been updated in a while (last blog post is from Sep 2025)

view more: next ›

ICastFist

joined 2 years ago