Congrats gif
Gifs for the spirit
2016.12.08 18:18 Gifs for the spirit
Quality gifs that make the viewer feel good.
2016.07.01 04:02 Mega-Starpuncher Team Twister!
loseit's 2016 Summer Challenge - Team Twister **Status: Week 10**
2013.09.25 21:21 ManWithoutModem High Quality Gifs
They ain't yo mama's gifs
2023.06.05 00:41 NAS_Hus20 Platformer game keeps crashing
In the provided code, the game crashes when the "next level" button on the "next level screen" is clicked, and the game fails to progress to the next level. The code seems to have issues with its implementation of level progression and handling user input. After completing a level, the
play_level()
function is called, and depending on the result, either the "win" or "next_level" screen should be displayed. However, it appears that the logic to transition to the next level is not functioning correctly. Please help me!
Here is my code:
import pygame from pygame.locals import * pygame.init() win = pygame.display.set_mode((800, 600)) Color = pygame.Color(102, 255, 178) font = pygame.font.Font(None, 36) pygame.display.set_caption("Platformzz") score = 0 level = 1 required_score = 0 character_image_right = pygame.image.load("marioRight.png") character_image_right = pygame.transform.scale(character_image_right, (50, 50)) character_rect = character_image_right.get_rect() character_rect.topleft = (350, 550) def clamp(num, min_value, max_value): return max(min(num, max_value), min_value) class Platform: def __init__(self, x, y, width, height, color): self.rect = pygame.Rect(x, y, width, height) self.color = color def draw(self, surface): pygame.draw.rect(surface, self.color, self.rect) def show_intro_screen(): intro_text = font.render("Welcome to the Platformer Game!", True, (255, 255, 255)) instructions_text = font.render("Use arrow keys to move and spacebar to jump.", True, (255, 255, 255)) intro_button_text = font.render("Start Game", True, (255, 255, 255)) intro_button_rect = pygame.Rect(335, 500, 150, 50) while True: for event in pygame.event.get(): if event.type == pygame.QUIT: pygame.quit() return elif event.type == pygame.MOUSEBUTTONDOWN and event.button == 1: if intro_button_rect.collidepoint(event.pos): return "game" break win.fill(Color) win.blit(intro_text, (200, 200)) win.blit(instructions_text, (150, 250)) pygame.draw.rect(win, (255, 0, 0), intro_button_rect) win.blit(intro_button_text, (345, 515)) pygame.display.flip() def show_win_screen(): global score win_text = font.render(f"Congratulations! You Win! Score: {score}", True, (255 ,255 ,255)) win_button_text = font.render("Replay Game", True, (255, 255, 255)) win_button_rect = pygame.Rect(320, 500, 175, 50) while True: for event in pygame.event.get(): if event.type == pygame.QUIT: pygame.quit() return elif event.type == pygame.MOUSEBUTTONDOWN and event.button == 1: if win_button_rect.collidepoint(event.pos): return "intro" break win.fill(Color) win.blit(win_text, (180, 200)) pygame.draw.rect(win, (255, 0, 0), win_button_rect) win.blit(win_button_text, (330, 515)) pygame.display.flip() def show_game_over_screen(): game_over_text = font.render(f"Game Over! Score: {score}", True, (255, 255, 255)) game_over_button_text = font.render("Replay Level", True, (255, 255, 255)) game_over_button_rect = pygame.Rect(350, 500, 150, 50) while True: for event in pygame.event.get(): if event.type == pygame.QUIT: pygame.quit() return elif event.type == pygame.MOUSEBUTTONDOWN and event.button == 1: if game_over_button_rect.collidepoint(event.pos): return "level" break win.fill(Color) win.blit(game_over_text, (280, 200)) pygame.draw.rect(win, (255, 0, 0), game_over_button_rect) win.blit(game_over_button_text, (360, 515)) pygame.display.flip() def show_next_level_screen(): global score next_level_text = font.render(f"Congrats! You can move on to the next level! Score: {score}", True, (255, 255, 255)) next_level_button_text = font.render("Next Level", True, (255, 255, 255)) next_level_button_rect = pygame.Rect(350, 500, 150, 50) while True: for event in pygame.event.get(): if event.type == pygame.QUIT: pygame.quit() return elif event.type == pygame.MOUSEBUTTONDOWN and event.button == 1: if next_level_button_rect.collidepoint(event.pos): return "next_level" break win.fill(Color) win.blit(next_level_text, (280, 200)) pygame.draw.rect(win, (255, 0, 0), next_level_button_rect) win.blit(next_level_button_text, (360, 515)) pygame.display.flip() pass def initialize_level(): global level, required_score platforms = [] if level == 1: platform1 = Platform(200, 400, 100, 20, (0, 255, 0)) platform2 = Platform(300, 200, 100, 20, (0, 255, 0)) platform3 = Platform(100, 100, 100, 20, (0, 255, 0)) platform4 = Platform(400, 400, 100, 20, (0, 255, 0)) platform5 = Platform(600, 500, 100, 20, (0, 255, 0)) platform6 = Platform(600, 750, 100, 20, (0, 255, 0)) platforms = [platform1, platform2, platform3, platform4, platform5, platform6] required_score = 560 elif level == 2: platform1 = Platform(400, 400, 100, 20, (0, 255, 0)) platform2 = Platform(600, 500, 100, 20, (0, 255, 0)) platforms = [platform1, platform2] required_score = 400 elif level == 3: platform1 = Platform(600, 750, 100, 20, (0, 255, 0)) platforms = [platform1] required_score = 500 return platforms, required_score def play_level(): global score, character_rect, level, required_score character_image_left = pygame.image.load("marioLeft.png") character_running_image = pygame.image.load("marioRunning.gif") character_speed = 1 gravity = 1 jump_force = 20 is_jumping = False velocity = jump_force platforms, required_score = initialize_level() while True: for event in pygame.event.get(): if event.type == pygame.QUIT: pygame.quit() return elif score >= required_score: if level == 3: return "win" else: return "next_level" keys = pygame.key.get_pressed() if keys[pygame.K_LEFT]: character_image = character_running_image character_image = pygame.transform.flip(character_image, True, False) character_image = pygame.transform.scale(character_image, (50, 50)) character_rect.x -= character_speed elif keys[pygame.K_RIGHT]: character_image = character_running_image character_image = pygame.transform.flip(character_image, False, False) character_image = pygame.transform.scale(character_image, (50, 50)) character_rect.x += character_speed elif keys[pygame.K_SPACE]: is_jumping = True else: character_image = character_image_right if is_jumping: pygame.time.delay(30) character_rect.y -= velocity velocity -= gravity if keys[pygame.K_LEFT]: character_rect.x -= character_speed + 10 elif keys[pygame.K_RIGHT]: character_rect.x += character_speed + 10 if velocity < -jump_force: is_jumping = False velocity = jump_force on_ground = False for platform in platforms: if character_rect.colliderect(platform.rect): if velocity >= 0: character_rect.y = platform.rect.y - character_rect.height is_jumping = False velocity = jump_force on_ground = True else: character_rect.y += velocity if on_ground == False: character_rect.y += gravity if character_rect.y < 200: for platform in platforms: platform.rect.y += gravity character_rect.x = clamp(character_rect.x, 0, win.get_width() - character_rect.width) character_rect.y = clamp(character_rect.y, 0, win.get_height() - character_rect.height) win.fill(Color) win.blit(character_image, character_rect) for platform in platforms: platform.draw(win) score = max(score, 600 - character_rect.y) score_text = font.render(f"Score: {score}", True, (255, 255, 255)) win.blit(score_text, (10, 10)) pygame.display.flip() current_screen = "intro" game_running = True while game_running: if current_screen == "intro": current_screen = show_intro_screen() elif current_screen == "game": result = play_level() if result == "win": current_screen = show_win_screen() elif result == "next_level": level += 1 current_screen = show_next_level_screen() else: current_screen = show_game_over_screen() pygame.quit()
submitted by
NAS_Hus20 to
pygame [link] [comments]
2023.06.01 23:45 vextext Rock and Stone!
2023.06.01 19:07 XPineappleOnPizza I created kong rats
2023.06.01 01:52 Share4aCare Outjerked by r/coys
2023.05.28 15:11 healthyscalpsforall Please Welcome Our New Mods! + WJ Watch for Queendom Puzzle
| Hello everyone, You might have noticed it already, but we wanted to make it official. u/danlim93 and u/jiyannareeka have joined our mod team! They'll be working alongside u/Michyoungie and myself to keeping this sub updated and posting new content. Congrats and thank you for joining! https://i.redd.it/1a5k6fekzl2b1.gif In other news, we will also be doing a WJ Watch for Queendom Puzzle! Just like we have done for Joseon Lawyer and My 20th Twenty, we will have a discussion thread for every episode of the show. Of course, there's always the other subs, and Twitter and YouTube and MnetQueendom, but as we all know, survival show discussions can get rather... Recreation of Queendom 2 discourse So you can always stay in our sub if you want to avoid the inevitable fanwars, we will do our best to keep this place as drama-free as possible! So, once again welcome to our new mods, and I look forward to Queendom Puzzle with you guys! submitted by healthyscalpsforall to cosmicgirls [link] [comments] |
2023.05.25 20:00 DTG_Bot This Week at Bungie - 05/25/2023
Source:
https://www.bungie.net/7/en/News/Article/twab-may-25-2023 This week at Bungie, we’re expanding that IP family a little more, getting our PlayStation on with some fun new crossovers coming to Destiny 2, and living out our aquanaut fantasies.
What a week, am I right? Bungie’s second PlayStation showcase since we joined the PS fam, and we couldn’t be more excited to share just a smidge of what the teams here have been working on behind the scenes. The future is bright, but for right now? We deep dive for Sloane whilst wearing our finest PlayStation-inspired digs. But before we delve into the delectable secrets of another TWAB, here’s a quick look back at what we talked about last week:
- Final Season 21 prep.
- An in-depth preview of the Seasonal Artifact.
- A first look at the three new Strand Aspects. (Live now!)
- An update to how enemy shields appear.
- The final standings of the Guardian Games Cup.
- We have the newly announced [email protected] Inclusion Club.
- The new Twitch Bounty emblem.
For this week, here’s what we’ve got coming down the pipeline:
- It’s not a sprint, it’s a Marathon.
- Sony and Bungie team up for some PlayStation crossover goodness.
- Another cosplay challenge is on the horizon.
- Farewell Guardian Games, see you next year!
- A look at the Season 21 opening cutscene.
- Save the Date: Season 21 edition.
- Guardian Ranks reminder.
- Don’t let those Aquanaut dreams be dreams.
- A message from the Archives.
- This week’s Player Support Report.
- Community picks for Art of the Week and Movie of the Week.
All good? Perfect, let’s get into it.
On Your Mark, Get Set, Go!
We’ve had a huge week at Bungie, and we’re excited to be sharing more. Yesterday, one of the reveals at the PlayStation Showcase event was that of Cayde-6's return to the Destiny franchise in The Final Shape. We also dropped another knowledge bomb that players have been excited for; and that’s that Nathan Fillion will be reprising his role as Cayde-6 in the Destiny Universe.
Video Link
So, get that ramen ready and mark your calendars for August 22, because that’s the date of our annual Destiny 2 Showcase. There, we will be revealing even more details on the year of The Final Shape.
It's Not a Sprint...
Destiny news wasn’t the only news we shared. It’s time to go back to our roots. That’s right, it’s time to get ready for a Marathon! In case you missed the announcement during the most recent PlayStation State of Play showcase earlier this week, Marathon is a sci-fi PVP extraction shooter where players will embody cybernetic mercenaries known as Runners. Exploring a lost colony on the mysterious planet of Tau Ceti IV, Runners – working solo or as part of three-person crews – will fight for survival, riches, and for fame.
How about a fancy announcement trailer and a new Vidoc? Roll the clip:
Video Link
We’re excited about the future and are excited to share more Marathon news with you, but as mentioned in the Vidoc we are going to be going heads down on this game for a while as we work to get it ready for prime time.
This will be the last time you hear any Marathon-specific news in the TWAB. We are going to be creating clear communication lanes going forward and you can find Marathon news on the following channels:
HaVe you ever thought to yourself, “Self, I’m pretty darn amazing, but I’d be even cooler if I could be Aloy”? If the answer is yes, you’re not alone! We’re here to tell you to not let those dreams be dreams, because now you can get your Aloy, Kratos, and Jin on in the world of Destiny 2 with the spiffy new PlayStation collaboration gear just announced!
Hunters? Boom. Titans? Straight fire. Warlocks? Yes, please! But don’t take our word for it, feast those fandom eyes on these beauties:
Image Link
So, what eXactly is available, you may be asking? Fair questioN, especially if you haven’t checked out the new PlayStation Blog post right here, this is what you need to know about what we’Ve got up for grabs, available separately and in 3 bundles:
For geared-up badassery, these armor ornamenT bundles are for you:
- Anointed Hunter for Hunters
- Godsbane for Titans
- Ancestral for Warlocks
For killer finisher moves, check out the Endless RoaMer bundle:
- From NowheRe
- Whirling Chaos
- Perfect Strike
Image Link
Image Link
Image Link
And you can’t forget about the CordycePs bundle:
- Clicker Ghost
- Blooming Terror Ship
- Quarantine Runner Ship
All of this, plus a swanky Gadgeteer Emote to harness your inner Ratchet (or your inner Clank, we’re not choosy), which you can also get in the Eververse store.
Image Link
And don’t worry, these items are not platform-exclusive. Get your Kratos on.
Dope, right? Before diving into what’s next (hint, it has to do with cosplay), we’re going to go ahead and give you a second to collect yourselves. We can hear you yelling “boy!” from here.
Cosplay, Cosplay Never Changes
You know we love ourselves a good time when it comes to a cosplay contest. Let’s be real, when dealing with epic characters like Aloy, Kratos, and Jin, how could we not challenge our incredible community to harness their creativity? So, let’s get silly and have some cosplay fun, shall we?
We did this last year for Bungie Day and the submissions were nothing short of pure serotonin. That’s why we’re excited to see what y’all come up with this challenge. Take your best shot at recreating some of the new armor looks in Destiny 2 repping that PlayStation love, but with a twist. You can’t go buy anything, just pull whatever it is that you have at your disposal and go wild. The impressive, the weird, and the, “How did you even come up with that!?” — we want it all!
We’ll be featuring submissions from now until the end of June, so you have plenty of time to get those creative juices flowing. If your submission is chosen (or retweeted from the official @DestinytheGame Twitter account), then you’ll not only get rad bragging rights, but the highly coveted Art of the Week emblem too. And the knowledge that when you go to sleep at night, you’re nothing short of a legend, but we digress. Anyway, shoot us your cosplay, hit us with the #Destiny2Cosplay hashtag so we can make sure to see those totally cooked homages, and just have fun with it. Can’t wait to see them!
So Long, Guardian Games '23, And Thanks For All the Titan Ws
Another Guardian Games and Guardian Games Cup has come and gone. Many of you swapped classes to prioritize this year’s games with your best Titan garb to do our Commander proud. Hunters, Titans, and Warlocks all gave it their best but there could only be one winner. Congrats Titans on pulling a flawless victory, always knew you had it in ya. This one’s for you, Lance.
In partnership with the Bungie Foundation for the second year in a row, Guardian Games Cup saw teams from around the globe raising almost $150,000 for Direct Relief and the International Rescue Committee. The top four teams in the Charitable and Technical categories will receive prizes for their accomplishments. Thank you to all of the Guardians who participated!
Charitable category
- DEVELOPERS DEVELOPERS DEVELOPERS
- Lost City Guardians
- Destiny 2 Japan Creator
- Metagalactic Boomers
Technical category
- Popcorn
- Ursidae
- Prayer
- Lighthouse Community Team ##It's Time to Taken Sloane Home (After This Season's Opening Cutscene, Of Course)
You know, this is one of those “don’t ruin this moment with words” times, so let’s just get right into the opening cutscene for Season of the Deep (if you haven't seen it yet and don't want to be spoiled, please skip the below video):
Video Link
Sloane is back, but that doesn’t mean that the fight stops. Now that we’ve teamed up with Zavala to bring her back home, it’s time to jump into yet another precarious life-or-death situation. And it all began with a simple distress call... '
Save the Dave and Dive Deep into What's Happening in Season 21
Whether you’re only sticking around in this section for a new dungeon date reminder—which, valid—or itching to start planning for that Grandmasters crawl (like a pub crawl but rated T for Teen), here are a few dates you should keep in mind for the new Season:
- New dungeon hype, new dungeon hype, new dungeon hype!
- The new dungeon, Ghosts of the Deep, arrives tomorrow!
- Season 21 Trials of Osiris also goes live tomorrow.
- Learn more about Trials rewards here.
- First Iron Banner of the Season starts next week on May 30.
- Grandmasters start early on June 13.
- Solstice brings its sunny celebration on July 18.
Guardian Ranks Reminder, Don't Panic
Now that we’re fully immersed in a brand-new Season and investigating previously unexplored areas on Titan, just a friendly reminder for those interested in their Guardian Rank progression and how that evolves from season to season.
Players who have already completed the objectives required to reach Rank 5 will start each new season at Guardian Rank 5. Other things to keep in mind:
- Only Seasonal Guardian Rank objectives (the ones in blue text) are reset.
- Get those comfy sweatpants ready, fellow fans of cozy, it’s time to game.
- Guardians display the previous Season’s rank for the entire following season, so you will still have that badge of accomplishment.
We’ve also taken a good look at feedback regarding Guardian Ranks, the objectives tied to them, and have made additional adjustments to make them feel more enjoyable and in-line with your goals.
Don't Let Those Aquanaut Dreams be Dreams
It wouldn’t be a new Season without a new shiny title to earn and pin to snag! Take on the dangers of Titan for a chance to earn the new Aquanaut title. And don’t stop there, no... Commemorate your accomplishments with a shiny medallion that actually is like a little gift to yourself. I’m not sure about you all, but the little narrative anecdotes in each one makes me feel all warm and fuzzy.
Image Link
Get your own warm and fuzzies by earning the Aquanaut title before August 22, 2023, to unlock this Bungie Rewards offer through the Bungie Store. Happy diving!
A Message from the Archives
Remember that dope playlist we shared earlier this year highlighting cutscenes from seasons past? The ever-evolving list has just evolved once more with three newly added videos of glorious narrative goodness. If you’re interested in scoping it out, you can find Season 13 (Chosen), Season 14 (Splicer), and Season 20 (Defiance) added to this snazzy playlist right here.
Video Link
Player Support Report
OMB Sloane hiiii!!!!
Image Link
Another week, another Player Support report, this time diving into the first week of Season of the Deep. On the land side of things, here is the latest update on known issues.
Known Issues List Help Forums Bungie Help Twitter
EMBLEM OWNERSHIP UPDATE
Starting with the launch of Season of the Deep, emblem ownership values were updated. For security purposes, players who have emblems on their account that do not appear in their Collections ( Collections > Flair > Emblems > General) will no longer be able to equip these emblems, and players will no longer be able to see these emblems if they are still equipped. Those who are affected by this change will need to reacquire these emblems through proper means by unlocking them in their Bungie.net profiles or on their platform if they wish to continue using them.
Players who have emblems unlocked on their Bungie.net accounts and platforms are unaffected by this change.
NEW STRAND ASPECTS
With the launch of Season of the Deep, new Strand fragments have become available to unlock. Players who complete the Unfinished Business Exotic quest can now speak to Nimbus to acquire a quest to earn new Strand aspects and learn more about the Veil.
DUNGEON LAUNCH
The latest dungeon launches at 10 AM, May 26. To access the dungeon, players will need to own the Lightfall Dungeon Key and acquire the associated quest from Hawthorne prior to launching into the dungeon for the first time.
LAST WISH WEAPON CRAFTING
With the launch of Season of the Deep, Last Wish weapons are now available to be crafted. Additionally, players can visit Hawthorne each week to acquire the O Deepsight Mine quest to unlock the ability to purchase a previously obtained Last Wish weapon with Deepsight upon completion.
KNOWN ISSUES
While we continue investigating various known issues, here is a list of the latest issues that were reported to us in our #Help Forum:
- The Electric Armor and Amped Up Artifact mods names are switched. These mods will still function correctly based on their descriptions.
- The Until Its Return Shotgun's glare is disconnected from the weapon.
- The Dark Decider Auto Rifle does not have firing audio.
- Previous Season Ranks greater than 100 are displaying incorrectly in the Journey tab.
- Some subtitles do not appear during the Season of the Deep opening cinematic.
- When equipping a Sidearm or Hand Cannon, the player’s view will shift slightly to the left.
- The portal in the H.E.L.M. does not open for players during the Into The Depths quest.
- Players may experience framerate drops when opening the Eververse store pages.
- The Season 19 clan staff has the incorrect title.
- We are aware of reports that Exotic armor focusing is dropping with lower stats than intended and are currently investigating.
- We are investigating an issue where players are blocked from completing the Season 21 Into the Depths introductory quest. Players who don't auto-launch into The Descent mission must complete Lightfall's intro mission first, otherwise, they will get blocked from completion.
For a full list of emergent issues in Destiny 2, players can review our Known Issues article. Players who observe other issues should report them to our #Help Forum.
Like a Big Taken Pie, That's Amore
Image Link
Hippy: I’m a simple Titan. I see pizza, I want pizza. I bet Oryx would totally eat this pizza when he’s chilling at his favorite spot in the King’s Fall raid: at the back of the room. 😌
Movie of the Week: Oryx, King of the Pizza
The Taken King 🎮 Song; “Used to the Darkness” #oryx #destiny2 #thetakenking #pizza #nickyatspizza #fyp #foryou #gamer #destiny #auryx pic.twitter.com/13BihKKTY2
— Nickyatspizza (@nickyatspizza) May 18, 2023
His Driftiness Has Arrived
Image Link
Bruno: “So, I’m Drifter. So, that’s what they call me. You know, that or, uh, His Driftness, or, uh, El Drifterino. Or Rat, if you’re not into the whole Hive thing.”
Art of the Week: 'I rough night, and I hate the [expletive] Screebs, man.
"Sometimes there's a man, he's the man for his time and place ... and that's The Drifter, in the Last City."
Thrilled to share my contribution to @D2ArtEvents #d2springzine2023! Check out the full zine below & all the works in the tag! #Destiny2 #destiny2art #Destiny2AOTW pic.twitter.com/5Bi7BPc2Es
— SignificantOtter (@SignificantOtt4) May 17, 2023
Ivan: I’d love to have a guided Vow of the Disciple tour by Rhulk. I’m sure there are many stories to be told. This amazing art was inspired by my beloved Blade Runner 2049, so picking this entry as #Destiny2AOTW is a no-brainer for me. Congrats!
Art of the Week: First day on the job
First day on the job
Rhulk showing the Caretaker around his ship, between the amber trapped silhouettes of failed experiments, curiosities and statues
my contribution to the #d2springzine2023 organized by @D2ArtEvents ✨#Destiny2Art #Destiny2AOTW pic.twitter.com/kuwZRm5wNP
— Strawbaby✨🏳️🌈 (@RedStrawbaby) May 17, 2023
That’s a wrap on another TWAB. Now it’s time to dive back into the mysterious methane seas of Titan. And you know what, with all that liquid it’ll be even easier to remember to drink some water. (Just... please don’t drink the seas of Titan. We’re literally begging. Thank you.)
Before we let you go, be sure to follow the @Destiny2Team account on Twitter for more from Bungie devs on what’s going on in the world of Destiny 2.
And while we’re all waiting on the next TWAB, remember to keep drinking that water, prioritizing that self-care, and always lead with your kindest foot forward. Until next time, friends.
"I should go,”
<3 Hippy
submitted by
DTG_Bot to
DestinyTheGame [link] [comments]
2023.05.23 02:40 rarakoko7 Rara Koko private discord subscribers and members -alert sent to all of you directly to your cell phone. This is with regards to a massive SPAC deal. Just announce we know it first. 739 pm 5/22/23 we know it first - kaboom tomorrow yahoooooo congrats subscribers
2023.05.19 16:23 rarakoko7 Rarakoko private discord I sent an alert to all of you my subscribers over your cell phone check it that stock is exploding today. We know the catalyst we know the new used first. Congrats to all subscribers stamp 9:22 AM May 19, 2023.
2023.05.19 10:44 rarakoko7 Rarakoko, private, discord, members and subscribers. I just sent you an alert directly on your cell phones all over the world that ticker will explode. We know the news we know the catalyst first congrats to all timestamp 3:43 AM, May 19, 2023.
2023.05.19 04:42 Fresh_Pass_8726 This is what it's all about! One of my 13u players just made his Jr high summer team.
submitted by Fresh_Pass_8726 to Homeplate [link] [comments]
2023.05.18 10:29 HUGOCC0113 Unfortunately, Mississippi is in the bottom 4!
submitted by HUGOCC0113 to unexpectedfactorial [link] [comments]
2023.05.17 18:37 rarakoko7 Rara koko private discord kaboom kaboom kaboom lol we know it first stamp 1129 am 5/17/23 we know it first congrats to all my subscribers and members we know it first profit profit profit - I sent the alert to your cell phone instantly - lol winner winner winner
2023.05.16 21:32 Powerful-Comb3054 Free WeChat verification slot gone. [5 slots] remaining but paid.
2023.05.16 15:14 rarakoko7 Rara koko private discord subscribers - a massive deal worth millions and millions of dollars - ticker sent to all rara Koko subscribers cell all over the world- congrats you know the news and catalyst first kaboom stamp 613 am cali 5/16/23
2023.05.15 03:48 rarakoko7 Rara koko Private discord subscribers -a stock with the biggest catalyst just released the biggest news ever - we know it first- because of this massive news -that stock will explode huge -we know it first - congrats to all you knowing the news and catalyst first 5/14/23 636pm
2023.05.15 03:37 rarakoko7 Rara koko Private discord subscribers -a stock with the biggest catalyst just released the baggers news ever - we know it first- because of this massive news -that stock will explode huge -we know it first - congrats to all you knowing the news and catalyst first 5/14/23 636pm
2023.05.13 20:06 gretshkil WHATS UP FUKKAS?!?!!!?
2023.05.12 01:02 Blaze0456 First creepy dm
2023.05.11 23:40 cmdrfelant 34[M4F] Batesville/Oxford, Ms. What makes a good title?
I’m 6’ 2” 255 lbs. INTJ-A Ok so preface: Due to the large number of scammers and bots that contact me please mention something in my profile if you message me :) Hey so I’m 34 live outside Batesville, ms. And I’m looking for someone spend time with and see where it goes, I’m into tabletop, being bad at MtG, mmorpgs, soulsborne, and others. I like to learn new things and have working on learning a second language though I’m not super good at it yet.
You should know, I am dumb when it comes to taking hints or knowing that a woman is hinting at interest. I will give you an example from my college days: I was super into this woman and we talked all the time. She was on the phone with me on her way to a date, with a dude she wasn't even excited about. She tells me it's to bad she didn't have anything else to do that night so she could bail on him. In my head I was thinking that, I would love to be her excuse... she obviously wanted me to be her excuse, but I'm dense.
https://imgur.com/a/lMGq5k6 https://imgur.com/a/V4tsCbb https://imgur.com/a/bqlqhj7 Me personally:
*I am a huge video game player, they are my safe space *I watch a ton of anime and someday hope I get to visit Japan, it would be an amazing experience *Forgotten realms and Dragon lance are amazing universes, star wars before star trek (movies) *I love to tinker and find ways to make something work that doesn’t *I believe we need to free ourselves from Reliance in fossil fuels but I don’t have a good solution *I believe in things that don’t require me to close my eyes and ears to block out dissenting arguments, because we can all be wrong admitting it and growing from it can only make me a better person. *My cat is more important than you, sorry but not really she lays on my lap like I’m an evil villain. *I would be a villain before I was the hero *I love documentaries, even cookie ones like ancient aliens *I am extremely introverted, so I may be interested in you but not sure what to talk about. *autocorrect aggravates me greatly * I work in Memphis, tn. So I’m in Memphis five days a week. * I don’t have kids just a cat. I’m 6’2” 260lbs between dad bod and fit I guess. * I have dreams of travel though, places I’d love to go but have never been. I’ve never been out of the country but I’ve been to every state in the U.S. except hawaii
What I’m looking for:
I just want someone that I’m excited to see a text from, and they are the same way. Someone who eventually I can be excited to come home to, and wake up to in the morning. Someone to grow with, and fail with, Someone to argue with and then makeup with. I honestly want the real shit not the fairy tale stuff, but that wants the same things I do. Though we don’t have to agree on how to get there, I don’t want a mirror or a doll, but a partner.
Race doesn’t matter, but body type does a little. That doesn’t mean I’m looking for a super model, that’s just all air brushing anyway lol. Just be somewhere near a healthy weight, I would love to have someone to do active stuff with.
You should be, at the minimum, ok with dating a gamer. I’m not broken because I game, so it’s not something you can fix or should even try to to fix.
I’m looking for someone super silly like the red head in this gif, a sense of humor like that could make my heart skip a beat in the good way. I want someone who thinks my own silliness is just as attractive.
https://imgur.com/a/28IVaFI Congrats you’ve made it through all that, I really don’t know how to write about myself so feel free to ask any questions, tell me about your day, send me a picture, describe your favorite food, etc…
I prefer someone who is within driving distance, but for the right person LDR could be considered just be willing to be open about where you live as far as town/city. I also won’t turn someone younger away if the connection is there, it is just a little akward.
submitted by
cmdrfelant to
ForeverAloneDating [link] [comments]
2023.05.11 23:38 cmdrfelant 34[M4F] Batesville/Oxford, Ms. What makes a good title
I’m 6’ 2” 255 lbs. INTJ-A Ok so preface: Due to the large number of scammers and bots that contact me please mention something in my profile if you message me :) Hey so I’m 34 live outside Batesville, ms. And I’m looking for someone spend time with and see where it goes, I’m into tabletop, being bad at MtG, mmorpgs, soulsborne, and others. I like to learn new things and have working on learning a second language though I’m not super good at it yet.
You should know, I am dumb when it comes to taking hints or knowing that a woman is hinting at interest. I will give you an example from my college days: I was super into this woman and we talked all the time. She was on the phone with me on her way to a date, with a dude she wasn't even excited about. She tells me it's to bad she didn't have anything else to do that night so she could bail on him. In my head I was thinking that, I would love to be her excuse... she obviously wanted me to be her excuse, but I'm dense.
https://imgur.com/a/lMGq5k6 https://imgur.com/a/V4tsCbb https://imgur.com/a/bqlqhj7 Me personally:
*I am a huge video game player, they are my safe space *I watch a ton of anime and someday hope I get to visit Japan, it would be an amazing experience *Forgotten realms and Dragon lance are amazing universes, star wars before star trek (movies) *I love to tinker and find ways to make something work that doesn’t *I believe we need to free ourselves from Reliance in fossil fuels but I don’t have a good solution *I believe in things that don’t require me to close my eyes and ears to block out dissenting arguments, because we can all be wrong admitting it and growing from it can only make me a better person. *My cat is more important than you, sorry but not really she lays on my lap like I’m an evil villain. *I would be a villain before I was the hero *I love documentaries, even cookie ones like ancient aliens *I am extremely introverted, so I may be interested in you but not sure what to talk about. *autocorrect aggravates me greatly * I work in Memphis, tn. So I’m in Memphis five days a week. * I don’t have kids just a cat. I’m 6’2” 260lbs between dad bod and fit I guess. * I have dreams of travel though, places I’d love to go but have never been. I’ve never been out of the country but I’ve been to every state in the U.S. except hawaii
What I’m looking for:
I just want someone that I’m excited to see a text from, and they are the same way. Someone who eventually I can be excited to come home to, and wake up to in the morning. Someone to grow with, and fail with, Someone to argue with and then makeup with. I honestly want the real shit not the fairy tale stuff, but that wants the same things I do. Though we don’t have to agree on how to get there, I don’t want a mirror or a doll, but a partner.
Race doesn’t matter, but body type does a little. That doesn’t mean I’m looking for a super model, that’s just all air brushing anyway lol. Just be somewhere near a healthy weight, I would love to have someone to do active stuff with.
You should be, at the minimum, ok with dating a gamer. I’m not broken because I game, so it’s not something you can fix or should even try to to fix.
I’m looking for someone super silly like the red head in this gif, a sense of humor like that could make my heart skip a beat in the good way. I want someone who thinks my own silliness is just as attractive.
https://imgur.com/a/28IVaFI Congrats you’ve made it through all that, I really don’t know how to write about myself so feel free to ask any questions, tell me about your day, send me a picture, describe your favorite food, etc…
I prefer someone who is within driving distance, but for the right person LDR could be considered just be willing to be open about where you live as far as town/city. I also won’t turn someone younger away if the connection is there, it is just a little akward.
submitted by
cmdrfelant to
R4R30Plus [link] [comments]
2023.05.11 23:37 cmdrfelant 34[M4F] Batesville/Oxford,Ms. What makes a good title?
I’m 6’ 2” 255 lbs. INTJ-A Ok so preface: Due to the large number of scammers and bots that contact me please mention something in my profile if you message me :) Hey so I’m 34 live outside Batesville, ms. And I’m looking for someone spend time with and see where it goes, I’m into tabletop, being bad at MtG, mmorpgs, soulsborne, and others. I like to learn new things and have working on learning a second language though I’m not super good at it yet.
You should know, I am dumb when it comes to taking hints or knowing that a woman is hinting at interest. I will give you an example from my college days: I was super into this woman and we talked all the time. She was on the phone with me on her way to a date, with a dude she wasn't even excited about. She tells me it's to bad she didn't have anything else to do that night so she could bail on him. In my head I was thinking that, I would love to be her excuse... she obviously wanted me to be her excuse, but I'm dense.
https://imgur.com/a/lMGq5k6 https://imgur.com/a/V4tsCbb https://imgur.com/a/bqlqhj7 Me personally:
*I am a huge video game player, they are my safe space *I watch a ton of anime and someday hope I get to visit Japan, it would be an amazing experience *Forgotten realms and Dragon lance are amazing universes, star wars before star trek (movies) *I love to tinker and find ways to make something work that doesn’t *I believe we need to free ourselves from Reliance in fossil fuels but I don’t have a good solution *I believe in things that don’t require me to close my eyes and ears to block out dissenting arguments, because we can all be wrong admitting it and growing from it can only make me a better person. *My cat is more important than you, sorry but not really she lays on my lap like I’m an evil villain. *I would be a villain before I was the hero *I love documentaries, even cookie ones like ancient aliens *I am extremely introverted, so I may be interested in you but not sure what to talk about. *autocorrect aggravates me greatly * I work in Memphis, tn. So I’m in Memphis five days a week. * I don’t have kids just a cat. I’m 6’2” 260lbs between dad bod and fit I guess. * I have dreams of travel though, places I’d love to go but have never been. I’ve never been out of the country but I’ve been to every state in the U.S. except hawaii
What I’m looking for:
I just want someone that I’m excited to see a text from, and they are the same way. Someone who eventually I can be excited to come home to, and wake up to in the morning. Someone to grow with, and fail with, Someone to argue with and then makeup with. I honestly want the real shit not the fairy tale stuff, but that wants the same things I do. Though we don’t have to agree on how to get there, I don’t want a mirror or a doll, but a partner.
Race doesn’t matter, but body type does a little. That doesn’t mean I’m looking for a super model, that’s just all air brushing anyway lol. Just be somewhere near a healthy weight, I would love to have someone to do active stuff with.
You should be, at the minimum, ok with dating a gamer. I’m not broken because I game, so it’s not something you can fix or should even try to to fix.
I’m looking for someone super silly like the red head in this gif, a sense of humor like that could make my heart skip a beat in the good way. I want someone who thinks my own silliness is just as attractive.
https://imgur.com/a/28IVaFI Congrats you’ve made it through all that, I really don’t know how to write about myself so feel free to ask any questions, tell me about your day, send me a picture, describe your favorite food, etc…
I prefer someone who is within driving distance, but for the right person LDR could be considered just be willing to be open about where you live as far as town/city. I also won’t turn someone younger away if the connection is there, it is just a little akward.
submitted by
cmdrfelant to
r4r [link] [comments]
2023.05.11 20:01 DTG_Bot This Week At Bungie 5/11/2023
Source:
https://www.bungie.net/7/en/News/Article/05-011-2023-twab Happy TWABsday, Guardians! This week we’re back with some Season 21... well, we’ll get into that in a minute. First up, let's get into what we got to talk about last week.
Last week’s TWAB:
- Guardian Games and Guardian Games Cup began!
- Season of the Deep first look.
- Prime Gaming loot drops.
- Wallpapers.
- Community Movie and Art of the Week picks.
As for this week we get to chat about:
- Guardian Games and Guardian Games Cup Week 2.
- The Season 21 teaser trailer is here.
- Season 21 ritual weapon and ornaments preview.
- A closer look at Season 21 armor ornaments.
- Season 21 environment sneak peek.
- Reminder that Season 20 ends soon.
- Our next dungeon is coming.
- New Eververse updates.
- Weekly #Destiny2MOTW and #Destiny2AOTW picks. ##Guardian Games Week 2
First up, let’s get into Guardian Games. We have been having so much fun watching your clips, running alongside some of you in Supremacy, and seeing the emotes in the Tower after you bank your Medallions. Keep it up!
Current standings for Guardian Games:
- First Place – Titans
- Second Place – Warlocks
- Third Place – Hunters
Those participating in the Guardian Games Cup have also been knocking it out of the park with points and raising money for the Bungie Foundation, with over $100,000 raised so far! Let's look at those standing too.
Top four teams – Money raised for the Bungie Foundation.
- First Place – DEVELOPERS DEVELOPERS DEVELOPERS ($38,173)
- Second Place – Lost City Guardians ($6,400)
- Third Place – Metagalactic Boomers ($5,339)
- Fourth Place – Clan Archive ($4,256) ####Top four teams – Points scored.
Place | Team | Points |
1 | Popcorn | 53,272 |
2 | Traveler's Chosen | 22,912 |
3 | Nexus | 20,259 |
4 | Ursidae | 18,692 |
Guardian Games Bungie Rewards
Image Linkimgur
Have you checked out the Bungie Rewards page since Guardian Games started? No, well do we have a few rewards to show you. Those that earn the achievements in game will be able to purchase some Guardian Games collectibles to commemorate your, well, achievements.
- Guardian Games Pendant.
- Champ Title Pin.
- 2023 Guardian Games Medal.
So, get out there and bank those medallions, complete your Event Challenges, and earn your gold, Guardians!
Head over here to sign up for Bungie Rewards.
Deputy Commander Sloane, I Presume
Season of the Deep is less than two weeks away, and we've got more to reveal today.
Deputy Commander Sloane has returned. Something big is lurking in the depths, and... that’s all we can say for now. Enjoy the Season of the Deep teaser trailer below and get ready to dive in on May 23.
Video Link
Ornaments, get your ornaments
It’s that time Guardians, time to share Season of the Deep’s ritual weapon and its gorgeous ornaments.
Image Linkimgur
Introducing the Last Rite Scout Rifle! This one is a bit special because it’s a Tex Mechanica Kinetic Aggressive Scout Rifle. We don’t want to spoil too much, but here are the ornaments we have coming up for this baby.
Image Linkimgur
Image Linkimgur
Image Linkimgur
Under the Sea
Speaking of ornaments, last week we gave you a glimpse into what is coming next Season.
This week we want to give you a quick preview of the ornament sets that will be available as part of the Season 21 Season Pass. Get ready to have plenty of options for under-the-sea themed tea parties.
Image Linkimgur
And we’re not kidding when we say we’re going under the sea…here’s a glimpse of one of the places you’ll be headed in Season of the Deep:
Image Linkimgur
Gild that title, Guardian
We are down to the final week of the Season, Guardians, and you know what time that means it is. Time for us to remind you to finish up your Season Pass, wrap up your Weekly Challenges, and get your Dresstiny on to finalize your cutscene attire. As much as I want to wear my Scorned Barron Robes this time around (as I have mentioned before) I really think this time is going to be different... Maybe...
Anyway, make sure you’re sharing your Guardians all dressed up for next Season with us over on Twitter and Instagram. We love seeing them.
One more thing! The Social team just yelled from the other room to not forget to check your Engram Tracker in your inventory for Seasonal vendor engrams you need to pick up.
The Dungeon is Coming
Are you one of the Guardians who traversed a space unbound by reality and proved yourself righteous in the realm of the Nine? Maybe you triumphed and your team became the pirate royalty of the Loot Cave? Perhaps it was in Calus’s realm that you conquered, your fireteam fighting through the Nightmares one by one. Did the song of the Seraph bunker call to you instead, with Osiris in your ear and your friends by your side? Or were you one of the fearless that have conquered them all solo?
Well, get your Guardians ready for the next adventure, the new [Redacted] dungeon opens at 10AM Pacific, on Friday, May 26.
Eververse Recommendations Have Arrived
One more thing before we hand it over to Player Support: Eververse is getting an update in Season 21that showcases items recommended just for you. In addition to continuing to highlight specific items and bundles, the Eververse Featured page will also have a shortcut to view certain recommended items that you don't own and might find are a great fit for your character. Not only that, but there will also be a tab where you can view your top-ten recommended items in one place, making it easier to find all of your recommendations at any given time.
Image Link.png)imgur
Player Support Team
Image Linkimgur
The Player Support team is back and ready to share what they are working on and known issues. This is their report.
[Law & Order’s dun dun]
Known Issues List Help Forum Bungie Help Twitter
HOTFIX 7.0.5.3
Hotfix 7.0.5.3 was released earlier this week on Tuesday, May 9. Players can view the full list of fixes and updates that are now live in the 7.0.5.3 Patch Notes.
KNOWN ISSUES
While we continue investigating various known issues, here is a list of the latest issues that were reported to us in our #Help Forum.
- Some Guardian Games quests are only progressing with Bronze medals, or medals from the recreational Vanguard Guardian Games playlist.
- Wish-Ender does not penetrate extended Phalanx or Hydra shields.
- Some gilded titles are no longer gilded, and some associated Triumphs have been marked as incomplete.
- The Strand Hunter's Aspect Ensnaring Slam does not trigger some class ability mods.
- In the HyperNet Current strike, dying in the final boss arena can cause a player's Ghost to become stuck in the floor.
- Players who are suspended from the Control playlist due to quitter penalties will receive a suspended director dialog for Competitive Crucible. These players aren't suspended from Competitive Crucible and can still access that playlist.
- The Guardian Games Competitive Nightfall playlist does not give Vanguard reputation.
- The Guardian Games Champ title does not progress any Guardian Rank objectives for earning titles.
- The Guardian Game Luminous Paragon Sparrow cannot be obtained from the Collections.
- Kills from Celestial Fire’s scorch or ignition effects aren’t credited as Solar melee ability kills.
For a full list of emergent issues in Destiny 2, players can review our Known Issues article. Players who observe other issues should report them to our #Help Forum.
Vengeance and Delight
Image Linkimgur
Hippy: In this house, we offer all of the hugs to our baby boy Crow. There’s no doubt that this character has gone through it over the past few years and has recently suffered yet another loss stacked up against his journey towards learning who he is outside of Uldren’s shadow. In remembrance of Amanda Holliday and the friendship this pair worked towards building, this MOTW pick is a stunning tribute to the road to redemption for our reborn Hunter.
Movie of the Week: Blinded Vengeance
Video Link
Sam: When the internet says, “make a day in the life video Wes Anderson style,” you make a Root of Nightmares run, Wes Anderson style. This trend has been so delightful all over the internet, it is so cool to see it come home to Destiny.
Movie of the Week: Root of Nightmares – Wes Anderson Style
Did the Wes Anderson Tiktok trend with my clan!
I love these little trends. So fun!
Can Tiktoks even be submitted for MOTW? lol #Destiny2MOTW #MOTW #DestinyTheGame pic.twitter.com/9bRUFD1SlD
— onehandedbanditt_ (@onehandedbndt) April 20, 2023
Swimming and Posing
Image Linkimgur
Ivan: Can’t wait for the Season of the Deep to land. And I’m happy that amazing Destiny fan-artists are already coming up with their interpretation of how Guardians might look like next Season. Congrats with #Destiny2AOTW, @dawn_thewarlock!
Art of the Week: SWIM in the deep
SWIM in the deep - merman🧜♂️ warlock✨#Destiny2Art #Destiny2AOTW pic.twitter.com/GInWtMfaN1
— Dawn ✨ (COMMS open) (@dawn_thewarlock) May 7, 2023
Bruno: I'm here once again sharing an amazing rendition of our latest raid boss.
Art of the Week: Final God of Amazing Poses
러블리 돼지감자 #Destiny2Art pic.twitter.com/Ds6e9EX33s
— 벨로프 (@Belov_W) May 9, 2023
Alright, that does it for us this week. We’re less than two weeks from Season of the Deep, so be sure you let us know over on Twitter what you’re most excited for and share your Guardians fly fits or favorite emotes you have on. But since we do still have Guardian Games going, get back out there, earn those medals, and let’s win it for the Warlocks, [cough] Hunters, [cough] Titans!
One more reminder, don’t forget to finish your Seasonal Triumphs, Season Pass, Weekly Challenges, or anything else you may have left to do. I am going to take that as a tip for myself and go finish up my Season Pass after work. Have a good rest of your week Guardians, sea you soon.
Stay Crafty,
Sam
submitted by
DTG_Bot to
DestinyTheGame [link] [comments]