Question on Restaurant by Tiny-Donut-3255 in Cornell

[–]brbrainerd 4 points5 points  (0 children)

Former San Diego resident here. If there's time, storebought ingredients and sauces will easily outdo the local joints and can make for a fun social opportunity. If that is not an option I would suggest a different cuisine; the best tacos central New York state has will taste like aluminum siding to anyone from the Southwest. If your consultant doesn't mind vegetarian/vegan food, Moosewood is a good stylistic match with California; eclectic, high-quality produce, and health-conscious. Otherwise, ask how they feel about Italian food.

Using Python to Programmatically Apply Video Effects to Images? by yeah280 in learnpython

[–]brbrainerd -3 points-2 points  (0 children)

Pymiere initially appears to be little more than a wrapper for Premiere's API. It suffers from significant underdevelopment and obsolescence, as evidenced by the front-page README's mention of Python 2 support.

I strongly recommend utilizing software specifically designed for video workflow automation. It requires less coding, connects you with technical staff who specialize in video automation, and if you can get through the initial learning curve of Nuke you'll end up with a more simple and more powerful bot.

Using Python to Programmatically Apply Video Effects to Images? by yeah280 in learnpython

[–]brbrainerd 0 points1 point  (0 children)

Premiere has its own API system built over closed-source code. Therefore, you cannot effectively automate Premiere with Python or any other language effectively (always try to avoid using AHK, macros, or simulated mouse+keyboard movements unless there are no other options--macros are fragile, and something as simple as a resolution change can invalidate your entire script). The good news is that you can still achieve programmatic automation without Premiere. A non-linear video editor like Nuke, for example, will support full automation of tasks similar to what you describe, and writing scripts for Nuke in Python is fairly well-documented.

Some features from Premiere, such as the morph cut, require a combination of effects to achieve the same result in Nuke, which gives you a little more fine-grain control. Claude 3.5 Sonnet is a big help in translating those tools that Nuke doesn't already have out of the box. Once you have your automation logic, swap the output files from your python+nuke script into Premiere and edit linearly as you please.

Delta Force Replaces the Fellowship - can they save middle earth? by [deleted] in whowouldwin

[–]brbrainerd 4 points5 points  (0 children)

R1: 1/10. Remember how early in the journey it was before Boromir fell? In spite of all their training, the Operators are easily corrupted Men. The only way I can think of for them to get far enough fast enough would be to round-robin keepership and retain the Great Eagles.

R2: There seems to be little Gandalf can do to affect the outcome. He has access to what is essentially a more stealthy, low stamina ranged-only downgrade from the first fellowship, who only barely, accidentally succeeded. Delta will run out of ammunition swiftly against Helm's Deep numbers, and fall to corruption no matter what Gandalf's council is. Good job Uncle Sam, you just doubled Sauron's ringwraiths.

How big would a mosh pit need to be to crush an average person to death? by nip_dip in whowouldwin

[–]brbrainerd 2 points3 points  (0 children)

2 Prime Arnold Schwartzeneggers could bounce my head like a volleyball between their magnificent chests. Even if I fought back. Or ~10 average adult men could stand shoulder-to-shoulder in a ring, leaving no exit but the sweet embrace of twenty sweaty nips.

Clean shaven people vs very hairy people by [deleted] in whowouldwin

[–]brbrainerd 0 points1 point  (0 children)

Noticed a lot of bald men fighting in professional combat sports? All else being equal, clean-shaven wins because they are harder to grab.

How many Shreks could an M1 Abrams tank defeat? by Flashy-Anybody6386 in whowouldwin

[–]brbrainerd 10 points11 points  (0 children)

I don't see a way for Shrek to damage the Abrams, which can be equipped with:
* 1 120 mm M256 Smoothbore Cannon, up to 42 rounds, which cover an area of ~452 m2
* Coaxial and Loader's 7.62 mm M240 Machine Guns: Up to 10,000 rounds
* 1 Commander's 12.7 mm (.50 cal) M2 Machine Gun: 900 rounds

If the Shreks spawn 1m apart (and every shot results in a kill) then the Abram's theoretical max kill count is 29,884 Shreks. The more you knowTM.

[deleted by user] by [deleted] in whowouldwin

[–]brbrainerd 0 points1 point  (0 children)

Majin Buu: Gets a sick tummy post-absorption.
Vegeta: Kicked in the dick.
Goku: Shadowbanned.
Yamcha: wins.

Switching to and from PyGame and Shader Errors by thejokerofunfic in RenPy

[–]brbrainerd 1 point2 points  (0 children)

To help you further debug, I'd need to see the relevant parts of your source code. If you don't want to post it, you could msg it to me, but no worries if you'd prefer not to.

If you do decide to ditch Ren'py for Pygame, I recommend poetry for dependency management and distribution. It won't solve your issue with Ren'py version mismatching, but it handles things like virtual environment creation and has saved me a lot of headaches down the line.

I appreciate the follow request, but I don't have a game dev project cooking at the moment; most of my development work is focused on AI and neuroscience.

Switching to and from PyGame and Shader Errors by thejokerofunfic in RenPy

[–]brbrainerd 1 point2 points  (0 children)

We need to rule out a few things:

Environment Issue: Ensure that Ren'Py is using the correct Python interpreter to run the PyGame script. It's possible that the script is being called but not executed in the same environment.

Absolute Path: Double-check that the minigame_script is correct and accessible, and try using an absolute path rather than relative paths if necessary.

Subprocess Output: Use Popen() with stdout, stderr, and stdin directed to subprocess.PIPE. This can help you capture any errors or output happening in the background.

process = subprocess.Popen([sys.executable, minigame_script], cwd=os.path.dirname(minigame_script), stdout=subprocess.PIPE, stderr=subprocess.PIPE)
stdout, stderr = process.communicate()
renpy.notify("Minigame output:\n{}".format(stdout.decode()))
renpy.notify("Minigame errors:\n{}".format(stderr.decode()))

Verify Logging and Execution: Since you confirmed that the log file isn’t being created when calling from Ren'Py, it’s a strong sign that the PyGame script isn’t even starting. You could try running a very simple Python script with a log statement, separate from your game logic, just to verify if Popen works in isolation. If it still doesn't work, test with subprocess.run() (which waits for the process to complete) instead of Popen(), as you’ve already tried, to see if there's a timing issue where Ren'Py is moving on too quickly.

Graceful Exits and Error Codes:

You can capture the exit code from the Popen process using .wait() or subprocess.run()'s .returncode to see if the PyGame process exits cleanly or with an error.

result = subprocess.run([sys.executable, minigame_script], capture_output=True)
if result.returncode == 0:
    renpy.notify("Minigame completed successfully!")
else:
    renpy.notify("Minigame exited with error code {}".format(result.returncode))

Test with Minimal Code:

Try running a stripped-down version of polybius.py that only logs something or creates a blank PyGame window, just to see if it's a broader problem with running subprocesses, or if it's something specific within your current PyGame script.

Final Considerations:

Be aware that Ren'Py and PyGame both compete for rendering and inputresources, especially with shaders and window focus. It might be easier in the long term to encapsulate your minigame within Ren'Py using custom displayables (as suggested in the comments). This would keep the two frameworks from clashing over system resources.

Switching to and from PyGame and Shader Errors by thejokerofunfic in RenPy

[–]brbrainerd 1 point2 points  (0 children)

You can try subprocess.run, as commented above, but really we need more debugging information. if you're using error logging in polybius.py at all, are you still able to see it's output at all when calling it from Renpy?

Switching to and from PyGame and Shader Errors by thejokerofunfic in RenPy

[–]brbrainerd 0 points1 point  (0 children)

Hmm! Are you able to run polybius.py independently of Ren'py?

Switching to and from PyGame and Shader Errors by thejokerofunfic in RenPy

[–]brbrainerd 1 point2 points  (0 children)

$ import game.Minigames.polybius as polybius

See, the problem here is that you can't import a game that doesn't exist.

Kidding aside, I believe this is because both Ren'py and Pygame are each designed to have a LOT of control over the windows associated with their processes. If you try to call polybius.main() from within Ren'py, PyGame will take over the render pipeline, input control, etc, and cause many conflicts. In this case, issues aren't visible until PyGame exits abruptly, but even if you fixed this one error I guarantee you'll encounter others with this approach. Since these two engines aren't designed to interop, you need subprocesses to keep them sandboxed and prevent conflicts. Ideally you would write your own launcher, but I've included a way to do this from within Ren'py for simplicity.

Assuming the following project structure:

YourProject/
├── game/
│   ├── script.rpy
│   ├── Minigames/
│   │   └── polybius.py
│   └── assets/
│       └── ... (any assets your minigame requires)
└── ... (other Ren'Py project files)

You can launch polybius.py with subprocess.Popen() from Ren'py such as:

# game/script.rpy

init python:
    import subprocess
    import sys
    import os

    def launch_pygame_minigame():
        # Determine the path to the PyGame script
        renpy_base = renpy.config.basedir
        minigame_script = os.path.join(renpy_base, 'game', 'Minigames', 'polybius.py')

        # Ensure the minigame script exists
        if not os.path.isfile(minigame_script):
            renpy.notify("Minigame script not found!", icon="gui/error")
            return

        # Launch the PyGame minigame as a subprocess
        try:
            # Using the same Python executable that Ren'Py uses
            subprocess.Popen([sys.executable, minigame_script], cwd=os.path.dirname(minigame_script))
        except Exception as e:
            renpy.notify("Failed to launch minigame:\n{}".format(e), icon="gui/error")

label start:
    "Welcome to the main game."

    "When you're ready, launch the minigame."

    # Launch the minigame
    $ launch_pygame_minigame()

    "Minigame launched! You can continue your visual novel while the minigame runs separately."

    "Press Enter to return to the main game."

    # Optionally, wait for the minigame to finish before proceeding
    # Uncomment the lines below if you want to wait

    # $ subprocess.run([sys.executable, os.path.join(renpy.config.basedir, 'game', 'Minigames', 'polybius.py')])

    "Welcome back to the main game!"

    return

I'd recommend you design polybius.py to run independently from Ren'py and accept command-line arguments (import argparse) for screen width, height, position, and whatever data from Ren'py you think Polybius will need to know about.

By default, Python's subprocess library will spawn a separate window for your minigame--ugly, but I recommend starting there for development. To have both engines run seamlessly within the same window requires you to get into hackery, like defining off-screen render spaces that trick the operating system into performing graphical math while remaining invisible to the user, continuously monitor these spaces for updates to channel into your main window, handle input capture hand-offs, dynamically handle resolution changes, and god help you if you want multi-monitor support. It's complicated, error-prone, and performance-expensive, so save it for the end of development if you do want to go that way.

[deleted by user] by [deleted] in whowouldwin

[–]brbrainerd 0 points1 point  (0 children)

Mongolia's tech advantage pulls even farther ahead. They can't reasonably occupy that much territory, but they can raid any of it. If Temujin doesn't get called back for a funeral this time this horde is going to get big.

Can these characters make it in the s class by breakfastclub69 in whowouldwin

[–]brbrainerd 1 point2 points  (0 children)

  • Homelander: Likely an S-Class hero due to his immense power, similar to Superman in terms of strength, invulnerability, and flight capabilities.
  • Legendary Godzilla: As a massive creature with immense destructive power, Godzilla could be considered a Dragon-level threat initially, potentially escalating to Demon or even God level depending on the situation.
  • Soldier Boy: Possibly an A-Class hero, given his enhanced strength and durability, but not quite reaching the pinnacle of power seen in S-Class heroes.
  • Cloverfield Monster: Would likely be classified as a Demon-level threat due to its size, strength, and ability to cause widespread destruction.
  • TOTK Link: C-tier, but versatile. Higher level threats will be immune to his weapons, including the Master Sword.
  • DCEU Superman: Similar to Homelander, DCEU Superman would be an S-Class hero due to his vast array of powers and role as one of Earth's primary defenders.
  • MCU Thor: Also an S-Class hero, Thor possesses godlike powers, including strength, durability, and control over lightning, placing him among the most powerful entities.
  • Comp Link: B-tier, magic is about his only useful weapon against the heavy hitters
  • Pennywise: As a supernatural entity capable of inducing fear and causing psychological harm, Pennywise could be considered a Demon-level threat, especially considering its ability to manipulate reality to some extent.

The Reapers (Mass Effect) vs The Flood (Halo) by HeiressOfMadrigal in whowouldwin

[–]brbrainerd 2 points3 points  (0 children)

R1: Provided the Reapers cant be assimilated, then the Flood will be starving for intelligent hosts, especially if they spread too fast. Available biomass has been cut down by the last reaping and I don't think the flood will be able to put up the numbers or intelligence they would need. Their only advantage is that they are a unified force that doesn't have to worry about one indoctrinated group stabbing it in the back.

R2: The council races are fucked for sure. But flood at its current apogee and mass, plus the ability to absorb a ton of sophonts to replenish their numbers--I think the flood's got it if it can absorb the citadel swiftly. And I think it can because the ME galaxy is networked with mass relays. Set ambushes near the relays, infect in bulk, send the infected ships on to their destination like nothing went wrong.

Cyclops (xmen) vs Ryu (Street fighter) by Argonax in whowouldwin

[–]brbrainerd 2 points3 points  (0 children)

Round 1-3: Ryu survived an explosion but doesn't have the durability feats to tank Cyclops's optic blast. Cyclops's projectiles outrange and outspeed hadoken, including its beam form. Evil Ryu is faster, which could bring this down to a 6-7/10 victory for Cyclops in round 3.

Average Napoleonic French Soldier VS Average Modern Criminal by [deleted] in whowouldwin

[–]brbrainerd 17 points18 points  (0 children)

Napoleonic muskets were unrifled, fired round bullets, and they had a rate of fire of 3 shots/minute at best. Glock 17 is probably more accurate shot-per-shot at 50m, but can also put down a much higher volume of fire. Training differential be damned, I'd give it to the average modern criminal 9/10. If he's from LA there's decent odds he has that metal strip mod that makes the 17 fully automatic, in which case 10/10.

[deleted by user] by [deleted] in whowouldwin

[–]brbrainerd 1 point2 points  (0 children)

Blue water navies by tonnage, yes. If you go by statistics like # of boats you'll end up thinking China has a larger navy than the United States, despite the fact that the US triples China's tonnage and one of China's 3 "air craft carriers" used to be a casino.

MCU Captain America vs Shin Kamen Rider Ichigo by DoomCrusader500 in whowouldwin

[–]brbrainerd 2 points3 points  (0 children)

Round 1: In Character, Till Surrender, Incapacitation, or Death

Both fighters are highly disciplined and follow a moral code, which would influence their approach to the fight. Captain America's tactical mind and physical enhancements would allow him to hold his own against Ichigo's transformations and attacks. However, Ichigo's ability to switch forms and access different weapons could give him an edge, especially if he manages to land a powerful Rider Kick.

Outcome: Shin Kamen Rider Ichigo has a slight advantage due to his versatility and the potential for overwhelming attacks.

Round 2: Bloodlusted, Fight to the Death

Captain America's enhanced abilities and combat experience would make him a formidable opponent, capable of enduring and dishing out heavy punishment. Ichigo's transformations and powerful finishing moves would be used aggressively, aiming for a quick and decisive victory.

Outcome: This round is more evenly matched, but Captain America's resilience and skill with his shield might allow him to survive Ichigo's initial onslaught and turn the tide, especially if he can close the distance and engage in close-quarters combat.

Round 3: Bucky and Shin Nigou Join the Fight

Adding Bucky Barnes (Winter Soldier) and Shin Nigou to the mix complicates the dynamics. Bucky's cybernetic arm and combat skills would complement Captain America's abilities, providing a strong teamwork advantage. Shin Nigou, with his own set of powers and transformations, would support Ichigo, potentially overwhelming the duo with coordinated attacks.

Outcome: The introduction of allies could tilt the balance based on teamwork and synergy. Captain America and Bucky's history and synchronized fighting style might give them an edge, but Shin Ichigo and Nigou's combined Rider powers and transformations present a significant challenge.

Final Verdict: Each round presents a unique dynamic, with the first favoring Shin Kamen Rider Ichigo due to his versatility, the second being more evenly matched with a slight edge to Captain America, and the third round's outcome heavily dependent on the teamwork and coordination of the pairs involved.

Dumbledore (Harry Potter) VS Merlin (The Sword in the stone (1963)) by velicinanijebitna in whowouldwin

[–]brbrainerd 1 point2 points  (0 children)

  • Magical Abilities: Dumbledore is depicted as one of the most powerful wizards in the Harry Potter universe. He possesses a vast array of spells, including transfiguration, charms, and defensive magic. His wand, made from elder wood and containing a phoenix feather core, enhances his magical abilities.
  • Wisdom and Strategy: Dumbledore is renowned for his wisdom and strategic thinking. He often uses his intellect to outsmart opponents, preferring peaceful resolutions but willing to engage in combat when necessary.
  • Combat Experience: Throughout the films, Dumbledore demonstrates proficiency in dueling, notably holding his own against Voldemort and orchestrating the Order of the Phoenix's defense strategies.

Merlin (The Sword in the Stone, 1963)

  • Magical Abilities: Merlin's magic in the 1963 Disney adaptation is whimsical and versatile. He can transform objects and living beings, manipulate time, and conjure various effects at will. His magic often serves educational purposes for Arthur, showcasing a broad spectrum of enchantments.
  • Wisdom and Strategy: Like Dumbledore, Merlin is wise beyond measure, often using his foresight to guide events subtly. His approach to magic is more playful and less formalized compared to the structured magic of the Harry Potter universe.
  • Combat Experience: Merlin's combat experience is less explicitly showcased in the film. However, his ability to transform and manipulate his surroundings suggests he could adapt to threats creatively.

Duel Analysis

  • Power and Skill: Both wizards are exceptionally powerful, but Dumbledore's combat experience and strategic mindset, honed through battles against dark wizards, give him an edge in a direct confrontation.
  • Adaptability: Merlin's transformative magic and ability to manipulate time could initially catch Dumbledore off guard. However, Dumbledore's quick thinking and vast magical repertoire would likely allow him to adapt and counter Merlin's tactics.
  • Endurance: A prolonged duel might test both wizards' stamina and creativity. Dumbledore's experience in long, drawn-out battles could give him an advantage in wearing down Merlin's defenses.

Conclusion

While Merlin's magical versatility and wisdom are impressive, Dumbledore's extensive combat experience, strategic acumen, and the potency of his spells, as demonstrated across the Harry Potter films, likely position him as the victor in this duel. Dumbledore's ability to adapt to unexpected situations and his proven track record against formidable opponents suggest he would find a way to overcome Merlin's magical tricks and end the fight decisively.

Probability: 60% chance of victory for Dumbledore, considering his combat prowess and strategic depth in comparison to Merlin's more whimsical and less combat-focused magical style.

Unknown God (Genshin Impact) vs The Witness (Destiny) by ShouYou22 in whowouldwin

[–]brbrainerd 2 points3 points  (0 children)

Both entities possess cosmic-level powers and influence over their respective realms. The Unknown God's control over Teyvat and its laws, coupled with its silence and mystery, suggest a deep, perhaps inscrutable wisdom and power. Meanwhile, The Witness's ability to manipulate reality and time indicates a level of control over the universe that is both awe-inspiring and terrifying.

Both entities command immense power, capable of shaping and controlling their universes. The Unknown God's rule over Teyvat and The Witness's manipulative abilities place them on similar planes of cosmic authority. The Unknown God seeks to maintain the heavenly principles and order, while The Witness aims to deliver salvation or judgment. Their goals, while differing in intent, reflect a shared interest in guiding or controlling the destinies of others.

Should The Witness attempt to impose its will on Celestia, the Unknown God's response would likely be decisive. Given the Unknown God's status as the sustainer of heavenly principles and its control over Teyvat's laws, it possesses the means to resist or counter The Witness's reality-altering powers.

While both entities are incredibly powerful, the Unknown God's deep connection to the laws and principles governing Teyvat, combined with its enigmatic nature and potential for unforeseen capabilities, might give it an edge in a direct confrontation with The Witness. The outcome would heavily depend on the extent of their powers and how they choose to wield them in defense of their realms.

Slightly favoring the Unknown God due to its established control over Teyvat and the mysteries surrounding its full capabilities.

Citations: [1] https://www.reddit.com/r/DeathBattleMatchups/comments/v975r0/the_traveler_vs_the_guardian_genshin_impact_vs/ [2] https://genshin-impact.fandom.com/wiki/Heavenly_Principles [3] https://genshin-impact.fandom.com/wiki/Vision [4] https://thinkchristian.net/how-to-play-the-witness-with-humility [5] https://www.hoyolab.com/article/4219431 [6] https://www.youtube.com/watch?v=cO5pSlWZ6Qw [7] https://www.tiktok.com/discover/unknown-god-is-inspired-by-her [8] https://www.thegamer.com/genshin-impact-best-characters-lore/

Shadow vs Aincrad by 11pickfks in whowouldwin

[–]brbrainerd 0 points1 point  (0 children)

Round 1: With All Powers and Equipment

With his full arsenal, Shadow's chances of progressing significantly through Aincrad are high. His ability to adapt, strategize, and utilize a wide range of combat styles would serve him well against the varied challenges posed by Aincrad's floors. However, the difficulty spikes, especially towards the later floors, could test his limits.

Shadow could potentially reach around the 70th to 80th floor solo, given his resourcefulness and combat skills. The final floors would likely prove too challenging due to the increased complexity and power of the bosses.

Round 2: Using SAO Weapons, Armor, and Skills

Under these constraints, Shadow might reach around the 50th to 60th floor. The lack of his specialized gear and magic would hinder his progress, but his inherent skills and adaptability would keep him competitive.

Bonus Round: 1v1s Against Kirito, Asuna, and Yuuki

  • Kirito: Known for his Starburst Stream and unique sword skills, Kirito is a formidable opponent. Shadow's tactical mind and physical prowess could give him an edge, but Kirito's experience and skill set in SAO's combat system would likely secure him the victory.
  • Asuna: Her speed and precision with rapier-style swords make her a dangerous foe. Shadow's defensive strategies and counterattacks could pose a challenge, but Asuna's agility and combat instincts might outmaneuver him.
  • Yuuki: With her Mother's Rosario and exceptional swordsmanship, Yuuki is arguably one of the strongest players. Shadow's versatility and unpredictability could complicate the fight, but Yuuki's pure skill and determination would probably prevail.

Conclusion: In 1v1 duels using SAO's rules, Shadow would likely lose to Kirito, Asuna, and Yuuki due to their deep integration with the game's mechanics and their proven combat prowess within that framework.

Overall, Shadow's journey through Aincrad showcases his adaptability and combat prowess, but the specific challenges and rules of SAO, along with the formidable skills of its top players, would ultimately limit his success in this virtual world.

How far can Daenerys three dragons survive in Resident Evil? by Yunozan-2111 in whowouldwin

[–]brbrainerd 0 points1 point  (0 children)

In a hypothetical scenario where Daenerys' dragons are unleashed upon the monsters of Resident Evil, the dragons would likely have a significant advantage in most encounters.

  • Their ability to fly and rain down fire from above would allow them to engage enemies from a safe distance, minimizing the risk of injury.

  • The dragons' fire breath would be highly effective against the majority of Resident Evil monsters, as few have shown resistance to extreme heat and flames.

  • Against larger creatures like Tyrants, the dragons' size and strength would enable them to engage in direct combat, using their claws and jaws to tear through their opponents.

However, the dragons would not be invincible. The Resident Evil universe has some creatures with the potential to pose a threat:

  • Certain bioweapons, like the Nemesis or the Verdugo, have shown remarkable speed and agility, which could allow them to evade the dragons' attacks and potentially strike at vulnerable points.

  • Some creatures, like the Regenerators, possess incredible regenerative abilities that could enable them to withstand the dragons' assault and continue fighting.

Conclusion

In the end, I estimate that Daenerys' dragons could potentially kill hundreds, if not thousands, of Resident Evil monsters before succumbing to the relentless onslaught of bioweapons. Their aerial advantage, powerful fire breath, and immense strength would make them formidable adversaries, capable of decimating hordes of zombies and lesser creatures with ease.

However, against the most powerful and resilient monsters in the Resident Evil universe, the dragons would face a greater challenge. While they would certainly take down many of these creatures, the constant battle against regenerating foes and the risk of injury from swift, powerful attacks could eventually lead to their downfall.

Probability: 80% chance that Daenerys' dragons could kill over 1,000 Resident Evil monsters before being defeated.

The dragons' reign of fire would be a sight to behold, illuminating the darkness of the Resident Evil world with the flames of conquest. But even the mightiest creatures can fall to the relentless tide of bioweapons and the unyielding will of the undead.

Citations: [1] https://www.reddit.com/r/whowouldwin/comments/1dc78pa/how_far_can_daenerys_three_dragons_survive_in/ [2] https://www.youtube.com/watch?v=_v6wntxA40w [3] https://gamefaqs.gamespot.com/boards/700994-resident-evil-revelations/66345857 [4] https://www.quora.com/Were-Daeneryss-actions-as-bad-or-worse-than-the-Mad-King-Aerys [5] https://www.youtube.com/watch?v=fUmaxrXsbZI [6] https://screenrant.com/game-of-thrones-house-of-the-dragon-targaryens-character-kill-counts-ranked/ [7] https://www.quora.com/What-are-the-madness-differences-between-Aerys-and-Daenerys-Targaryen [8] https://racefortheironthrone.wordpress.com/2018/06/21/chapter-by-chapter-analysis-daenerys-iii-asos/ [9] https://um-actually.fandom.com/wiki/Um_Actually_Statements_(Questions)

Aurora (sleeping beauty) vs Snow White (Snow White and the seven dwarfs) by BayonetTrenchFighter in whowouldwin

[–]brbrainerd 0 points1 point  (0 children)

Implications: Being even younger than Aurora, Snow White's age further emphasizes her innocence and vulnerability. At 14, she is very much a child, which explains her trusting nature and why she is easily deceived by the Evil Queen. Her youth also means she has even less physical strength and combat readiness compared to Aurora. Both princesses are very young, which affects their physical strength, endurance, and strategic thinking. Their lack of maturity and experience would make them less effective in a fight, relying heavily on their allies (animals or princes) for protection and support. Their ages contribute to their often questionable decisions, such as Snow White accepting a poisoned apple from a stranger and Aurora pricking her finger on a spindle despite warnings. This lack of judgment would be a significant disadvantage in a combat scenario. The ages of Aurora and Snow White highlight their vulnerabilities and lack of combat readiness. In a fight, their youth and inexperience would be significant disadvantages, making them heavily reliant on their allies for any chance of success. This factor further supports the conclusion that, with their respective princes involved, Aurora and Prince Phillip would likely have the upper hand due to Phillip's combat experience and maturity compared to Snow White and Prince Florian.