2025.01.29 03:01 Tall_Ant9568 The day I graduated boot camp, almost 11 years ago. I could barely see out of that hat I had it tilted so low.
submitted by Tall_Ant9568 to blunderyears [link] [comments] |
2025.01.29 03:01 PMmeRule63DIO 29/PC/Any timezone - PoE2/fighting games but down for anything
Hey there, I primarily play on PC and a wide variety of games, just about every genre except RTS so I'm sure we can find something in common to play. Path of Exile 2 and Deadlock are my latest obsessions and I would kill to have some people to group with! Or maybe not? I'm cool with just having new friends to talk with over discord while we're doing our own thing or streaming for each other in VC. I'm big big into fighting games like Street Fighter and Tekken in particular when it comes to competitive multiplayer stuff but I'm also into shooters like Apex but honestly anything besides Riot Games slop can get the job done. I'm EST but work weird hours so idk, any timezone works we can figure something out lol. Read lots of manga and watch K/J-dramas when possible too just for some other hobbies. Feel free to DM or chat me your discord or just leave it in the post. Whatever works! Hoping to get to meet some cool new people soon.
submitted by PMmeRule63DIO to GamerPals [link] [comments]
2025.01.29 03:01 JackieLush Meet Mochi, my world’s cutest little shadow!
submitted by JackieLush to cuteanimals [link] [comments] |
2025.01.29 03:01 icecube-198 Am i blocked? Messages went green/sms as i was responding back. I can still call them though it rings through
As I was responding back, the first two messages were blue through iMessage, but then everything else became green and says text SMS and they were a minute apart from each other. I’m not sure if I’m blocked, but if I call them, it’s able to ring through and doesn’t go to voicemail.
submitted by icecube-198 to iphone [link] [comments]
2025.01.29 03:01 bot_neen Político republicano AMENAZA a Selena Gómez por polémico video
submitted by bot_neen to Mexico_Videos [link] [comments] |
2025.01.29 03:01 Most-Research3408 Letter of intent
I want to send a letter of intent to my top choice but I already sent a letter of interest on Jan 8 with an update. Should I include the update in the letter of intent again?
submitted by Most-Research3408 to predental [link] [comments]
2025.01.29 03:01 cniinc How do I run RPM packages
Newby Linux user here, forgive my ignorance.
I want to install this application, Variety, which shifts background wallpapers. I'd ideally like it to auto-update, something that, say, a flatpack would do. But it seems that it's not available on the bazzite app store thing, so I tried to install it by going to download the RPM package. But when I go to download it, it just runs the app store and does nothing. I'm using the GNOME desktop.
Variety: https://github.com/varietywalls/variety RPM downoad: https://www.rpmfind.net/linux/rpm2html/search.php?query=variety
It seems that there's an RPM app store as well, but clicking on the links doesn't really work on that either. Is this something I have to install manually in bazzite? Can I have it set up so it auto-updates?
submitted by cniinc to Bazzite [link] [comments]
2025.01.29 03:01 RebornLevy Im tired man...
The negativity in this community is insane by this point like after final shape i have barely played too aight? I did get to level 200 in both episodes so far but i found the 2 first episodes pretty boring besides the dungeon yes the villains were not interesting i dont find that much interest in chasing loot and the seasonal quest expirience is pretty overused by this point
But Man Can we just do constructive criticism and then stop playing until you find the game interesting again? I see literal gacha games that are built on manipulating you into spending money for a 3d model with 2 abilities get tons of praise. games that literally time gate you after 4 activities so you wont be able to farm more imagine that in destiny doing 3 seasonal arenas and getting its loot locked behind a paywall after that. games like that have way more of a positive community somehow??
I too found all of the new episode pretty dull you know what i did? Played whenever i felt like it(more or less 2 hours every 3 weeks wich is still enough to get level 200 on both episodes)and just let bungie show whats next and you know what? Heresy looks pretty cool in concept so im gonna jump in to check it out day 1
You know what im not gonna do? Hate for no reason i saw hate for the star wars collab chatterwhite the freaking seasonal hub area people calling the dreadnought recycled trash meanwhile i always see them ask for old stuff and d1 stuff(today's chat was filled with recycling complaints but then asking for wrath of the machine LOL)hating on eververse yet somehow i always manage to buy the skins i want with bright dust like 90% of the time and the old clasic "I hate destiny its my favorite game" comment Or "This is the final nail in the coffin if bungie dosent deliver" ITS EXHAUSTING ive been seeing those comments since 2014 LITERALLY
Other games have it way worse And dont Say oooh but warfra-IF YOU LIKE WARFRAME THAT MUCH GOOD FOR YOU MAN I Dont like it that much i have 500 hours on it and it dosent get close to destiny in terms of gameplay.
Other games dont recieve as much content as destiny most of them have a battle pass that only has skins on it for the same price as a season in destiny that has way more stuff going for it and yea it got exhausting and needs a change and im waiting for bungie to suprise us hopefully if not im still gonna be stand by and check out whats new.
Tldr im tired of seeing in every social media hate towards anything related to the game specially when i see other games with less content and equal or bigger problems yet their communities seem more constructive and positive about those games
submitted by RebornLevy to destiny2 [link] [comments]
2025.01.29 03:01 _hemafencing_ How do you save an instance using a serializer?
I am using Django 1.11 and DRF 3.5.3
I have a table defined as:
CREATE TABLE `feed_feedxml` ( `feed_id` int(11) NOT NULL, `xml` longtext NOT NULL, PRIMARY KEY (`feed`), CONSTRAINT `feed_xxx` FOREIGN KEY (`feed_id`) REFERENCES `feed_feed` (`id`) );
With a model like:class XMLConfiguration(BaseModel): feed = models.OneToOneField(Feed, primary_key=True, on_delete=models.CASCADE, db_column='feed_id') version = models.PositiveSmallIntegerField(null=False) # Django doesn't support JSON field in 1.11, so we're using a TextField :( configuration = models.TextField(null=False) class Meta(object): db_table = 'feed_feedxml' def __str__(self): return f'{self.feed} - {self.version} - {self.configuration}'
A serializer like:class FeedXMLConfigurationSerializer(serializers.ModelSerializer): class Meta(object): model = XMLConfiguration fields = ['feed', 'version', 'configuration'] @classmethod def get_queryset(cls): return cls.Meta.model.objects.all() def create(self, validated_data): try: return XMLConfiguration(**validated_data) except DjangoValidationError as exc: # do stuff pass def update(self, xml_instance, validated_data): xml_instance.version = validated_data.get('version', xml_config_instance.version) xml_instance.configuration = validated_data.get('configuration', xml_instance.configuration) xml_instance.save() return xml_instance
and the following viewset:class FeedXMLViewSet(viewsets.ModelViewSet): serializer_class = schema_serializers.FeedXMLConfigurationSerializer def get_queryset(self): return self.serializer_class.get_queryset() def get_feed(self, feed_name): try: return get_feed_by_name(schema_name) except Feed.DoesNotExist: raise def list(self, request, *args, **kwargs) -> Response: super(FeedXMLViewSet, self).list(request, *args, **kwargs) feed = self.get_feed(self.kwargs.get("feed_name")) try: serializer = self.serializer_class(self.serializer_class.Meta.model.objects.get(feed=feed)) except self.serializer_class.Meta.model.DoesNotExist: return Response("No XML configuration found", status=status.HTTP_404_NOT_FOUND) return Response(serializer.data, status=status.HTTP_200_OK) def create(self, request, *args, **kwargs) -> Response: feed = self.get_feed(self.kwargs.get("feed_name")) xml_config = json.dumps(request.data.get("configuration")) data = { 'feed': feed, 'version': 1, 'configuration': xml_config } serializer = self.serializer_class(data=data) serializer.is_valid(raise_exception=True) saved_data = serializer.save() return Response("A OK", status=status.HTTP_201_CREATED)
No matter what I do, I cannot get a POST request to work. The feed name is retrieved from the path of the request (like `my_feed_name/xml/`, and the body looks like this:{ "configuration": { "foo": "bar" } }
When I pass a feed instance, I get told that `"'feed' value must be an integer: feed"`, but when I use the ID of the instance I get a `ValueError: Cannot assign "12345": "XMLConfiguration.feed" must be a "Feed" instance.`2025.01.29 03:01 Neither-Ebb-7082 Finally got an offer!
After 10 months of looking for a job I finally got an offer to join one of my top company choices!! It’s incredibly hard to understand how much effort and luck is needed to land a job these days.
Here are my job applications numbers to help put things in perspective to those still looking:
Time searching: 9 months
Total applications: +500
Referrals: 38
Recruiter screens: 30 (19 of these were referrals)
Hiring Managefirst round: 21 (14 referrals)
Final round: 9 (8 referrals)
Offers: 1 (not a referral!)
Crazy to think the one offer came from a LinkedIn EasyApply job! What really helped my chances though was a combination of factors: 1. Good timing (found listing within minutes of posted and job had 0 applicants) 2. Submitting a tailored resume (I already had a resume ready for this role/company combination) 3. Sending a LinkedIn InMail to Hiring Manager with a short cover letter and reasons to interview me 4. Strong match between job needs and my background
Hopefully somebody out there will find this useful in securing a job. I am grateful for everything that’s been shared in this subreddit as it really helped inform my job search and interview approach. Good luck to everyone with or without a job!
submitted by Neither-Ebb-7082 to jobhunting [link] [comments]
2025.01.29 03:01 s43_w When does scar tissue stop being a concern after surgery?
I’m currently 22 days post-op from ACL, meniscus, and MCL surgery. Unfortunately, I re-tore my graft in the same week due to an accident, but I had it repaired again.
I’m wondering when I can stop worrying about scar tissue formation. I follow my doctor’s instructions by keeping my knee straight as much as possible, propping my heel for 15 minutes 4–5 times a day, and bending my knee to 30° regularly. when will the fear of scar tissue forming and limiting my ROM stop?
submitted by s43_w to ACL [link] [comments]
2025.01.29 03:01 ith8u Looking for books & these items too
Does anyone have books in books cranny or storage???If you don’t need these can I have them please? I can pay as well
submitted by ith8u to Dodocodes [link] [comments]
2025.01.29 03:01 Entire-Requirement76 They took 2 of his shots away 🤨
Th submitted by Entire-Requirement76 to PrizePicks [link] [comments] |
2025.01.29 03:01 No_Week8162 Last day to resign to get summer pay
? June 25?
submitted by No_Week8162 to NYCTeachers [link] [comments]
2025.01.29 03:01 Significant_Draft851 And yet another one
submitted by Significant_Draft851 to geometrydash [link] [comments] |
2025.01.29 03:01 D3luxr4y Flash fire misprint?
I got this when I was 13, and thought the etched pokemon was super cool and part of it. Kept it all these years only to realize this is an error!! If I were to grade this, what grading service would recognize it as an error?
submitted by D3luxr4y to PokemonMisprints [link] [comments]
2025.01.29 03:01 GlassEducational1546 kenzie and skylar on vacation!
i haven't seen a picture or a mention of skylar in years. they're on a twilight trip. kinda cute lol submitted by GlassEducational1546 to SchultzzieSnark [link] [comments] |
2025.01.29 03:01 ProteinBlob Need trade help to complete Blueberry Pokedex
I have almost the full Pokedex complete, I just need someone to help trade and trade back Pokemon that need to evolve through it. If you can help, I appreciate it!
submitted by ProteinBlob to pokemontrades [link] [comments]
2025.01.29 03:01 LurkerAko My first +6 drops!........... ohhh
submitted by LurkerAko to PathOfExile2 [link] [comments] |
2025.01.29 03:01 Mark_Maizen Looking to buy my first amd laptop, needed help
Looking for a laptop that i can use for college, i am a computer science student in the philippines and i basically will do alot of programming, some game dev here and there for my hobby, virtualization (vmware or oracle virtualbox), some light to medium gaming, with alot of multitasking(like opening discord, browsing, yt videos)
basically what i really want for a laptop is:
> ryzen 5 apu
> 16gb ram minimum
> with ethernet port or rj45 port
> upgradable ram and storage, preferrably m.2 ssd, but i could get by with a sata ssd
>good battery(?) (im not really sure what to look for a battery capacity if i always find a wall socket near me)
also that is a cheapest one that i can get, not including a secondhand one or a refurbished, i could or would buy asap, but i want some reccomendations first.
submitted by Mark_Maizen to laptops [link] [comments]
2025.01.29 03:01 AutoModerator "Ask A Jew" Wednesday
It's everyone's favorite day of the week, "Ask A (Anti-Zionist) Jew" Wednesday! Ask whatever you want to know, within the sub rules, notably that this is not a debate sub and do not import drama from other subreddits. That aside, have fun! We love to dialogue with our non-Jewish siblings.
Please remember to pick an appropriate user-flair in order to participate! Thanks!
submitted by AutoModerator to JewsOfConscience [link] [comments]
2025.01.29 03:01 XYMYX Coincidence? I think not
submitted by XYMYX to meme [link] [comments] |
2025.01.29 03:01 sharewithme Word of The Hour: meinwe
meinwe translates to tissue
––––––––––––
Thank you so much for being a member of our community!
submitted by sharewithme to WelshFeed [link] [comments]
2025.01.29 03:01 sonicispeak Okay guys you HAVE to hear me out on this one
I didn't know what to post so i just made a hear me out submitted by sonicispeak to StanleyMOV [link] [comments] |
2025.01.29 03:01 Intelligent-Sun5901 Any couples or women want to meet up at Midnight Video?
Any sexy couples or women want to meet up at midnight video this week?
submitted by Intelligent-Sun5901 to AbileneTxAdultTheater [link] [comments]