FreshRSS

Normální zobrazení

Jsou dostupné nové články, klikněte pro obnovení stránky.
PředevčíremHlavní kanál
  • ✇Finding God in Video Games
  • “The Duke”: Making the Light Accessible to AllFinding God in Video Games
    As most new consoles typically do, the original Xbox console launched with an entirely new design for their controller that was… well, let’s just say it was unique. The “Duke”, as it was affectionately nicknamed, was nearly THREE times the size of Sony’s PlayStation controller, making it incredibly bulky and difficult to use for gamers with smaller hands. While this over-sized controller certainly had its’ fans (and still does), it wasn’t a fit for every gamer’s hands, forcing Microsoft to pivot
     

“The Duke”: Making the Light Accessible to All

As most new consoles typically do, the original Xbox console launched with an entirely new design for their controller that was… well, let’s just say it was unique. The “Duke”, as it was affectionately nicknamed, was nearly THREE times the size of Sony’s PlayStation controller, making it incredibly bulky and difficult to use for gamers with smaller hands. While this over-sized controller certainly had its’ fans (and still does), it wasn’t a fit for every gamer’s hands, forcing Microsoft to pivot to the smaller and more universally accessible “Controller S”. The best games in the world still wouldn’t bring new players to their platform until they made a controller that every player could hold.

In His time here on earth, Christ routinely broke down complicated spiritual concepts by using parables to make His messages accessible to all who were seeking truth, and He’s called us to do the same. As the ambassadors of Christ on earth, we are called to submit ourselves to the Holy Spirit’s leading and share His truth in a manner that fits the learning needs of others, not our personal preferences. Let’s be the light that makes finding Him easier for others today.

For though I am free from all men, I have made myself a servant to all, that I might win the more; and to the Jews I became as a Jew, that I might win Jews; to those who are under the law, as under the law, that I might win those who are under the law; to those who are without law, as without law (not being without law toward God, but under law toward Christ), that I might win those who are without law; to the weak I became as weak, that I might win the weak. I have become all things to all men, that I might by all means save some. Now this I do for the gospel’s sake, that I may be partaker of it with you. 1 Corinthians 9:19-23

  • Like us?  Follow us on Instagram, Twitter, Facebook, Spotify, TikTok, or YouTube for our articles, podcasts, and videos!
  • Facebook: Finding God in Video Games
  • Twitter: @FindingGodIn_VG
  • Instagram: Finding God in Video Games
  • Podcasts on Spotify/Apple/Google: Finding God in Video Games
  • TikTok: @FindingGodInVideoGames
  • YouTube: Finding God in Video games
  • Our Daily Devotional book “This is the Way Scripture of the Day” is available for purchase here!:

Character controller that can handle sloped terrain and boxy ledge traversal

I am working on a character controller for a 3D platformer in Unity. I cannot find an approach that satisfies me.

I have experimented with these approaches in order to learn about their virtues and pitfalls:

  1. Rigidbody + CapsuleCollider + native physics system (gives you something like Fall Guys)
  2. Rigidbody + CapsuleCollider + custom velocity handling, only using physics system to resolve collisions (this method is illustrated in Catlike Coding tutorial here)
  3. Built-in CharacterController
  4. Custom character controller that uses Unity methods to detect geometric collisions, but does its own collision resolution via depenetration (this method is illustrated in Roystan Ross tutorial here)

See also this video by iHeartGameDev summarizing different approaches.


For my particular use case, each one of these has been better than the last.

After following Roystan's tutorial, I am a big fan of the pushback method of handling collision. Rather than use casts to catch collision before you move your object, you move your object, then find collisions, then resolve them using depenetration.

Roystan's method represents the character as a stack of three spheres for the same reason people favor capsule colliders in 3D: it makes handling slopes much easier (and also because depenetration is easier when you think in terms of spheres).

But the thing I am struggling with is that I don't want the player to be able to slide up or down ledges when traversing them.

Basically, when jumping up or walking off a ledge, I want my character to be treated as a box.

So I am struggling to find a way to accommodate both of the following:

  • I want to support sloped MeshCollider ground (not too noisy, but will definitely be possible to have 4 collision points at a time)
  • I want ledge traversal (up and down) to treat my player as a box

Here are diagrams illustrating what you normally get with a capsule, versus what I want.

Down ledge: enter image description here

Up ledge: enter image description here

My thinking is that I have two options:

  1. Represent the character as a box and use box depenetration techniques to move him along sloped ground (for example, using Unity's ComputePenetration())
  2. Represent the character as a capsule (or stack of three spheres like in Roystan's tutorial) and add special case logic to get the boxy ledge traversal I want

One problem I can foresee with approach 1 is properly doing the depenentration on noisy sloped ground, and one problem I can foresee with approach 2 is properly writing the special cases. (My game is relatively low-poly and retro-styled, so I wouldn't mind the player not appearing perfectly flush with slopes that comes with the box representation of approach 1.)

In any event, I am just looking for advice on how to proceed with this problem. How can I get the boxy handling of ledges while also getting traversal on sloped MeshCollider terrain.

Is either of these approaches better than the other for what I am after, and is there an alternative approach I haven't considered?

  • ✇Recent Questions - Game Development Stack Exchange
  • How to stop the slide on slopes?Sam Law
    I'm struggling with a wee issue where if my character walks up a slope he slides back down when at rest, and bounces down when running down the slope. I've followed a few videos but none seem to address the issue. I've posted my movement code so far and I'm not opposed to fundamentally changing this, however with the other aspects of my game, the rigid body and collider setup seems to be working quite well. Any ideas? //inputs if (Input.GetKey(buttonKey["Left"])) { inputHorizont
     

How to stop the slide on slopes?

I'm struggling with a wee issue where if my character walks up a slope he slides back down when at rest, and bounces down when running down the slope. I've followed a few videos but none seem to address the issue. I've posted my movement code so far and I'm not opposed to fundamentally changing this, however with the other aspects of my game, the rigid body and collider setup seems to be working quite well. Any ideas?

 //inputs
    if (Input.GetKey(buttonKey["Left"]))
    {
        inputHorizontal = -1;
    }
    else if (Input.GetKey(buttonKey["Right"]))
    {
        inputHorizontal = 1;
    }
    else
    {
        inputHorizontal = 0;
    }

    //jump
    if (Input.GetKey(buttonKey["Jump"]) && isgrounded.Grounded && canJump)
    {
        jump();
        jumpTimerCurrent = 0;
        canJump = false;
    }

    if (jumpTimerCurrent <= jumpTimerReset)
    {
        jumpTimerCurrent += Time.fixedDeltaTime;
    }
    else
    {
        canJump = true;
    }

 void FixedUpdate()
{
    rb.velocity = new Vector2(inputHorizontal * Time.fixedDeltaTime * runSpeed, rb.velocity.y);
}

    void jump()
{
    rb.velocity = new Vector2(rb.velocity.x, 0.0f);
    rb.AddForce(Vector2.up * jumpForce, ForceMode.Force);
}
  • ✇NekoJonez's Gaming Blog
  • Review: Shadow Gambit – The Cursed Crew (PC – Steam) ~ The Curse Of GamingNekoJonez
    Steam store – Official website – Wikipedia entry Some game genres are so rare, it’s a miracle when a new game releases in that style. I personally call this genre: stealth tactics. The actual genre is Real-Time Tactics, but I find that name doesn’t really cover this (sub)genre. If you have ever played games like: Commando’s, Desperados, Robin Hood – The Legend of Sherwood or Shadow Tactics… You know what sort of game I’m talking about. A game features a rag tag group of heroes. Each hero
     

Review: Shadow Gambit – The Cursed Crew (PC – Steam) ~ The Curse Of Gaming

Od: NekoJonez
28. Červenec 2024 v 19:31

Steam storeOfficial websiteWikipedia entry

Some game genres are so rare, it’s a miracle when a new game releases in that style. I personally call this genre: stealth tactics. The actual genre is Real-Time Tactics, but I find that name doesn’t really cover this (sub)genre. If you have ever played games like: Commando’s, Desperados, Robin Hood – The Legend of Sherwood or Shadow Tactics… You know what sort of game I’m talking about. A game features a rag tag group of heroes. Each hero has unique abilities. They must get through big groups of enemies. They do this one by one to progress the group’s goals. The game I want to talk about today is called Shadow Gambit: The Cursed Crew. This was the last game by the studio Mimimi. Is this game the swansong to close down this studio, or is it a game that’s better left forgotten? Before that, I invite you to leave a comment in the comment section down below. A comment with your thoughts and/or opinions on the game and/or the content of the article.

Promises of amazing treasure

In this game, you play as the crew of a special pirate ship named the Red Marley. Each main member of the crew has a black pearl in their chest, granting them unique supernatural abilities. These unique abilities come at a cost of being cursed to a sort of undead status.

The Red Marley’s captain fell in battle, and now the Inquisition is after the biggest treasure of the ship. Now, the Red Marley’s crew doesn’t want this to happen. So they do everything in their power to avoid this from happening.

The story in this game doesn’t take itself too seriously. The story is written like it’s a Saturday morning cartoon. A story arc can be contained in one or a handful of episodes, but always has an ending. While almost everything in the story ends well for the main cast, the story and writing never looses its charm. I felt like I was transported back into the time I woke up for the weekly Pokémon episode. I knew that the main problem of that week’s episode would resolve by the end. Still, I kept rooting for the heroes.

One of the biggest reasons I kept rooting for the main characters is because of the voice actors. Their performances are extremely well done. They bring a lot of personality and life to each character. They make the characters stand out like real, actual people. This script must have been immense, since the characters sometimes react on the actions you preform with other characters. There are 8 main characters, and more if you buy the DLC packs. If you start counting how many unique voice lines that bring to the table… And that’s the tip of the iceberg. The enemies for example, when they come together also have unique dialogue between them.

It’s possible to write an article by itself about the world building, story and voice acting in this game. I can also assure you that when I write this article, I’ll keep gushing about it all. A great example is how the save & load function fits into the story. It enhances the world of this game. Yes, you read that correctly. When you save, you store a memory in the Red Marley. When you load one of your saves, the Red Marley uses its powers to restore that memory. Your characters also respond to your saving and loading action and this brings even more charm to this game.

In these types of games, the replay value is quite high. Especially since you tackle all missions in various ways and each playthrough is going to be different. In this game, it’s taken even a step further. You can choose the order to revive your crew. You can also choose the order to finish the missions of that chapter. I can assure you that your playthrough will look nothing like mine.

The main quest is quite enjoyable to play through. I actually became really immersed in the world of this game. At the moment, I’m playing through the final missions of the game and the DLC missions. I’m having a blast. Thankfully, I can easily start a new playthrough of this game. Then I can experience it all of it over again and take a totally different route. And maybe I can do the little side quests and pirate tales as well. Since, that’s content, I haven’t gone into too much yet.

Your playthrough of this game will take you somewhere between 27 to 37 hours. That is, if you want to beat the main story and DLC’s. But, if you want to fully finish this game… Oh boy, then you’ll have a game that’s close to 80 hours on your hands. I already mentioned the crew tales. But there are also mini-challenges you can go for during the missions to earn badges. Let’s not forget the achievements you can earn. Well, most of the achievements are related to the main campaign.

Now, I have one complaint about the badges in this game. Earning some of these badges is extremely tricky. Sometimes, you don’t get all the information you expect to. For example, there is a badge on each map for using all the landing spots of that map. But guess what, there is no easy way to see if you already used a landing spot or not. It’s a shame that some badges work like that. Especially since some of these badges make you go out of your way to play in an unique way. A more challenging way to spice up your normal routine.

Apart from bragging trophies, these medals don’t really add up to much. But, I honestly don’t really mind that. Since, it’s fun to gather these medals and have some bonus challanges during my playthrough. It keeps me on my toes and it’s really enjoyable.

Mindblowing abilities

I’m still quite impressed at how balanced this game is. Each character has their own unique abilities. It’s best that you always have a character with an ability that can move guards from their position. If you don’t have that, the game will actually warn you. You are going to make it extremely challenging for yourself.

Personally, I’m playing through this game on the normal difficulty setting and your decisions actually matter. Before starting each mission, study the map well. Try to remember each map as well as you can. Since you are going to revisit each map at least once or twice. It’s extremely important to choose the correct landing position.

You would think that the game will be a bit boring if you always bring the same crew into missions. But, the game rewards you using different characters for missions. You gain more vigor if you play with certain crew members during certain missions. If you earned enough vigor, you can upgrade one of the unique abilities of your characters. This upgrade will give you more and better tools in your arsenal. Now, these upgrades can make the game much easier. You can always turn off the upgrades while on the Red Marley.

In the introduction paragraph of this article, I quickly explained how this game works. So, let me tell you the gist of it. In this game, you go from mission to mission, completing various goals in each one. These goals can range for example from rescuing an informant or stealing an artifact. In each mission, there are various enemies patrolling the area. Your goal is to find the weakspots in their patrols and dispose of the enemies without getting spotted.

Now, getting spotted isn’t the end of the world in this game. Depending on where you are spotted, it’s possible to escape and hide somewhere. You just have to avoid taking damage, since your health is limited, and you can’t heal during the mission. If you aren’t careful, it’s easy to get swamped or overwhelmed with guards. Especially when a guard with a bell spots you, the traces you leave behind or sees a dead body. When this happens, you have a limited amount of time to kill that guard before the bell is rung. When the bell is rung, more guards will emerge from nearby barracks and swarm to the location.

On top of that, there are also some unique enemy types outside your regular patrol goons. The first type I want to talk are the Kindred. These annoying buggers bring something quite unique to the table in this genre. Kindred are always connected with each other. If you don’t kill these all at the same time, they will revive each other. But, this is only the start of your troubles.

You also have Prognosticar. And let me tell you, these are even more challenging. To defeat these enemies, you need to have two units ready. One unit needs to be spotted or attack the Prognosticar. Since as soon as that happens, your unit gets trapped. This trap will go on and damage your unit until the unit either dies or is rescued. When the Prognosticar is using his trap, he can be attacked and killed. But do it quick. The trap is damaging your unit. You are also stuck in place. This situation is dangerous.

It also matters if the mission is taking place during day or night. The big difference is that in the daytime, the enemies have a bigger field of view. During the nighttime, some enemies will carry a torch on their patrol. This gives more light to other units. They can spot you sneaking by if you aren’t careful. There are also various torches dotted around the map, and you can put them out. The enemies can’t stand torches that are put out and will go out of their way to light them again.

It’s also important to know if an enemy stops in their patrol to talk to another enemy. Since if you kill one of them, the other enemy will start looking for them. They will start running around and if you weren’t careful, will find your tracks and spot you.

Learning those little mechanics is essential in this game. Never forget the tools you have in this game! This ranges from the abilities of each character to how for example view cones work. There is something called view cone surfing. If you want to dash to another place past some enemies… Understand that a full color in the view cone means they will spot you right away. Stripped sections of the view cone will cause you to be unseen if you crawl by. Also, it takes a few moments of you being spotted and the alarm being raised. You can run quickly enough past an enemy. Alternatively, you can run from view cone to view cone. It’s possible to get past unseen.

If you are afraid that you will get overwhelmed by all the information of all the little mechanics, don’t worry. The difficulty curve in this game is perfect. This game also has solid character tutorials. Each character tutorial guides you through 2–3 rooms, teaching you the abilities of each ability and their unique use cases. At the end of each character tutorial, you get a puzzle room. Putting to the test if you can use that character correctly. During the game, you can always open your logbook from the pause menu, where all tutorials can be watched again.

This brings me to the abilities of your characters in this game. If you have played similar games, you’ll recognize certain abilities and others will be quite new and unique. Now, some of these abilities will have a unique spin to it. For example, your sniper only has one shot. But, when you retrieve your sniper bolt… Your sniper can shoot again.

There are also extremely unique mechanics, like your Canoness has very fun abilities. She can pick up dead bodies in her canon to launch them at enemies to knock them out. But, you can also pick up allies. You can fling them over a group of enemies. This will give them a better hiding spot. Or your Ship Doctor, she can create one hiding spot out of thin air. Or your navigator, she can stop time for one enemy, allowing you to easy sneak by. And your ship cook can throw a special doll. This doll allows him to teleport to that location. He does this as soon as you click the button. Oh, and if you place that doll on an enemy, it sticks to that enemy.

You might be annoyed that I somewhat spoiled things in the above paragraph. But I have only told the tip of the iceberg here. I have left out several characters in that little summary and they have mindblowing abilities as well. Each map is created in such a way that it doesn’t really matter which characters you take into battle. Since you can finish it using any of your characters.

The Swansong of Mimimi

When Klamath and I started streaming Commandos, I wanted to play a similar game. One I haven’t played through. Since I first started playing through Desperados III again, and that was beaten in a few days. Since, I really enjoyed Desperados III, I bought the next game from the studio.

As somebody who enjoyed Desperados III quite a lot, I was happy to see things return in this game. I can’t tell you how much I love the speed up button. While I wish you can adjust the speed of it… The slow wait can be annoying. Sometimes, you have to get an enemy right where you want them. On top of that, you also have the showdown mode. With the press of a button, you can stop time and plan out your units their next move. Once you press the enter key, either still in showdown mode or not, the actions will be executed. It still feels amazing when you execute a well timed attack to take out difficult set of enemies.

Something that’s extremely useful is how you can rotate the camera in this game. Sometimes an enemy walks behind a building or some rocks… So, if you can’t rotate the camera, you wonder from where you are taking damage. Also, the ability of outlining the enemies, ladders and hiding spots help with that as well. As you can see from my screenshots, I always play with that feature enabled.

Sadly, there are a few ladders that don’t get an outline. Most likely since the developers forgot to put a certain tag on them. I remember one in Angler’s Grave, at the top right. It’s not too far from one of the mission objectives, the informant. Thankfully, these very minor oversights rarely happen. Overall, this game is extremely solid and blast to play through.

The controls are extremely solid. I had to get used to one thing. To execute certain actions, I had to hold the left mouse button instead of just clicking. This sometimes tripped me up but a quick reload fixed that problem. I only have one minor complaint about the controls. Depending on the camera angle, there were rare moments where your character refused to go to a location. I suspect it has to do with where you click. Your unit always wants to look for the shortest way to reach where you click. Sadly, this trips something up in the pathfinding and your unti refuses to go to their destination. Thankfully, a quick camera movement can fix these moments. And also, I’m glad that these moments are quite rare.

Something that’s even more rare are some minor visual bugs that can happen sometimes. Sometimes an UI-element refuses to dissapear. I had that happen twice, when I shot an enemy holding down an exit rift with the Canoness. The stars indicated that the enemy was dizzy. They hovered above the enemy’s head after the rift opened. Even after I killed the enemy, these stars remained visible. There are sometimes minor visual bugs happening like that. Thankfully, they are extremely rare and sometimes are quite funny. One time, one of my units was standing perpendicular on a ladder when I stopped it going up the ladder. The only annoying bug was that I couldn’t retrieve two bodies. They lay in a remote part of Angler’s Grave. It was almost impossible to get rid of two bodies. Maybe, it’s possible. I don’t know, I honestly gave up and earned the badge of hiding bodies on a later revist.

In such a big game it’s to be expected that sometimes things can go wrong. But it surprises me how little goes wrong and how polished the overall game is. Scrolling through the patch notes of this game, I noticed that the developers fixed many issues. They also added a lot of new content to the game. The last update to the game was even a modding tool for this game. These mods go from chaging your character models to adding new maps. I think I’ll play around with the mods after I have fully beaten the game. I’m extremely close, since I’m in the final missions of the game.

Now, earlier I talked about the UI. The UI is quite easy and helpful. There are several unique icons to inform you where certain things are. For example, where you left the paper doll when using the ship cook. There is only one thing in the UI I dislike. And that’s the list of save games. You get a little screenshot of the location of the save and a time stamp. And that’s it. You can’t give a special name or note to them. So if you are looking for a certain save… you either need to make notes OR just go through all them until you het it.

It’s the only real complaint I can give about this game. There is just a lot that this game does right. Like how you can scroll to zoom in or out. When you scroll again at the max zoom level, you see a live map. This map shows where all the enemies are. The only minor complaint I have about the map is that ammo chests aren’t marked on there. Also, quick note on the ammo chests… Almost every character has the same visual for their gun. Now, if another visual appears above the ammo chest, it doesn’t matter. The ammo chests are never character specific.

Visually, this game looks breathtaking. The attention to detail in this world gets a big thumbs up from me. The world really feels alive and somewhat real. The little animation details for example when an enemy stops at a prison cell to talk to inmates… This is just amazing. The immersion level is even higher with that.

The soundtrack is very catchy and a joy to listen to. It made certain moments in the game even more thrilling. The music has been created by Filippo Beck Peccoz, he also created the music for Desperados III. The soundtrack really fits the game like a glove. I’m so glad I bought the soundtrack DLC,. Now I can add the music to my music library to play while I’m at my dayjob.

This brings me to the sound design of this game. The sound design of this game is amazing. I’m playing this game with a good headset and I don’t think this game is playable without sound effects. A great example is, when you get spotted. You not only get a great visual hint of a yellow line turning red of the enemy spotting you… You also get some sound effects informing you that things are about to go down. On top of that, the sound effects add so much extra impact on taking down enemies. This makes it even more rewarding when you finally take down that one pesky enemy.

One thing I haven’t talked about yet is how flexible this game is. I have touched upon that by talking about how you can only choose three out of 8 characters per mission. And you are encouraged to experiment with different combinations. Now, when you open the options menu, you’ll be blown away. You can change almost everything. The controls like the shortcuts for abilities can be tweaked to your liking. You have quite a lot of control to tweak the volumes, the controls, the visuals… Even tweak certain game mechanics to your liking. Don’t like the save reminder? You can turn that off.

There is still another thing that boggles my mind that was added in this game. You can create a custom difficulty. The only complaint I have there is that the UI fails to explain the differences. I find it challenging to understand all the settings. You get a short explaination about the setting, and then you have a slider you can set. But, what’s the difference between 1 and 2 on the slider? That’s something the UI doesn’t really tell.

When I was writing this article, I kept looking at my notes and thought: “Oh, I forgot about that.”. There are just so many things in this game. The fact that in some missions, you must kill enemies in unique ways. In one mission, you have to lure enemies to a certain location. You need to do this 4 times. You do this instead of killing them. It’s a breath of fresh air. You’d think that having only a handful of maps would make this game boring and repetitive, but no. The maps are not only large but also used in extremely interesting ways. Revisits of a map make it easier to start, but each area is used in a mission. So, there is still a lot of challenge in the revisits.

Oh, there is one more thing. The question if you should buy the DLC’s or not. Let me just tell you this, I bought the game on sale with the DLC’s included. I’m so happy I did! Since the additional content in the DLC’s adds so much more to this game. They come highly recommended.

Now, I have left out a few things for you all to find while playing this game. This article is already getting quite long. I want to leave some things as a surprise for people interested in playing this game. I think it’s high time to wrap up this review and give my conclusion and final thoughts on this game.

Conclusion of this treasure hunt

The negatives:

-Unable to add notes to quick saves.
-Some minor (visual) glitches can happen. Thankfully, they are rare and rarely/never gamebreaking.
-The UI of custom difficulty could have been executed better.

The positives:

+ A masterclass in it’s genre in terms of gameplay.
+ Extremely flexible with options.
+ A modding tool.
+ A love-able cartoony story.
+ Amazing voice over work.
+ Superb soundtrack.
+ …

Final thoughts:

When I started playing Shadow Gambit: The Cursed Crew, I had extremely high expectations. Mimimi blew me away with the amazing Desperados III. With this swansong of a game, they not only met my expectations, they blew them out of the water. This game showcases the achievements of passionate people. These individuals are dedicated to creating the game they love.

It didn’t take long before I fell in love with the cast of this game. The charm drew me into the world of this game. Apart from some minor things, it’s hard to find things to critique about this game. The only thing I can critique are small bugs that barely impact the gameplay of this game. This game really feels like a finished product and it’s a thrill ride from start to finish.

If you really want to find things this game does wrong… You’ll either need to be extremely nitpicky or just have the game not clicking with you. If you find this game too easy or too difficult, just tweak the setttings to your playstyle and voila.

If you enjoy games like Commandos or Desperados… You’d do yourself a disservice to not check out this game. Give the demo of this game a try, and see what you think. I wouldn’t be surprised that this game sinks it’s hook into you like it did with me.

It’s a shame to see that this game studio closes. Thank you to everybody who worked on this amazing title and I hope to meet your work in other games. This final game you all created together is a real piece of art. It’s a masterclass in game development and shows how well you know the community for games like this. I’m so happy that this game exists. Since it wouldn’t surprise me that I’ll play through this game several times now.

Before I ramble on and on about this game, I think it’s high time I wrap up this article. Otherwise, I’ll keep praising this game to high heavens and back. So, with that said, I have said close to everything I wanted to say about this game. I hope you enjoyed reading this article as much as I enjoyed writing it. I hope to be able to welcome you in another article, but until then… Have a great rest of your day and take care!

Score: 100/100

  • ✇NekoJonez's Gaming Blog
  • Review: Hypnospace Outlaw (PC – Steam) ~ Dreaming Up Nostalgic InvestigationsNekoJonez
    Steam store page – Wikipedia – Official website So, when I’m writing this, it is 2024. I turned 31 years old back in February. I still love playing video games and surfing the internet since I was a young lad. Besides that, I also have a fascination for anything that has to do with dreams and their meanings. And then a game called Hypnospace Outlaw turns up on my radar. A game that promises to bring back the early years of the internet that I remember. Not only that, we are going to have
     

Review: Hypnospace Outlaw (PC – Steam) ~ Dreaming Up Nostalgic Investigations

Od: NekoJonez
12. Květen 2024 v 13:47

Steam store pageWikipedia Official website

So, when I’m writing this, it is 2024. I turned 31 years old back in February. I still love playing video games and surfing the internet since I was a young lad. Besides that, I also have a fascination for anything that has to do with dreams and their meanings. And then a game called Hypnospace Outlaw turns up on my radar. A game that promises to bring back the early years of the internet that I remember. Not only that, we are going to have to moderate the internet with a new technology that allows people to surf the internet while they are dreaming. We have to play as an unnamed enforcer to keep the internet safe and on top of that, we can create our own pages and mod this game easily. But before we start spending time on that, let’s find out if the base game is actually good and if it’s worth to start playing this game or if it’s something we should skip. Also, feel free to leave your thoughts and/or opinions on this article and/or the game in the comment section down below. Besides, dear enforcer and MerchantSoft, this isn’t harassment, this is a fair review/critique of the game. Removing this from HypnoOS isn’t the solution.

Dreaming Up Nostalgic Investigations

In this game, you play as an unnamed enforcer for MerchantSoft. A company that developed a headband that allows users to surf the web in their dreams. Your goal is to clean up the HypnoSpace for everybody. You start in late 1999, where your first case is assigned. When your first case is assigned, you are left to your own devices, and you can explore the internet by yourself. And let me tell you, there is a lot of internet to explore.

The story of this game is fascinating. You get to dive and explore through various pages on the internet about various things. A long time before social media was a thing and everybody had a website for their own creations. The HypnoSpace has several zones, with each their own theme. If you remember AOL, you will know what I’m talking about.

If you want to get the most out of this game, I highly advise you to take your time with this game. Don’t rush it at all. This game is sadly rather short if you only follow the main story of the game. It’s only 6 hours long and shorter if you know what you are doing. I mean, the speedruns are only around 11 minutes. The strength of this game is the depth it has. This game has three main chapters, and there are clear triggers that separate the chapters.

The deeper you dig and the more you read up, the more interesting lore gets revealed. I actually started a second playthrough to try and find the things I missed. And honestly, this game is one that gets ruined by playing it with a guide in any sort or form. Do not play this game with a guide. It’s a lot less rewarding if you play it with a guide in your first or second playthrough. The wonder of getting lost in all of these pages is just so nostalgic.

Now, while I was playing, I was wondering if it would appeal to the younger players out there. I’m somewhat on the fence about that. While it tackles a lot of subjects that are still somewhat relevant, I honestly think that it’ll mostly click with those who grew up with the internet of the ’90 to early ’00. With that said, I think that it still might click with the younger people, but know that the internet was very different back then.

Point-And-Click Detective

This game is a point-and-click adventure game in any sense of the word. You get a case, and you have to explore the internet to see if anyone broke the rules or not.

Each infraction you find, will reward you with HypnoCoin. You can use these coins to buy various things in the Hypnospace. This can go from stickers, wallpapers, themes, applications to so much more. But be careful, it’s quite possible that some of these downloads are infected with malware. And back then, malware was a lot more visual and less aimed at serving you a lot of ads or stealing your information.

The controls of this game are quite easy. You mostly click with your mouse and input things sometimes in the search bar. If you know how to do basic things with a computer, you’ll very quickly find your way around with this game as well. While I sometimes struggled with opening apps, I didn’t have too much trouble with the controls. Thankfully, there are some options to tweak the controls to your liking, like disabling that double-clicking opens apps. But, I’m a Windows user and the double click to open apps is just hardwired in my brain.

Visually, this game really looks like you are playing with the old internet. When I noticed that there was a mod that changed the OS into Windows 95, oh boy, I was sold. There are various themes for the OS in this game, and they go from amazing to silly. There is even a fast food theme. Now, if you read that this game is mostly created by a team of 5 people, it’s even more impressive. Not only that, one of the main designers of Dropsy is part of the team.

The creativity of this game never ceased to amaze me. Let me continue on the trend of the visuals and say that the little details on how the webpages look is just so realistic. The little typo’s here and there, the rabbit holes you can jump down, the crazy visuals on various pages… Even the “help me, I can’t remove this” and “Test 1 2 3″… I made me crack up and remember my early days when I used to write webpages in plain HTML with barely any coding knowledge as a young teen.

While I knew that wiggling the mouse sped up the loading of the webpages, I just never really did. I just enjoyed the webpages loading slowly and having that experience again when I was a teenager before Facebook or any other big social media started to take over. Yes, even before MySpace. While I only experienced the late “pre-social media internet”, I do have amazing memories of it.

On top of that, you have the amazing wallpapers and sticker packs you can buy and play around with. With this, you can really make your desktop your own. But, something that really triggered memories for me were the viruses you can encounter. Back as a young teen, I was a lot less careful in what I downloaded and seeing the visual mess some viruses can create in this game, it triggered some nasty memories.

Memories like how one time, I got a very nasty variant of the SASSER worm and each time I installed something new, my computer would lock up and crash. Yes, even when you tried to re-install Windows, it locked up and crashed the installer. After a lot of digging, I found that it was caused by a program starting with boot and I had to screw out my hard drive, connect it with somebody’s computer and then remove the start-up file from there. I also had a piece of malware that looked like the ButtsDisease virus in this game. Where it started to change all the text on a webpage to another word. Oh man, those were the days.

So, during your investigations you can encounter various things. Things like people breaking the rules, and you have to report those. You mostly need to focus on one of 5 categories. Copyright infringement, harassment, illegal downloads/malware, extra illegal commerce and illegal activity. Each law gets several infractions, and you do have to look for them. At one moment, I really that to take notes. I really have to say, taking notes for this game is really helpful, you even have the notes’ app in HypnoOS.

Sticking in your brain

Now, something I have to commend the developers for in this game is that they also took accessibility into account. Something I have to commend the developers for as well is the amount of content in this game, even when the main story is extremely short. I already talked about the visuals and how much I love them, but the music in this game is something else.

Some of the music tracks are really stuck in my mind and I wouldn’t be surprised that if I ever write another article in my favorite game music series, some of them will pop up in that. Some tracks are real earworms and got stuck in my brain. The music for some of the parody products in this game is so good, that I wish they were real.

The music in this game is a mixture of various styles, and I find some of them more catchy than the others, but it’s really impressive at how many styles there are in this game. If you know that this game has over 4 hours of music in it, that’s an amazing feat.

There is even a whole suite where you can create your own pages, music and mods released by one of the main developers of this game. It works only on Windows and you can read more about it on the itch.io page of Jay Tolen here. There were even various community events where your stuff could appear as an Easter egg in the main game. Yet, these tools are now part of the main game and are in your installation folder.

Speaking about this, modding this game is extremely easy. There is even a build in mod browser, and it’s a piece of cake to install and downloads mods. If you use the in-game mod menu, you don’t have to reboot the game for most mods to take effect. Just go to the main menu, choose the mods button and install the mods you want. Now, there are a lot more mods out there then just what you can find in the in-game mod browser, so check them out here.

The game has an autosave, it doesn’t really show when the game gets saved. There are three save slots, so if you want to replay the game, you can pick another save slot. Now, if there is one mod I highly advise is he expanded endgame cases mod. This mod expands the game quite naturally and is a lot of fun and additional challenge. But don’t read the description when you haven’t finished the game, since it contains quite a lot of spoilers.

This game can be quite tricky. Sometimes the solution isn’t the easiest to find. It’s even possible you don’t find the solution to every puzzle out there. Now, there is a built in hint system for this game. It’s somewhat hidden to avoid immersion breaking, but for a small HypnoCoin fee, you can get a hint to progress. I really love this system, since I rather have you getting a crowbar to get yourself unstuck than you getting a guide where it’s very easy to other things and spoil the whole experience. Since the fun of this genre depends highly on solving the puzzles with what’s given to you. If you want to get a hint, just search hint.

Overall I have been extremely positive about this game, and I have to say that overall this game is extremely well-made. I rarely found any moments where I thought, this isn’t right. But does that mean that this game doesn’t have any negatives? Well, sadly enough there are a few things I didn’t like about my experience and that I want to talk about.

First of all, I wish the default text-to-speech voice wasn’t the default language of your system if you aren’t English. I’m from Belgium and my text-to-speech voice reads English extremely weird. Thankfully, I had the English soundpack installed on my computer so after I went into the BIOS settings, I was able to quickly change it to the English one and it sounds a lot more natural and better.

Secondly, this is an issue in general with point-and-click games but the replay value just isn’t here. Once you explored everything, you have seen everything. There are various mini-games, but those are quickly beaten. While I personally don’t really see this is a negative, since not every game needs high replay value and sometimes playing it once and having the whole experience engulf you is the idea… I want to mention it, if somebody is looking for replayable games.

Third, you can find more infractions than what’s required to close the case. While I can understand that the game doesn’t tell you how many other things there are out there for immersion reasons, as somebody who wanted to experience everything, I was sometimes a bit annoyed that I couldn’t make sure I found everything. If only there was an option you could toggle to see completion percentage or something of that nature. Since, because of this, it’s possible to lock yourself out of achievements or content in this game.

Yes, this game has achievements and some of them are extremely tricky to get. It took me a lot of researching and exploring in HypnoSpace to find all the material. Thankfully, taking notes really helped me to find it all.

And the final thing is that the final chapters of this game feel a bit rushed and undercooked. One of the final cases is a breeze to solve if you have written notes during your playthrough and it feels like there is content cut out of the game. The ending comes a bit out of nowhere and if you didn’t explore everything or didn’t register certain things, the ending won’t make sense to you and it will loose it’s impact. Thankfully, the mod I shared earlier resolves this to a degree.

That’s all the negative I could say about this game, in my honest opinion. When this game clicks with you, it clicks really well and doesn’t let go at all. But, I’ll leave my final thoughts after the summary of this review. So, I think it’s high time for that since I have touch upon everything I wanted to in this review.

Summary

The bad:

-Text-to-speech should use English by default

-It’s possible to miss content or lock yourself out of it.

-The game is rather short.

-Rushed ending.

The good:

+ Amazing nostalgic trip

+ Amazing music

+ Fantastic writing

+ Easy to use mod tools

+ Great puzzles

+ Great controls

+ …

Final thoughts:

Hypnospace Outlaw is an amazing nostalgic point-and-click adventure trip through the late ’90’s internet. This game might not be for everyone, but when it clicks… Oh boy does it really click. Now, this is also a game you shouldn’t rush. The charm of this game is in all the little details and references that are hidden in the pages and the world building of this game.

While the game is rather at the shortside for point-and-click games, I don’t see it as a big problem to be honest. The journey that this game took me on was a lot more worth it to me than having a long game. Since, I think it would have lost it’s charm if this game kept going and going.

While I personally have more memories with the internet time period that came right after it, the developers are already working on the sequel to this game called Dreamsettler. I honestly can’t wait to play that one, since the quality that this game has is just top notch. The music is catchy, the visuals are amazing and it alls comes together in an amazing nostalgic trip that makes you want to play more.

There are some minor blemishes on this game, but you can work with them. Like I said before, when this game clicks, it really does click extremely well. I’d compare my experience with games like There Is No Game or SuperLiminal. Amazing small titles that leave a lasting impact on those who play it. All of these games are passion projects that turned out amazing and get a recommendation from me.

If you enjoy playing unique point-and-click games and/or if you have nostalgia for the old ’90’s internet, I highly recommend that you give this game a try. While this game is on multiple platforms, I highly recommend that you play the PC version since it has mod support that gives you even more toys to play with and expands the game even more.

I had a blast with this game and it’s a breath of fresh air for me. I’m angry at myself that I rushed my playthrough, but now I have installed several mods and I’m so going to replay this game after I have published this article. I also want to earn every achievement in this game, since I really want to see everything. I’m also extremely hyped for the sequel to this game and I can’t wait to start playing that, since that is going to be an even bigger nostalgic trip for me than this game. And with the amazing set of developers behind this game, I think we get another gem in our hands.

And with that said, I think it’s high time to wrap this article up. I want to thank you so much for reading and I hope you enjoyed reading it as much as I enjoyed writing it. I hope to be able to welcome you in another article, but until then, have a great rest of your day and take care.

Score: 100/100

  • ✇Kotaku
  • We’re Finally Getting A New Astro Bot GameKenneth Shepard
    One of the best surprises from Sony’s State of Play presentation today was the announcement of a new Astro Bot game. Astro’s Playroom, the pack-in game installed on PlayStation 5s in 2020, was a delightful platformer that paid tribute to PlayStation’s history, showed off the tech of the DualSense controller, and was a…Read more...
     

We’re Finally Getting A New Astro Bot Game

31. Květen 2024 v 00:40

One of the best surprises from Sony’s State of Play presentation today was the announcement of a new Astro Bot game. Astro’s Playroom, the pack-in game installed on PlayStation 5s in 2020, was a delightful platformer that paid tribute to PlayStation’s history, showed off the tech of the DualSense controller, and was a…

Read more...

Hades 2 Is A Good Time On Steam Deck (Here’s How To Make It Better)

8. Květen 2024 v 22:30

Hades 2 arrived via Early Access on Steam and the Epic Games Store on May 6 and already it’s been stirring up a ton of excitement. If you’re looking to take its Greek-mythos-inspired roguelike action-RPG gameplay on the go with the Steam Deck, there are a few settings you may wish to tweak.

Read more...

Razer Kishi Ultra turns your phone into a gaming handheld

21. Duben 2024 v 14:14
Razer Kishi Ultra

The gaming handheld market has seen a good number of entries in the past year. It’s not just Steam Deck anymore. You have powerful options ...

The post Razer Kishi Ultra turns your phone into a gaming handheld appeared first on Gizchina.com.

The best Nintendo Switch controllers for 2024

The right controller can make your Nintendo Switch gaming experience feel like new again. If you’ve been relying on the included Joy-Cons ever since you bought a Switch, there’s a good chance you’re missing out on extra comfort and improved ergonomics. Don’t get us wrong: Joy-Cons are perfectly serviceable, but there are more customizable options out there and controllers that will suit certain games better. Whether you want a better grip when you’re battling armies of Bokoblins in Tears of the Kingdom, or you want affordable and comfortable spares for impromptu Mario Kart competitions with friends, you have plenty of options. We’ve tested a bunch of controllers over the years and these are the best Switch controllers you can get right now.

This article originally appeared on Engadget at https://www.engadget.com/best-nintendo-switch-controllers-160034389.html?src=rss

  • ✇PC Gaming – Logical Increments Blog
  • Hall Effect Game Controllers – The Next Level Up?Nigel Delmore
    New titles, new games, new(ish) consoles, and yet we still use the same technology in our game controllers. Sure, the PlayStation 5 controller has some advanced features such as adaptive triggers, but after many months of gaming, you may notice something odd about your Xbox, Switch, or PlayStation controller. Perhaps, your characters walk without input, or the camera moves around slowly. Maybe you wiggle the analog sticks and it’s fine … but only for a moment. One of the sticks has begun to dri
     

Hall Effect Game Controllers – The Next Level Up?

New titles, new games, new(ish) consoles, and yet we still use the same technology in our game controllers. Sure, the PlayStation 5 controller has some advanced features such as adaptive triggers, but after many months of gaming, you may notice something odd about your Xbox, Switch, or PlayStation controller. Perhaps, your characters walk without input, or the camera moves around slowly. Maybe you wiggle the analog sticks and it’s fine … but only for a moment. One of the sticks has begun to drift on its own.

Enter the Hall Effect game controller. They promise to address the annoying issues that often plague traditional controllers, such as stick drift and similar wear over time. But what exactly are they, and how do they measure up against the standard Microsoft, Sony, and Nintendo controllers?

Let’s delve into the magnetic world of Hall Effect game controllers to unravel their magic and see what they are, whether they’re worth preferring, and how some specific models compare.

 

Hall Effect: The Magnetic Marvel

 

GameCube Analog Stick

GameCube Analog Stick
(Photo by Wild Bill)

The gaming companions we’ve grown accustomed to, namely Xbox, Switch, and PlayStation controllers, rely on potentiometers for their analog sticks to help sense direction. Now, a potentiometer is like a tiny volume knob for each analog stick. As you move the analog stick, the potentiometer turns, changing how much electricity can flow through it (or is resisted). This change in electricity tells the computer or console how far (and in what direction) you moved the analog stick. However, it is a physical connection, and over time the parts touching inside the potentiometer can wear out. Such wear might lead to the dreaded stick drift, dwindling precision, and eventually the controller’s retirement.

The Hall Effect, a principle named after physicist Edwin Hall, comes into play when magnetic fields interact with electric currents. In the gaming sphere, this principle morphs into a sensor technology that bids adieu to the physical contact. The heart of this technology lies in the Hall Effect sensors nestled within the joysticks and other control interfaces. Think of this like a permanent magnet and an electrical conductor engaging in a sort of dance, where every move of the magnet alters the voltage in the conductor. This voltage change is then translated into in-game movements or commands. The best thing is, the magnet and conductor don’t touch, which means no wear and tear! At least, on those particular components.

 

What’s In It For You?

 

The proposition for Hall Effect controllers is pretty straightforward. No more stick drift, much more durability, no more disappointment as your controller’s sticks slowly stop working properly. They can theoretically endure marathon gaming sessions over years and years. In my opinion, Hall Effect controllers emerge as a worthy gaming partner, to help you achieve your best.

There’s one more thing to mention, though. Whilst we’ve been talking about Hall Effect sensors as a single monolithic thing—in reality there are different designs, and they’re not all made the same. In fact, a new sensor called the K-Silver JH16 was released this year (specifically, in April 2023) and adopted in new controllers. Why is this important? Well, the JH16 offers superior integrated hall effect sensors, better battery performance, and improved centering performance compared to the older modules. So, even though there are plenty of older Hall Effect controllers that are probably still good, I’m limiting the scope of this article to cover the newest controllers that ought to be great.

This unfortunately has the effect of narrowing down our options. Admittedly, there isn’t a huge amount of information on these Hall Effect controllers, so I had to do some searching. Based on what I found, the following is what I can recommend overall. I’d appreciate it if anyone who has had any of the below controllers could share their experiences, especially around longevity—though, to be fair, it’s probably a little too early to tell.

 

Recommended Hall Effect Controllers

GameSir T4 Kaleid ($42)

    • Pros:
      • Features well-placed back buttons and a comfortable grip
      • Face buttons have a satisfying tactile click, akin to high-end controllers
      • Lighweight (380g), making it easy to handle
      • LEDs add aesthetic appeal (though this might be a con for some)
      • Offers high-end features at a budget-friendly price
    • Cons:
      • Lacks wireless connectivity
      • Unlabelled function buttons can be challenging to use, requiring reference to the manual
      • Turbo Mode feature can be accidentally activated, potentially disrupting gameplay

GameSir G7 SE ($50)

    • Pros:
      • Provides precise control and prevents stick drift
      • Offers a comfortable grip and well-distributed weight
      • Includes customizable back buttons and software customization for button mapping and sensitivity adjustments
      • Durable construction with responsive buttons and secure joysticks
      • Incorporates additional functionalities like volume and chat mixer controls on the D-pad, a 3.5mm audio jack, and a mute button
      • Offers high-end features at a reasonable price
    • Cons:
      • Lacks wireless connectivity
      • Some buttons, like the select button, are awkwardly positioned
      • The controller can be noisy during vibration feedback due to its construction

Mobapad ChiTu HD ($56)

    • Pros:
      • Features original dual-axis ALPS linear motors for vivid vibration feedback
      • About 30 hours of battery life
      • Comfortable and versatile with interchangeable buttons and adjustable joystick caps
      • Near-identical alternative to the Nintendo Switch Pro Controller
      • HD rumble, NFC, Switch BAYX layout, and digital triggers
      • Has two buttons on underside of controller for added functionality
    • Cons:
      • Back buttons can be a little awkwardly placed for small hands

Flydigi Vader 3 Pro ($90)

    • Pros:
      • C and Z buttons are well-placed, with membrane switches to prevent accidental button presses.
      • Triggers offer mechanical click emulation and can be changed on the go
      • An impressive 500 Hz polling rate in wireless mode for high responsiveness
      • Four underside buttons, with customizable macro functionality
      • The ABXY buttons provide a tactile ‘clicky’ response
    • Cons:
      • Battery only lasts about 8 hours before needing to charge
      • Trigger vibrations in comparison to other controllers are lackluster, with limited game support and reduced effectiveness in Bluetooth mode
      • Flydigi app is prone to crashing, and lacks essential features like vibration testing, specific game configurations, and reliable firmware updates
      • Should be calibrated before use

 

Conclusion:

 

The gaming ecosystem is in a perpetual state of evolution, and Hall Effect game controllers are a shining example of the innovative strides aimed at enhancing our experiences. When your current controller is on its last legs, or perhaps if you’re looking at getting a second one, I think it’d be a worthwhile investment to check these controllers out.

These Hall Effect gaming controllers promise more longevity, and to me that means many more hours gaming and focusing on the things that matter more. As we venture further into digital realms, perhaps it’s time to consider nestling the magnetic revolution in our hands.

 

Sources:

 

  • ✇PC Gaming – Logical Increments Blog
  • The 7 Best Controllers or Gamepads for PC Gaming in 2022Jordan
    When you think of gaming on a PC, you probably think of a mouse and keyboard. Controllers have long taken the back seat in PC gaming history but, believe it or not, there’s a handful of games out there that play better with a controller than mouse and keyboard. Yeah, I said it, and I’m not taking it back. There’s a lot of controllers out in the wild, but which ones are the best? Out of the thousands of controllers, how can you possibly choose? Where do you even begin!? Well, right here is a pre
     

The 7 Best Controllers or Gamepads for PC Gaming in 2022

When you think of gaming on a PC, you probably think of a mouse and keyboard. Controllers have long taken the back seat in PC gaming history but, believe it or not, there’s a handful of games out there that play better with a controller than mouse and keyboard. Yeah, I said it, and I’m not taking it back.

There’s a lot of controllers out in the wild, but which ones are the best? Out of the thousands of controllers, how can you possibly choose? Where do you even begin!?

Well, right here is a pretty good place to start, because this article is all about the 7 best options for PC gamepads you can get in 2022. Let’s begin!


Part 1: The A-list

 

This first of our two sections of recommendations is for the best PC gaming controllers—those that provide value and function beyond the competition. If you can, it’s recommended you go for one of these controllers first. There’s a reason they’re at the top!


Xbox One 4th-gen / Series X Controller ($60-70)

“Jack of All Trades”

Xbox Accessories & Controllers | Xbox

The Good

  • Great value
  • Wireless, and comes with USB-C cable for wired play
  • Excellent feel and build quality
  • Great compatibility with Windows 10

The Bad

  • Requires AA batteries for wireless play – Rechargeable battery pack is $25!
  • ‘Imperfect’ d-pad (though much better than Xbox 360 d-pad)

More Info

If you ask any of your friends, coworkers, neighbors, or pets which controller they use when playing PC games, odds are they’d say the Xbox One or practically identical Xbox Series X controller. An excellent successor to the Xbox 360 controller, the 4th generation Xbox controller does just about everything you can ask for at its $60 MSRP. It has both wired (With the included USB-C cable) and wireless (Bluetooth) compatibility, multi-zone rumble features, and analogue triggers. If you watch a retail page for it over a few weeks, you’ll likely find one on sale even cheaper (possibly for $45 or $50), and at that kind of price for this kind of quality it’s hard to recommend anything else. The Xbox Play and Charge Kit, which includes a rechargeable battery for your Xbox One Controller for $24.99, has a phenomenal battery life of up to 30 hours of play time. If you’re looking for a more personal controller, you can use their Design Lab tool to create and order your own controller design for $70. It doesn’t add any features, but it’s a nice touch of personalization for a little extra cash.


PS4 DualShock Controller ($60)

“Almost Utterly Amazing”

Amazon.com: DualShock 4 Wireless Controller for PlayStation 4 - Jet Black : Video Games

The Good

  • Touch pad can work as a mouse
  • Works out-of-the-box, either wired or wireless with Bluetooth
  • Solid build with a rubberized backing
  • No extra cost for rechargeable battery

The Bad

  • May need extra configuration for some games
  • Short battery life

More Info

Another excellent choice of controller right behind the Xbox One or Xbox Series X, the PS4 controller has many similar features. It has wireless play out-of-the-box and, unlike the Xbox One controller, comes standard with a rechargeable battery pack (as any wireless controller should!). While the Xbox One battery pack lasts up to 30 hours, the PS4 controller lasts a much shorter time, anywhere from 4 to 8 hours. Compensating for the poor battery life, however, is the presence of the unique touch pad. When configured, the touch pad can work as a mouse for your PC, allowing you to seamlessly navigate your computer’s interface or in-game menus without the need for a wireless mouse or using a frustrating thumb stick cursor. Some may also prefer the more symmetrical layout of Sony’s controller compared to Microsoft’s asymmetrical design, but that is largely up to taste.


The Entire 8BitDo Series ($25-90)

“Retro Gaming Heaven”

The Good

  • Wired controller options are cheap
  • Great PC compatibility
  • SNES-style, best-in-class d-pads
  • Perfect for reliving the days where microtransactions were just a daydream in the mind of an evil executive

The Bad

  • Though quality control has improved since they first appeared, durability may still be a concern for some
  • Wireless controller options are less cheap (but rechargeable batteries do come standard)

More Info

8BitDo attempts to tickle your nostalgia gland with their old-school designs, while also bringing them into the 21st century by adding modern features like wireless capabilities, improved ergonomics, dedicated software for customization, and 4-6 shoulder and back buttons. 8BitDo’s products are a great way to extend the emulation experience beyond the screen and right into your hands, with controllers that look and feel just like you remember. And even for those uninterested in emulation, the options that resemble early Sony and Nintendo controllers are often the best controller choices overall for playing 2D titles like platformers and top-down shooters—thanks to their excellent classic-style directional pads. 8bitdo has options that are made to replicate controllers from the NES, SNES, Genesis or Master System, PlayStation, arcade, and even the TurboGrafx 16. They also make a handful of other controllers, including teeny tiny portable controllers and even a NES-inspired wireless mouse! Which you choose is up to which design you prefer, or else which retro system(s) you’re most fond of.


Wired PowerA Controllers ($25-70)

“Budget-friendly Modernity”

The Good

  • Cheap(er)
  • Many have a smooth matte finish, which has a nice feel
  • Typically wired in operation (no batteries or recharging)
  • Huge selection of models and colors

The Bad

  • Relatively cheaper feel compared to full-priced controllers, but not far off
  • Rumble tends to be weak or absent

More Info

PowerA controllers are a great choice for those on a budget wanting a new controller over a used one. PowerA makes official peripherals for a wide range of console manufacturers, and they’ve proven their dedication to providing controllers of similar quality to big-name companies at a much cheaper price. The best way to find a PowerA controller you like is to navigate their website and browse the different console controllers they make. There’s many different controllers for each console, so your individual wants and needs will influence which controller you choose. Switch controllers tend to be cheapest at $28, but the triggers aren’t analogue. Xbox One controllers have analogue triggers but are $10 more at $38. They also make wireless controllers and more niche ones, like fight pads. The choice is yours!


Part 2: The B-list

 

If that first set of controllers is the A-list, then this is the B-list. While the gamepads in this section are also good or maybe even great choices, they fit more specific niches and may have more potential drawbacks than the A-list. But if they fit your wants and needs better, then get one! You’ll likely still be happy with any of the following.


PS5 DualSense Controller ($70)

“Unsupported Masterpiece”

DualSense wireless controller | The innovative new controller for PS5 | PlayStation

The Good

  • Fantastic build quality and advanced features
  • Wireless Bluetooth support
  • Rechargeable battery

The Bad

  • No official drivers (works through Steam, and many advanced features aren’t supported)

More Info

Even though the DualSense Playstation 5 controller sports more features the Xbox One and PS4 controllers, the lack of support for said features in most PC games makes this controller harder to recommend. Some PC games support the DualSense’s advanced features—such as Metro Exodus: Enhanced, Call of Duty: Vanguard, and F1 2021—but most do not. The DualSense controller works most easily through Steam, which has official support for the controller and allows for configuration of the controls to suit certain games. You can also use DS4Windows, a program that expands support for the DualSense controller, allowing you to customize light bar color, customize button mapping, and monitor the battery level. Alternatively, you can sit back and hope that official support for this great controller improves some day. I hope it’s soon!


Xbox Elite Series 2 Controller ($180)

“The ‘Cursed Monkey’s Paw’ of Controllers”

Xbox Elite Wireless Controller Series 2

The Good

  • USB-C and wireless Bluetooth Connectivity
  • Extra components are interchangeable
  • Excellent, solid feel

The Bad

  • Hyper expensive
  • Questionable quality control

More Info

If you can justify the outrageous asking price of $179.99, the Xbox Elite Series 2 is packed with features and customizability that stands without comparison. It sports interchangeable parts, (including thumb sticks, directional pads, and back paddles), a fully textured and rubberized grip, and both USB-C and wireless Bluetooth connectivity. It’s arguably the best mainstream controller you can get your hands on. The only major drawback (beyond costing as much as 3 new video game titles combined) is that they’re prone to developing issues over time, including thumb stick drift, button failure, and dead zone formation. Of course, not every controller is bound for this fate; there’s probably a silent majority of Elite Series 2’s out there that are still running perfectly fine 3 years later. Still, it’s hard trying to justify potentially getting a lemon for this kind of price. If you buy one, make sure to get a new one with a warranty!


Wired Xbox 360 Controller (Unknown Value of Prehistoric Currency)

“Ol’ Reliable”

Amazon.com: Microsoft Xbox 360 Wired Controller for Windows & Xbox 360 Console

The Good

  • Good build quality and feel, could probably withstand an atomic blast
  • Supported by every program and OS ever dreamt up by humans
  • Statistically you have at least one in your closet somewhere

The Bad

  • Now almost exclusively available second-hand, making prices highly variable
  • Mushy, worst-in-class d-pad
  • Wireless use requires an adapter sold separately
  • May contain weevils

More Info

After the poorly-received ‘Duke’ controller for the original Xbox, Microsoft decided it was time to produce a controller that fit in the hands of an actual human being; thus, the Xbox 360 controller was born. These controllers are often an incredible budget option for people looking for something that doesn’t feel like a budget controller. Despite their age, they’re an excellent choice due to their indestructibility, ergonomic design, and broad compatibility. Though probably a bad choice for retro gaming due to its unfathomably horrible directional pad, it otherwise remains well-suited to nearly all modern games. The wired USB option is probably your best bet, considering the wireless Xbox 360 controller requires a separately purchased wireless adapter. If you can find one in good shape for $20 or $30, this controller will probably last longer than a new Xbox Elite Series 2.


Conclusion and a Closing Message

 

All these controllers, like anything in life, have their benefits and drawbacks. None of them are inherently bad choices, and any will likely perform perfectly well for the entire duration you use them for. But when considering a peripheral like this, it’s important to know the downsides that accompany them since for some they can be the sole physical point of contact with a PC while gaming. Nevertheless, for those who are still playing FromSoft games (or any games that started their lives as console exclusives) with keyboard and mouse, I’d very strongly recommend giving a controller a try.

The Xbox One/Series X and PS4 controllers are likely to last you the longest and have the most reliable wireless performance, but each make sacrifices regarding batteries to keep the base controller prices from ballooning up. The PowerA controllers are the least expensive reliable options in the A-list, but they do come with worse build quality and limited features as a result. 8bitdo’s options are in between those extremes, with a range of build qualities and features across their devices.

Any controller can suffer from any relevant issue, and your choice should ultimately take those traits into account. The point is, always select a gamepad (or any PC part, really) that factors in not just the features you want, but the negatives you’re most okay with as well!

Any thoughts, questions, or other comments? Any unmentioned PC controllers you feel should be added to our A- or B-list? Let us know!

❌
❌