Bhabhi ki chudai hindi story + doc

Medical School Anki

2017.05.22 20:39 Eklektikos Medical School Anki

Anki For Medical School + Boards
[link]


2011.10.20 13:35 BronzeBas The Baldur's Gate Community

The unofficial reddit home of the original Baldur's Gate series and the Infinity Engine!
[link]


2016.05.23 11:15 hos_gotta_eat_too Making A Murderer - Steven Avery and Brendan Dassey Case Discussion

Making a Murderer conversation, discussing the documentary and convictions of Steven Avery and Brendan Dassey.
[link]


2024.05.14 18:21 sammopus Can someone point me to a Nextjs + Stripe + Clerk integration documentation?

Most of the docs I see including the one from vercel seems outdated. I want to integrate stripe subscription with Nextjs and use clerk for auth.
I am not quite sure of the flow, I see some version where people store customers in stripe and use that ID in the database, is that a good approach?
How does one manage coupons, trail, refund etc is it at stripe end or in the application backend, what worked for you?
submitted by sammopus to nextjs [link] [comments]


2024.05.14 18:06 LeelooHendrix921 So many restrictions and lifestyle changes…

I want to have opinions from other people who struggle to conceive. Based on what I read + doc recos, I have cut on alcohol, reduced sugar, tried to eat more healthy. This is SO hard for me because I am extremely anxious and have PCOS and so carbs and sugar are my comfort zone! On top of that, I am taking so many medicine every single day and suffer so badly from them (gastric issues, mood swings, fatigue etc).
On the other hand, my husband who wants the baby as much as me is not ready to cut on alcohol and to change his (unhealthy) diet. I tried to change him by all means but I simply don’t manage.
So I guess I have two questions: 1) How do you not end up having resentment against your partner when you are the one making so many sacrifices in your daily life, whereas maybe the problem is coming from him? 2) Are those sacrifices worth it? I mean, all my friends are becoming pregnant after 2-3 trials and they all have more issues (ie diabetes, dr*g use, etc). So when every negative test comes I am like “why am I ruining my life? For what?” And if it takes more years, am I supposed to live frustrated forever?
Thank you in advance for sharing your thoughts 🙏🏻
submitted by LeelooHendrix921 to TryingForABaby [link] [comments]


2024.05.14 17:07 FistofDavid New to Python - Not understanding passing something to an argument

Hello! I just started dabbling with Python and came across a script on Github that I want to try. The issue is it requires me to pass the location of a source file as well as a location to place downloaded files and I'm not quite sure how to do this. I've tried different things like attempting to define variables in different ways, but no luck as I'm consistently getting syntax errors or what I've done is not defining it properly. The script is the following and the Github states to pass the source file as the first argument and the download location as the second argument. Would someone be able to help me understand where this should be defined and how to do so? Again, very new and inexperienced with Python and I get that this is probably advance for a beginner. Edit - Formatting
#!/usbin/env python # -*- encoding: utf-8 """ Download podcast files based on your Overcast export. If you have an Overcast account, you can download an OPML file with a list of every episode you've played from https://overcast.fm/account. This tool can read that OPML file, and save a local copy of the audio files for every episode you've listened to. """ import argparse import datetime import errno import filecmp import functools import glob import itertools import json import os import sqlite3 import sys from urllib.parse import urlparse from urllib.request import build_opener, install_opener, urlretrieve import xml.etree.ElementTree as ET def parse_args(argv): """Parse command-line arguments.""" parser = argparse.ArgumentParser(description=__doc__) parser.add_argument( "OPML_PATH", help="Path to an OPML file downloaded from https://overcast.fm/account", ) parser.add_argument( "--download_dir", default="audiofiles", help="directory to save podcast information to to", ) args = parser.parse_args(argv) return { "opml_path": os.path.abspath(args.OPML_PATH), "download_dir": os.path.abspath(args.download_dir), } def get_episodes(xml_string): """ Given the XML string of the Overcast OPML, generate a sequence of entries that represent a single, played podcast episode. """ root = ET.fromstring(xml_string) # The Overcast OPML has the following form: # #  #  # Overcast Podcast Subscriptions #  # ... # ... #  #  # # Within the  block of XML, there's a list of feeds # with the following structure (some attributes omitted): # #  #  # ... #  # # We use an XPath expression to find the  entries # (so we get the podcast metadata), and then find the individual # "podcast-episode" entries in that feed. for feed in root.findall("./body/outline[@text='feeds']/outline[@type='rss']"): podcast = { "title": feed.get("title"), "text": feed.get("text"), "xml_url": feed.get("xmlUrl"), } for episode_xml in feed.findall("./outline[@type='podcast-episode']"): episode = { "published_date": episode_xml.get("pubDate"), "title": episode_xml.get("title"), "url": episode_xml.get("url"), "overcast_id": episode_xml.get("overcastId"), "overcast_url": episode_xml.get("overcastUrl"), "enclosure_url": episode_xml.get("enclosureUrl"), } yield { "podcast": podcast, "episode": episode, } def has_episode_been_downloaded_already(episode, download_dir): try: conn = sqlite3.connect(os.path.join(download_dir, "overcast.db")) except sqlite3.OperationalError as err: if err.args[0] == "unable to open database file": return False else: raise c = conn.cursor() try: c.execute( "SELECT * FROM downloaded_episodes WHERE overcast_id=?", (episode["episode"]["overcast_id"],), ) except sqlite3.OperationalError as err: if err.args[0] == "no such table: downloaded_episodes": return False else: raise return c.fetchone() is not None def mark_episode_as_downloaded(episode, download_dir): conn = sqlite3.connect(os.path.join(download_dir, "overcast.db")) c = conn.cursor() try: c.execute("CREATE TABLE downloaded_episodes (overcast_id text PRIMARY KEY)") except sqlite3.OperationalError as err: if err.args[0] == "table downloaded_episodes already exists": pass else: raise c.execute( "INSERT INTO downloaded_episodes VALUES (?)", (episode["episode"]["overcast_id"],), ) conn.commit() conn.close() def _escape(s): return s.replace(":", "-").replace("/", "-") def get_filename(*, download_url, title): url_path = urlparse(download_url).path extension = os.path.splitext(url_path)[-1] base_name = _escape(title) return base_name + extension def download_url(*, url, path, description): # Some sites block the default urllib User-Agent headers, so we can customise # it to something else if necessary. opener = build_opener() opener.addheaders = [("User-agent", "Mozilla/5.0")] install_opener(opener) try: tmp_path, _ = urlretrieve(url) except Exception as err: print(f"Error downloading {description}: {err}") else: print(f"Downloading {description} successful!") os.rename(tmp_path, path) def download_episode(episode, download_dir): """ Given a blob of episode data from get_episodes, download the MP3 file and save the metadata to ``download_dir``. """ if has_episode_been_downloaded_already(episode=episode, download_dir=download_dir): return # If the MP3 URL is https://example.net/mypodcast/podcast1.mp3 and the # title is "Episode 1: My Great Podcast", the filename is # ``Episode 1- My Great Podcast.mp3``. audio_url = episode["episode"]["enclosure_url"] filename = get_filename(download_url=audio_url, title=episode["episode"]["title"]) # Within the download_dir, put the episodes for each podcast in the # same folder. podcast_dir = os.path.join(download_dir, _escape(episode["podcast"]["title"])) os.makedirs(podcast_dir, exist_ok=True) # Download the podcast audio file if it hasn't already been downloaded. download_path = os.path.join(podcast_dir, filename) base_name = _escape(episode["episode"]["title"]) json_path = os.path.join(podcast_dir, base_name + ".json") # If the MP3 file already exists, check to see if it's the same episode, # or if this podcast isn't using unique filenames. # # If a podcast has multiple episodes with the same filename in its feed, # append the Overcast ID to disambiguate. if os.path.exists(download_path): try: cached_metadata = json.load(open(json_path, "r")) except Exception as err: print(err, json_path) raise cached_overcast_id = cached_metadata["episode"]["overcast_id"] this_overcast_id = episode["episode"]["overcast_id"] if cached_overcast_id != this_overcast_id: filename = filename.replace(".mp3", "_%s.mp3" % this_overcast_id) old_download_path = download_path download_path = os.path.join(podcast_dir, filename) json_path = download_path + ".json" print( "Downloading %s: %s to %s" % (episode["podcast"]["title"], audio_url, filename) ) download_url(url=audio_url, path=download_path, description=audio_url) try: if filecmp.cmp(download_path, old_download_path, shallow=False): print("Duplicates detected! %s" % download_path) os.unlink(download_path) download_path = old_download_path except FileNotFoundError: # This can occur if the download fails -- say, the episode is # in the Overcast catalogue, but no longer available from source. pass else: # Already downloaded and it's the same episode. pass # This episode has never been downloaded before, so we definitely have # to download it fresh. else: print( "Downloading %s: %s to %s" % (episode["podcast"]["title"], audio_url, filename) ) download_url(url=audio_url, path=download_path, description=audio_url) # Save a blob of JSON with some episode metadata episode["filename"] = filename json_string = json.dumps(episode, indent=2, sort_keys=True) with open(json_path, "w") as outfile: outfile.write(json_string) save_rss_feed(episode=episode, download_dir=download_dir) mark_episode_as_downloaded(episode=episode, download_dir=download_dir) def save_rss_feed(*, episode, download_dir): _save_rss_feed( title=episode["podcast"]["title"], xml_url=episode["podcast"]["xml_url"], download_dir=download_dir ) # Use caching so we only have to download this RSS feed once. @functools.lru_cache() def _save_rss_feed(*, title, xml_url, download_dir): podcast_dir = os.path.join(download_dir, _escape(title)) today = datetime.datetime.now().strftime("%Y-%m-%d") rss_path = os.path.join(podcast_dir, f"feed.{today}.xml") if not os.path.exists(rss_path): print("Downloading RSS feed for %s" % title) download_url( url=xml_url, path=rss_path, description="RSS feed for %s" % title, ) matching_feeds = sorted(glob.glob(os.path.join(podcast_dir, "feed.*.xml"))) while ( len(matching_feeds) >= 2 and filecmp.cmp(matching_feeds[-2], matching_feeds[-1], shallow=False) ): os.unlink(matching_feeds[-1]) matching_feeds.remove(matching_feeds[-1]) if __name__ == "__main__": args = parse_args(argv=sys.argv[1:]) opml_path = args["opml_path"] download_dir = args["download_dir"] try: with open(opml_path) as infile: xml_string = infile.read() except OSError as err: if err.errno == errno.ENOENT: sys.exit("Could not find an OPML file at %s" % opml_path) else: raise for episode in get_episodes(xml_string): download_episode(episode, download_dir=download_dir) 
submitted by FistofDavid to learnpython [link] [comments]


2024.05.14 17:03 Sir-Kotok All Podcasts and Where to find them

Well, attempt #2 because the first one broke. Whoops.
Anyway this post is an attempt to find all the Wildbow Podcasts and put them all in one place. There are a lot of them, so if I missed any ether in english or in another language, then please comment down below and I will add them to the list.
If you are instead looking for audiobooks, then check out this helpful link

WORM:

1: We've got Worm
Here is a link to the youtube playlist and to the main site
reddit discussion threads for episodes can be found here
2: Decomposing Worm
Here is a link to theyoutube playlist and to the main site
3: Brockton Bay Chronicles
Here is a link to the youtube playlist
4: Brockton Bay BookClub + Dissecting Worm (2 podcasts in one place)
Here is a link to the youtube channel
5: Roundabout Shortcut
Here is a link to the youtube playlist

WARD:

1: We've Got Ward
Here is a link to the youtube playlist and to the main site
reddit discussion threads for episodes can be found here
--------------

PACT:

1: Deep in Pact
Here is a link to the youtube playlist and to the main site
2: Pale in Comparison (PALE SPOILERS)
Here is a link to the list of what Pale chapter you should have reached by the time you listen to an episode
Here is a link tothe youtube playlist and to the main site

PALE:

1: Pale Reflections
Here is a link to the youtube playlist and to the main site
2: Our mom critiques Wildbow
Here is a link to the youtube playlist and to the main site
---
3: The Other Podcast (Dicusses both Pact and Pale)
link to the part 1 and part 2
--------------

TWIG:

1: Twigging onto Twig
Here is a link to the youtube playlist and to the main site
(This podcast contains frequent spoilers to other stories like Worm and Pale. They do usually give a spoiler tag, but you should have the pause button ready on hand.)
--------------

CLAW:

1: Clawful Evil Probable Claws
Here is a link to the youtube playlist
2: Claw and Order
Here is a link to the first episode (cant find a better link)
submitted by Sir-Kotok to Parahumans [link] [comments]


2024.05.14 16:55 GoatSinceBirth [FS] Maison Mihara Yasuhiro, Doc Martens

BRAND NEW
Maison Mihara Yasuhiro Size 12 Men’s 100 shipped
Doc Marten Derby’s Size 10 Men’s 60 shipped
PayPal Invoice Only
Timestamp + Tagged Photos
submitted by GoatSinceBirth to RepFashionBST [link] [comments]


2024.05.14 16:04 slboat HLK Radar Module Naming Rules

Today we talked to HLK's technicians about the confusing naming issues of HLK's radars, such as is the LD2420 more powerful than the LD2410?
We got some interesting information:
https://docs.screek.io/news/hlk-radar-module-naming-rules
submitted by slboat to screekworkshop [link] [comments]


2024.05.14 15:41 Canadian-Corgi Cough that's going on 3 months now

Hello! I'm a 35/F in Canada, with a history of mild asthma. Non-smoker In early March I got strep throat - doc never did a swab but my tonsils were swollen & patchy white/black. She gave me amoxicillin and that helped. 2 weeks later I could feel something brewing in my chest, I tried to fight it on my own but ended up stopping by a pharmacy where he gave me salbutamol + 5 days of prednisone. That kind of helped, so I ended up at the hospital because of thr weight on my chest. Chest xrays came back clear, that doc gave me amoxicillin again and the round purple inhaler, advair. Went back to the hospital a week later. Doc took blood work, everything was normal (rbc was slightly elevated but was never mentioned) I was still coughing up phlegm, I couldn't sleep on my right side or I could feel the weight of my chest and start coughing again. Mid-April things finally started getting slightly better, but then they seemed to go back to square one a week later. I've been to the hospital + a clinic x2 now, got an EKG done it was normal....got more prednisone and was told to double up on the advair. Takes the edge off but it's not helping overall. A repeat xray last week showed nothing
Now in May I'm still coughing - seems dry during the day and wet at night, I can only sleep on my stomach or sitting up but wake up constantly coughing. If I lie on my side I get a bad wet cough that makes me feel like I'm choking. Sometimes I cough so hard I puke, or I can't seem to hold my bladder or I get pain behind my left eye..like a Charlie horse but in my eye. My chest hurts, my throat is sore from all the coughing. Same with my stomach muscles. When I take a breath in, I can feel pain on my right side/right lung?. If I turn my neck, lean forward, hiccup etc I start coughing again.
At night I take 2 puffs of salbutamol, 2 puffs of advair, an allergra, nasal spray and 2 tablespoons of benelyn and a tea with honey to help a scratchy throat
I go back to see the clinic dr today, I'm miserable.
Thank you in advance
submitted by Canadian-Corgi to AskDocs [link] [comments]


2024.05.14 13:01 Altruistic_Name_992 FIFA CARRER MOD TRACKER BY ME

FIFA CARRER MOD TRACKER BY ME
This table is ready to be used for the top 5 leagues (including lower divisions) + ukrainian premier league, I will update it in the future if you are interested in it.
https://docs.google.com/spreadsheets/d/1be6J0DIM0JwOjBaZh21gI8btar6T6UHQg9i3ubR4tJk/edit#gid=1975226782
Rules for using the tracker table:
  1. Create a copy for yourself to work with the table
  2. Do not edit the cells in which the formula is written, do not delete or create new cells or tables unless you know what it can lead to (the formula is indicated by the = sign in the formula bar).
  3. Most of the cells such as selecting a position, player name, country, club name or competition name work with automatic prompts and drop-down lists. Try double-clicking on a cell or start typing the first characters of a word and the table will help you. Almost all cells with pictures automatically pull in values from DATA, except for the minilines in the PLAYERS table, you will have to insert them manually to get the minilines pulled in automatically in the seasons tables.
  4. the OVERVIEW table is fully automatic, if you need to add your own competition, you can replace the cells with other names, for example VBET LEAGUE, WRITE COMPETITION NAME or other.
  5. PLAYERS table. You only enter position, mini-face, name and nationality by clicking on the arrow, the rest of the columns and cells are automatic.
  6. Season tables 0-15. 0 - This is the initial data of your team, here you enter only the names of the players, you can copy the names from the PLAYERS table or start entering the first characters of the player's name. 1-15 You enter all data except for position, mini-faces, nationality, AVG, GD (goal difference in the table) and PTS (points in the table).
This is my first experience in creating such tables, I will wait for your questions and suggestions.
https://preview.redd.it/vbidl2stid0d1.png?width=1754&format=png&auto=webp&s=9b9eeb22d47432233e2b64dc7280a30f657bf74f
https://preview.redd.it/mfe62srpid0d1.png?width=946&format=png&auto=webp&s=126d5f017ccbf57f24fc0d67c091ac5f066ddd0d
submitted by Altruistic_Name_992 to FifaCareers [link] [comments]


2024.05.14 11:16 VictyLusi [H] Gen (1-8) RNGs, BDSP Legends/Eggs RNGs, (Shiny) SV/SWSH Pokémon/Breeding, Shiny Manaphy, RNGed Dittos, Shiny Jirachi, XD/Colo RNGs and Ribbon services, Vivillons, Items, Code redemptions, and Shiny GO Lgnd/Myth. More inside [W] PayPal

[svirtual]

FT
(Maybe some of the Pokémon won’t be available at the moment) Shiny Celebi 12€, Shiny Meltan 25€, Shiny Melmetal 20€, Shiny Genesect 6IVs (No PoGO Sticker) 35€. Shiny Zapdos, Moltres, Articuno, Entei, Raikou, Lugia, Groudon, Giratina, Reshiram, and Kyurem are available for 7€ each. Shiny Azelf 10€, Shiny Uxie 15€. Darkrai and Deoxys (Normal, Attack, Defense or Speed) 10€ each, Shiny Deoxys (Normal, Attack or Defense) and Shiny Darkray 20€. Shiny PokéBall Latias Lv 11, Shiny PokéBall Latios Lv. 8 35€. Zarude 30€ and Shiny Mew 60€ (Fixed OT)
I also have self-obtained regular PoGO Darkrais. 5€
























*Using Moving Key HOME copies PkBank data. As I have Dex completed you will register all of them even if I transfer only 1 Pokémon. That works to get Original Color Magearna (Just Gen 8-9 Pokémon left) Also Forms and Shiny will be registered too. (No Shiny Locked Pokémon entries anymore, I fixed that)


-Custom OT/Lang Playthrough (6€ Base/DLC1, 10€ Base + DLC1, 12€ Base + DLC2 Paradox, 15€ Base + both DLCs). If you want all Legends from the game (DLCs included) price would be 25€ in total (28€ with Pecharunt*) *I will use 2 different saves because completing Pokedex would be easier in a CFW switch for Ursaluna BM/Paradox but I cannot use Online so the Mythical Pecha Berry and Pecharunt have to be caught in another Switch
-Miraidon/Koraidon 5€ (Custom OT Playthrough). Training service included. Treasures of Ruin are 1€ each, 2,5€ if both specific IVs and Ball.
-Ogerpon, Okidogi, Fezandipiti, Munkidori and BM Ursaluna. 4€ each (15€ in total if you want them all)
-Terapagos, Iron Crown/ Iron Boulder or Raging Bolt/Gouging Fire. 5€ each (12€ in total if you want them all from 1 specific version)
-5IVs, -SpAtk, 6IVs, 5IVs 0Atk, 5IVs 0Spe SPA/JP Dittos. 1-4€ each
-Training: Level, Nature (Mint), IVs (Bottle Caps), EVs, TM/EM Moves, and Tera Type change. 0,5€ each
-Shiny Breeding: Ball, IVs (4-5), EMs, and Nature. You can request Pokémon as Shiny Eggs. 5€ each (If you ask more than 3 the price would have a discount)
-Shiny Paradox Pokémon: Ball (Training service included). 6€ each (3€ if you ask for more than 3)
-Vivillon services. I can get any Pattern but the most plenty I have are Marine, Sun, Jungle, High Plains, and Continental. We can use Union Circle so you can catch them yourself (as many as you want). 3€ each Pattern. For Shiny ones, the service is only available if they are caught by myself, not in online UC mode but I can do custom OT services (4€ each)


-BDSP custom OT/Lang playthrough 6€
-Normal Legends: 2€ Each (Nature and 3-4IVs), 6€ (Nature + 5-6IVs)
-Shiny Legends: 6€ Each (Nature and 3-4IVs), 12€ (Nature + 5IVs)
-Shiny Arceus 10€ (Nature and 3-4IVs), 14€ (Nature + 5IVs)
*If you buy more than one Legend, the price will be cheaper (Less 5IVs ones)*
-Shiny Perfect Eggs 2€, Normal Perfect Eggs 0,5€


-ID 017759: Safari Ball Jolteon, Ultra Ball Drifblim, Premier Ball Diggersby. Master Orbeetle, Dive Ball Ditto, Luxury GMax HA Charizard (Level 50 & 80), Safari GMax HA Venusaur(Level 50), Friend GMax HA Venusaur(Level 80), Dream GMax HA Blastoise (Level 50) and Master GMax HA Blastoise (Level 80)
-ID 220961 Star Shiny: Poke Ball Skuntank, Poke Ball Glalie, Ultra Ball Galvantula, Heal Ball Clefable. Star Shiny Dream GMax HA Blastoise (Level 80)
-Star Shiny Poké Ball Linoone OT Asce ID 875609

-Zacian/Zamazenta customized (Ball, Nature(Mint), IVs(Bottle Cap), TAG and OT) 4€
-Kubfu/Urshifu customized (Nature (Mint), IVs (Bottle Cap), TAG and OT) 4€
-Crown Tundra Legends: Calyrex, Spectrier, Glastrier, Swords of Justice, Keldeo, Dynamax Adventure Legends; 5-6€. Regis, Galar Birds, Cosmog; 2-4€. Customized (Ball, Nature(Mint), IVs(Bottle Cap), TAG and OT).
Ready 3€: Jolly Master Ball Zacian OT Lusi ID 551981, Quirky Master Ball Calyrex OT Lusi ID 871386, Hardy Poké Ball Calyrex OT Lusi ID 098775, Bashful Heavy Ball Calyrex OT Lusi ID 972832 and Dream Ball Rash Eternatus OT Shield ID 909190.



“Any Pokémon from Gen3-7 would be traded through PkBank, HOME, Switch or Files”


-WISHMKR Jirachi 7€ Normal/12€ Star Shiny
-CHANNEL Jirachi 12€ Normal/14€ Star Shiny/16€ Square Shiny
-JP Ageto Celebi 9€ Random/15€ with Nature






-You can ask for Shiny, any IVs Spread, any Nature, custom OT, and Language Tag (Playthrough price not included)
-Tags already available: SPA-JPN, OT LUSI- Lusi


-I can breed all Vivillon Patterns less than 3 due to I created a new save file with the Region of my PAL DS changed. The only ones I can’t breed are Elegant because it is only for Japanese DS Regions and Modern/Savanna because they are for American DS Regions.


Spreadsheet with all FT and Prices:
https://docs.google.com/spreadsheets/d/1uR9jqdMsJmfI69z05oj1XFrKhuScdrqe2yh4bY7_8lQ/edit?usp=drive_link
[ref]https://www.reddit.com/pokemonexchangeref/comments/hruzjp/uvictylusi\_exchange\_reference/
submitted by VictyLusi to Pokemonexchange [link] [comments]


2024.05.14 11:00 c0wg1rl003 Does this piece make sense at all?

Hello! I'm an aspiring short story writer, usually more prose / emotion focused rather than plot. Was hoping to get feedback on this piece I just wrote to see if it made any sense: https://docs.google.com/document/d/1rM1xJbNn6yLeg-oQsQ07JIxKmV3q11WdbsHc-Rm4IQs/edit?usp=sharing
I wanted it to be about time-- my own experiences of it not feeling linear + ruminating on past relationships + not feeling your place in it + the weight of time + the way our conception of time is what makes us human.... not sure if it does any of that. Any and all feedback appreciated!
submitted by c0wg1rl003 to writingadvice [link] [comments]


2024.05.14 10:46 lightofpast is it possible to run some code on apllication termination signal?

I want to run some blocks of code to close websocket server connections etc. Im using nuxt with spa mode enabled. I searched the docs and there is close hook ınside nuxt.config.ts, but when i terminate the program with Ctrl + c it seems the hook doesnt fire or i am doing something wrong. Can i detect whether the apllication is Closed/terminated/stopped within nuxt app?
submitted by lightofpast to Nuxt [link] [comments]


2024.05.14 10:30 OlivePiedevache Recommandation for new Mac

Hello,
I would like to buy a new Macbook. I am a teacher (university) and PhD student. I need a Macbook that can handle the Microsoft suite (especially Word and Powerpoint; some docs will be heavy), having several PDFs open at the same time, Zoom meetings with shared screen, and light "film editing" (to be able to extract an extract from a film). A very good battery life is a must, which is why I don't want a refurbished. I also need it to last 4+ years. I have been recommended the Macbook Pro 11-Core CPU / 14-Core GPU / 18GB Unified Memory / 512GB SSD Storage, but I wonder whether I could just get by with the Macbook Pro 8-Core CPU / 10-Core GPU / 8GB Unified Memory / 512GB SSD Storage, which is also much cheaper (that + the education discount). The Pro seems more practical because of the HDMI port, which I will need.
Thanks in advance for your advice!
submitted by OlivePiedevache to mac [link] [comments]


2024.05.14 10:01 AutoModerator Weekly Game Questions and Help Thread + Megathread Listing

Weekly Game Questions and Help Thread + Megathread Listing

Weekly Game Questions and Help Thread
Greetings all new, returning, and existing ARKS defenders!
The "Weekly Game Questions and Help Thread" thread is posted every Wednesday on this subreddit for all your PSO2:NGS-related questions, technical support needs and general help requests. This is the place to ask any question, no matter how simple, obscure or repeatedly asked.

New to NGS?

The official website has an overview for new players as well as a game guide. Make sure to use this obscure drop-down menu if you're on mobile to access more pages.
If you like watching a video, SEGA recently released a new trailer for the game that gives a good overview. It can be found here.

Official Discord server

SEGA run an official Discord server for the Global version of PSO2. You can join it at https://discord.gg/pso2ngs

Guides

The Phantasy Star Fleet Discord server has a channel dedicated to guides for NGS, including a beginner guide and class guides! Check out the #en-ngs-guides-n-info channel for those.
In addition, Leziony has put together a Progression Guide for Novices. Whether you're new to the game or need a refresher, this guide may help you!Note: this uses terminology from the JP fan translation by Arks-Layer, so some terms may not match up with their Global equivilents.

Community Wiki

The Arks-Visiphone is a wiki maintained by Arks-Layer and several contributors. You can find the Global version here. There you can find details on equipment, quests, enemies and more!

Please check out the resources below:

If you are struggling to get assistance here, or if you are needing help from community developers (for translation plugins, the Tweaker, Telepipe Proxy) in a live* manner, join the Phantasy Star Fleet Discord server. *(Please read and follow the server rules. Live does not mean instant.)
Please start your question with "Global:" or "JP:" to better differentiate what region you are seeking help for.
(Click here for previous Game Questions and Help threads)

Megathreads

/PSO2NGS has several Megathreads that are posted on a schedule or as major events such as NGS Headlines occur. Below are links to these.
submitted by AutoModerator to PSO2NGS [link] [comments]


2024.05.14 09:39 Clyft_ [H] SUM2013 event pokémon, incomplete pgl tapu set, rare shinies still in go and more! [W] Paypal

[svirtual]
Hi everyone! I am selling the following:
https://docs.google.com/spreadsheets/d/1b7NVxBRIypGD_rfqE6zQrENZ5l9XUlimobJMqDbX0jI/edit?usp=drivesdk
All prices are in dollars + fees; Negotiation accepted. Bigger purchases will receive discounts
Facebook (messenger): "Pokémon Home - Trading and Giveaway", “Pokémon Home: Buying, Selling & Trading” or recommended posts.
Reddit: pokemonhome or DMs from other subreddits/wonder card proof sent through DM.
From bought account: Account bought from Pokemon Go Buy/Sell Worldwide, Pokemon Go Accounts Buy/sell Worldwide or DMs. Please be aware that those pokémon may be spoofed.
Please ask if any clarification is needed.
All people I traded the event pokémon with through Reddit or Facebook answered the following questions according to the rules imposed by this subreddit:
I will provide screenshots with the answers upon trading.
Reference with previous trades:
https://www.reddit.com/pokemonexchangeref/comments/14opaqz/uclyft_exchange_reference/?utm_source=share&utm_medium=android_app&utm_name=androidcss&utm_term=1&utm_content=1
EVENTS:
Marshadow ENG, OT: MT. Tensei, ID: 100917, WC $10 Facebook messenger (claimed) me (messenger)
Victini ENG, OT: GF, ID: 09016, WC $5 Facebook messenger (claimed) me (messenger)
Shiny Tapu Fini ENG, OT: Poni, ID: 190524, WC $10 Date skipped Facebook messenger (claimed) me (messenger)
Keldeo ENG, OT: SMR2012, ID: 08272, WC OFFER Sword stamp Facebook messenger (claimed) → me (messenger)
Shiny Giratina ENG, OT: SUM2013, ID: 09273, WC OFFER Sword stamp Facebook messenger (claimed) → me (messenger)
Shiny Palkia ENG, OT: SUM2013, ID: 09093, WC OFFER Sword stamp Facebook messenger (claimed) → me (messenger)
Reshiram ENG, OT: SPR2012, ID: 03102, WC OFFER Sword stamp Facebook messenger (claimed) → me (messenger)
Shiny Tapu Koko ENG, OT: Melemele, ID: 191004, WC $10 Facebook messenger (claimed) → me (messenger)
Shiny Tapu Bulu ENG, OT: Ula’ula, ID: 190222, WC $17.5 Facebook messenger (claimed) → me (messenger)
Shiny Gengar ENG, OT: OCT2014, ID: 10134, WC Levelled up once Reddit (dm) JavelinCheshire1 (claimed) → me (messenger)
Vivillon ENG, OT: GTS, ID: 00108, WC Reddit (dm) JavelinCheshire1 (claimed) → me (messenger)
Incomplete tapu set: $30 flat
(Tapu Fini(date skipped), Tapu Bulu and Tapu Koko) All from the same person, traded for on Facebook messenger and claimed by the person I traded them with. OT Poni, Ula'Ula and Melemele respectively. (See individual ones above)
Pokémon go:
Shiny research Regigigas in a pokéball ENG, OT: custom ID: 773564 40$ self caught me
Shiny research Regigigas in a Masterball ENG, OT: custom ID: 773564 offer self caught me
Standard OT and ID for in go: Luke 773564
Custom OT is possible for in go
submitted by Clyft_ to Pokemonexchange [link] [comments]


2024.05.14 09:00 AutoModerator NC/NP Trade/Sell & Pet UFA/UFT Thread! - May 14, 2024

Welcome to the Daily NC/NP Trade/Sell & Pet UFA/UFT thread. A new thread will be made every day at midnight NST. Please refrain from posting individual threads and use this thread for your trading purposes!

Items

Remember that you can use Ctrl + F to help you find items you might be interested in! Please use the following specific formats to make it easier for people searching for either NC or NP items.

Format - NP

Please use this format when buying or selling items:
Buying:
item
Selling:
item - price (or link to your shop/trades/auctions)

Format - NC

Seeking:
item(s) or link to wishlist
Offering:
item(s) or link to trade list

Neocash Trading

Please keep in mind that you can ONLY trade Neocash items for other Neocash items and cannot buy them with Neopoints.
To trade an NC item you need a gift box that you receive when redeeming NC cards, opening Gift Box Capsules, or other events. To read more about trading Neocash items check out the Jellyneo guide.
If you're trading NC items, here are a couple of guides to help you out with values and avoid being scammed: ALWAYS KEEP AN EYE OUT FOR WHEN THESE WERE LAST UPDATED AS THEY MAY BE OUTDATED.
Neocash Guide Hub
/~Neocash - Neocash Petpage Hub
/~Helper & /~Cashier - NC Trading Guides
Most Recently Updated Value Guide
/~Owls - NC Wearables A through J
/~OwlsTwo - NC Wearables K through Z
/~Upstairs - Owls, but all on one page without assigned dates
/~Valisar - Non-Wearables
List last updated Nov 27th, 2023

Pets

This also is the place to post all your pets that you are seeking new homes for, whether you're trading or adopting out.
Please post the pet or pets you currently have up for adoption, that you are zapping to adopt out, or that you wish to trade.
You do not have to post the name of the pet or the name of your account if you do not wish, but remember to check your reddit PMs if this is the only means of communication you are allowing!
Please update or edit your comments once you have found a new home for your pets.
For guides and resources, I would check out the following pages:
Pet Trading Guides
/~kalux - General Links and Resources
/~Erizolen - General PC Guide
/~pcguide - Another PC Guide
/~Maureen - Primary UC Trading Tier Guide
/~Tradez & /~Laural - Past UC Trades
/~Applebean - Past BD Trades
Pet Dream Lists
/~ZYDP - Zap Your Dream Pet
/~Eggso - UC Project & UFA UC Listing
/~Hootiolado - H.E.L.P's Dream Pet Listing
/~Moonsis3 - MOON's Dream Pet Listing
/~Clurisa - The Fortunate Ones Adoption and Dream Granting Agency
/~Kiasa - Wondertrade's Dreamy Dreams Directory
Extra Paintbrush Clothes
/Neopets Discord Paint Brush Clothing Spreadsheet
/~Gladiro
/~Kyynator
/~Extrapbclothes
List last updated Nov 27th, 2023

Rules

  1. DO NOT mention /neopets or reddit on Neopets in any way.
  2. Be excellent to each other, as always.
submitted by AutoModerator to neopets [link] [comments]


2024.05.14 08:39 ZealousidealLight653 Premier projet après 15 ans sans monter un pc.

Premier projet après 15 ans sans monter un pc.
Salut à tous,
Après 22 ans sans monter de pc (le dernier, j'avais 14 ans...un pentium...), je me suis mis en tête de tenter l'affaire.
Autant dire que je me sens parfois dépassé, je n'ai pas vraiment suivi l'évolution donc le gap est énorme, même si j'ai gardé un intérêt pour la tech (actuellement je vend et fais du sav sur des serrures connectées, bon..je suis pas encore si vieux quoi)
Quoiqu'il en soit voici la config que je me fais :
I5 14600k Aorus Z790 elite wifi7 Rtx 4070 plus Msi (j'ai pas le budget pour mieux) 32go ddr5 corsair Boîtier BeQuiet base 500 fx Watercooling 280mm BeQuiet Alim BeQuiet 850w Un ou 2 ssd 2to, ptet un ssd sata pour les fichiers + doc du boulot
Je vise le 1440p principalement sur un 32 pouces incurvé.
Je vais sûrement avoir besoin de conseils lors du montage, mais ça devrait pas poser de soucis ya rien de particulier. plutôt la partie configuration dans le Bios ou la faut être minutieux et que j'ai jamais fait.
submitted by ZealousidealLight653 to pcmasterraceFR [link] [comments]


2024.05.14 08:00 AutoModerator Weekly Questions and Answers Post - FAQ, New/Returning Player Questions, and Useful Starting Resources!

Weekly Questions and Answers Post - FAQ, New/Returning Player Questions, and Useful Starting Resources!

Hello and welcome to PlayBlackDesert! Please use this thread to ask any simple, frequently asked questions you have about the game. This thread is refreshed every three days to allow time for responses, but in a pinch you should use this post for links to helpful resources.

Don't play Black Desert on Console? Try these subreddits for more specific help:
Black Desert for PC BlackDesertOnline
Black Desert Mobile BlackDesertMobile

For new or returning players, these links may be helpful for answering your question:

Black Desert on Social Media:

Issue with the subreddit or your post/comments? Message the mods. (not in-game/BDO support)
Issue with reddit or your reddit account? Send a ticket to reddit help. (not in-game/BDO support)

https://preview.redd.it/nrhyutv3hdl71.png?width=1200&format=png&auto=webp&s=936d41a7d3dfa82f8d1f3e42fdd0742caa20a118
submitted by AutoModerator to playblackdesert [link] [comments]


2024.05.14 07:06 Objective_Box5956 Just finished my third 100% play-through

Just finished my third 100% play-through of Tears on the 1 year anniversary. It’s pretty brutal to 100% this game, but I enjoyed it. Here’s my 100% list:
I compiled a list of things I found online that helped me farm material so hopefully it’ll help others. My apologies for no credit to those who contributed. I simply copied and pasted a lot of these - but some are my own contributions.
____________________________________________________
Useful Links
Zelda Dungeon Interactive Map
Armor Upgrade List
Horse Upgrade List
100% Map Landmark Guide (Helped me find a few missed locations)
____________________________________________________
Missed Locations (after collecting all Koroks, quests, shrines, caves, and wells)
Missed all 3 times
Kolomo Garrison Ruins
Missed Twice
Gatepost Town Ruins
Castle Town Watchtower
Lost Woods
Inogo Bridge
Dracozu Altar
East Passage
Water Reservoir
Kolomo Garrison Ruins
Missed Locations (2nd and 3rd run-though)
Desert Rift
Device Dispenser on Thunderhead Isles
Sargon Bridge
Drena Canyon Mine
Retsam Forest Cave (North Entrance)
Missed Locations (1st run-through)
Lutos Crossing
Lanayru Road - West Gate
Canyon of Awakening Mine
Abandoned Eldin Mine Forge Construct
Floret Sandbar
Faron Woods
West Passage
Dalite Grove
Grove of Time
Nabooru Canyon Mine
Walnot Canyon Mine
Madorna Canyon Mine
Hickaly Grove
Rozudo Canyon Mine
Daval Canyon Mine
Granajih Canyon Mine
Agaat Canyon Mine
Applean Grove
Rok Grove
Rhoam Canyon Mine
Ruto Canyon Mine
Akkala Bridges (all 3)
Stolock Bridge
Crystal Refinery in Lookout Landing
Faloraa Canyon Mine (last one)
____________________________________________________
Final Koroks (2nd and 3rd time)
____________________________________________________
Money Makers
____________________________________________________
Armor / Weapon Tips
Rock Octoroks
Mark these locations on your map and visit when you want to refresh a weapon. Turn off Sages or they will shoot the Octoroks before they refresh your weapon. One thing I found out on my own is you don’t have to wait for the Octorok to spit the weapon out, as soon as he sucks it in, shoot him with an arrow and your weapon will be good as new.
https://preview.redd.it/6njacxsk7e0d1.jpg?width=1080&format=pjpg&auto=webp&s=e973024978dd8c0536dc7c2815b4c75b02ec6313
Lizalfos Tails
Will update later
Fighting Lynels
Royal Guard’s Claymore: you can find inside Hyrule Castle behind a broken statue in Hyrule Castle Sanctum (-0282, 1086, 0356). I liked to fuse Molduga Jaws with this. Once fused, keep kitting the ground or anything until you get the message: “Your Royal Guard’s Claymore is badly damaged,” then hit it 2 more times. Your weapon will be down to 1 hit and 1 hit only before it breaks. Save this weapon for your Lynel fights. When you ride the backs of Lynels, you have infinite weapon durability so your weapon won’t break. Combine Royal Guard’s Claymore fused with Molduga Jaw and Radiant Armor, you’ll be able to defeat most Lynels in 3-6 hits. Be sure to save before and after fighting each Lynel in case your weapon break.
Pristine Royal Guard’s Claymore
I didn’t find this until my 3rd playthrough. Picture below are statues where 2-handed pristine weapons spawn. Go there every Blood Moon and eventually you’ll find a pristine one to make fighting Lynels even easier.
https://preview.redd.it/bd4qwp4n7e0d1.jpg?width=1080&format=pjpg&auto=webp&s=716a518b7407d695024d21856ad564123827cbe1
Gibdo Bones
Best place to farm is a room inside the Lightning Temple, just strategically set up mirrors. Other good farming locations are the Ancient Altar Ruins and the Gerudo Underground Cemetery. These make great fuse arrows combined with Level 2+ Radiant Armor.
Potions
I didn’t realize this until TOTK (and never tried it in BOTW), but you can actually make 30 min potions from Monster Extracts (instead of using hard-to-grind Dragon Horns). You might have to save scum (save before, make potion, if it’s not what you want, then reload game) to get the 30 mins, but Monster Extracts are only 50 rupees and easier to get than Dragon Horns.
Rocket Shields
Oromuwak Shrine (east of Rito Village). I visit here regularly to stock up on Rocket Shields.
Zonaites and Crytalized Charges
Hudson Signs
Horses
4-4-5-3 Stat Horses Found Southeast of Bublinga Forest
Gems Info
_____________________________________________
How to get Stars
Notes: You can do this with any of the other Skyview Towers below, but you must rest until night in between each star. Gerudo Canyon Skyview Tower seems to be the most convenient because there is a cooking pot next to Pikango at the base of the tower.
Also works with (not confirmed on my end)
_____________________________________________
Silent Princess and Blue Nightshade
(-2476, -0646, 0208)
Milk
Acorns
Dragon Parts
Beetles
Hinox
Black Lizalfos
Black Boss Bokoblin
Red Boss Bokoblin
Blue Lizalfols
Captain Construct I locations
Captain Construct II locations
Captain Construct III locations
Horriblins
Desert Colosseum
Gibdo Wings
Gerudo Underground Cemetery
Sand pits
____________________________________________________
Shopping
Restock Shops
To restock any shop in Tears of the Kingdom, here is what you will have to do.
  1. Buy out the item in the shop until there are none left.
  2. Take out wood and flint to make a fire.
  3. Rest by the fire till the next day.
  4. Manually save the game.
  5. Load the game from the save you just made.
Hateno General Store
Hylian Rice x5 (need 38 + recipes)
Swift Carrot x10 (need 10 + horses + recipes)
Bird Egg x5 (need 12 + recipes)
Fresh Milk x3 (need 66 + recipes)
Goat Butter x5 (Need 84 + recipes)
Kakariko General Store
Aerocuda Eyeball x3 (need 42)
Aerocuda Wing x3 (need 48)
Kakariko General Store Trissa
Goat Butter x5 (need 84 + recipes)
Swift Carrot x12 (need 10 + horses + recipes)
Bird Egg x5 (need 12 + recipes)
Fortified Pumpkin x3
Lookout Landing General Store
Hylian Rice x3 (need 38 + recipes)
Fresh Milk x4 (need 66 + recipes)
East Akkala Stable
· 3 Sticky Frog (need 30)
· 3 Smotherwing Butterfly (need 15)
Lakeside Stable
· 2 Sticky Frog
· 3 Thunderwing Butterfly (need 9)
· 2 Hightail Lizard (need 21)
South Akkala Stable
· 2 Sticky Lizard (need 24)
· 3 Hightail Lizard (need 21)
· 2 Fireproof Lizard (need 15)
Woodland Stable
· 3 Cold Darner (need 15)
· 3 Fireproof Lizard (need 15)
Kara Kara Bazaar General Store
Green Lizalfos Tail x3 (need 18)
Riverside Stable
· 5 Hylian Rice (need 38)
· 3 Thunderwing Butterfly (need 9)
· 3 Electric Darner (need 15)
Tabantha Bridge Stable
· 4 Fire Fruit (need 9)
· 3 Summerwing Butterfly (need 15)
· 3 Winterwing Butterfly (need 15)
· 3 Thunderwing Butterfly (need 9)
New Serenne Stable
· 4 Warm Darner (need 15)
· 4 Sunset Firefly (need 15 + 10 + 10)
Kara Kara Bazaar
· 5 Summerwing Butterfly (need 15)
· 5 Cold Darner (need 15)
Snowfield Stable
· 3 Summerwing Butterfly (need 15)
· 3 Warm Darner (need 15)
Kara Kara Bazaar
Summerwing Butterfly x5 (need 15)
Cold Darner x5 (need 15)
Foothill Stable
· 3 Thunderwing Butterfly (need 9)
Wetland Stable
· 3 Smotherwing Butterfly (need 24)
Rito Village General Store
Goat Butter x5 (need 84 + recipes)
Cane Sugar x3 (need 24 + recipes)
Tabantha Wheat x3 (need 42 + recipes)
Sunshroom x4 (need 15)
Korok General Store
Tabantha Wheat x2 (need 42 + recipes)
Hylian Rice x3 (need 38 + recipes)
Cane Sugar x3 (need 24 + recipes)
Goron General Store
Cane Sugar x3 (need 24 + recipes)
Goron Spice x3 (need 12 + recipes)
Zora General Store
Hylian Rice x4 (need 38 + recipes)
Swift Violet x4 (need 90)
submitted by Objective_Box5956 to tearsofthekingdom [link] [comments]


2024.05.14 06:13 Reddy486 My BPD + NPD mom just took advantage of my post-Covid psychosis to have me (mis)diagnosed with schizophrenia and thrown in a conservatorship/guardianship.

I try to cut contact with her and this is how she responds.
When I was having a psychotic episode last year (due to Covid-related brain inflammation) she manipulated me into committing myself to a psychiatric hospital (I was hallucinating so it was easy for her to do this). Upon leaving the hospital, docs onboarded me with a psychiatrist who prescribed me 20mg Prozac.
SEVERAL MONTHS LATER I tell my mom I no longer want to have a relationship with her because she has severely abused me through my life.
A few days later, she contacts my psychiatrist and feeds him a bunch of lies about how I’m “sleeping on the concrete floor in the basement” etc etc.
The psychiatrist 1) believes her fully 2) doesn’t double check with me 3) diagnoses me with schizophrenia based on my one covid-related psychotic episode (naturally he doesn’t acknowledge the existence of post Covid psychosis) and 4) he signs a form certifying that my judgement is impaired and I need to be placed in a guardianship “without limitation.”
His reasoning for why my judgment is impaired:
-I’m unemployed… which is entirely due to my long Covid health issues and depression from the reality of being stricken with long Covid + ground down by living with my parents who constantly abuse me. Plus the Prozac he prescribed made it impossible to concentrate on anything.
-I’m eating too much salt (no joke)
A few weeks ago, with no warning, I’m served papers for a guardianship hearing.
The court official “guardian ad litem” interviews me and writes a report, full of punctuation errors, endorsing the guardianship. He says the guardianship should grant my mom power over all areas of my life, including where I get to live.
As for my mom’s abuse? He casts doubt on my accusations and insinuates I’m being petty and overly critical. My mom clearly has my best interests at heart and would be an excellent guardian etc etc.
He also never mentions that it’s his job to help me find a lawyer to represent me in my hearing… I figure this out a few days before hearing is supposed to take place… I go to the hearing without a lawyer…
At the hearing, the judge listens to my objections but allows the guardianship go through, sighting the schizophrenia diagnosis provided by the psychiatrist.
I’m numb right now.
I know my mom will do everything she can to make the guardianship as invasive as possible + last as long as possible. She is currently talking with her lawyer to see how the guardianship can be expanded.
She is nothing but cruelty, hatred, hold me back as much as possible, make my life just as bad as hers etc. that’s all she does.
I guess I’m looking for Advice? Emotional support? Can anyone… relate?
submitted by Reddy486 to covidlonghaulers [link] [comments]


2024.05.14 06:07 Hiking_Engineer Redditor's Meandering Along the Trail - Revenge of the 7th (week)

Feel free to sign up now even if you’re not going to be on the trail for a while yet. We won’t start posting your updates until they become trail related. There are a handful of people that have signed up that either have their profiles private, or did not include their Reddit account, making it impossible to reach out to them. I can’t message a person that doesn’t have an account to send to.
 
Link to Sign Up
Introduction Post
Here are the folks that are sprogressing down the trail!
 
Heather + Chuck on Instagram and Youtube - Ponies! And a quarter way into the trail, but ponies!
 
Ricky Bobby on Youtube and Instagram- First grouse thru-hiker confirmed.
 
Ben on Youtube and Instagram- I really do love the giant AT arrow on that barn. In Damascus but not for trail days, just stopping by to eat and watch the cows wade around.
 
Matt on their Personal Blog - 20 miles by 4pm, or as my fellow hikers like to call it, a Tuesday.
 
Spark on their Instagram- Water source tried to kill them, but then they aquablazed to get revenge.
 
Bartbug on their Personal Blog and Youtube - Better to stand on the bunion than have the bunion stand on your
 
Eric on their Instagram - It’s the Damascus marathon because it’s 26.2 miles of hiking and you end at the Marathon Gas Station. Just like the ancient Greeks did.
 
Riley on their Instagram - Climbing out of the NOC is probably the greatest experience on the trail. Fill up on good food on an oft used nero/zero day and then haul that newfound food baby up a steep mountain just for giggles.
 
Longwood on his Instagram - That is a comically fat bear in a tree. Baby’s are super cute though.
 
Derek on Instagram - It’s actually illegal to get a haircut while on trail. Little known fact.
 
Xander on Instagram - Foggy or Smoky, you be the judge.
 
Don’t have one yet on Youtube - Another flip flopper here, starting out at Harper’s Ferry and heading northbound.
 
These folks are either off trail or haven’t updated in awhile. Give them a look-see
 
Hobear on Youtube and their Personal Blog
 
Explorgaytion on Instagram
 
Chris Kelley on their Personal Blog
 
Happy Mother’s Day y’all. It’s been real nice the last couple weeks so I hope everyone’s been getting outside.
submitted by Hiking_Engineer to AppalachianTrail [link] [comments]


2024.05.14 05:58 takawbelle LTO Renewal of Car Registration + Transfer of Ownership

Hello!
Who has renewed their car registration recently and/has or processed the transfer of ownership with LTO? Ask lang ko kon need pa appointment, or pwede walk-in. Compiling the needed docs right now. Based sa past experience ko sa LTO bi, ginahungod nila pabudlayan ka para masalig na lang sa fixers, which I do not want to do.
submitted by takawbelle to Iloilo [link] [comments]


2024.05.14 05:03 notoriousbck Anyone diagnosed with Gastroduodenal or Jejunal Crohn's that did not show up on MRI ?

I posted about this awhile back and did not get much response but I am gaslighting myself and need people who have gone through this or similar to help me be objective.
I will Try to keep this brief but it's a lot.
-long history of stricturing Crohn's of terminal ileum diagnosed in 2006. First resection Sept 2018, Last resection in April 2022. Surgeon told me he found Crohn's high up in small bowel, could not remove safely, hoped new biologic (Stelara) would take care of it.
-6 month delay in starting Stelara due to GI F up (forgot to send preauthorization)
-July 2022 began having severe upper gastric pain (under ribs and belly button) after even the smallest amount of food, followed by severe nausea and often vomiting. Within half hour multiple liquid BM's undigested food and insane amount of fluid. Began to eat less and less, moved to soft diet, and finally to complete liquids in August 2023
-July 2023-Oct 2023- Weight loss of 20 lbs over 3 month period. Many ER visits needed for rehydration and IV anti emetics and pain meds as could not keep down any oral meds. GI did colonoscopy but only found microscopic Crohn's in anastomosis site (he only took 2 biopsies from that area and nowhere else). CT's done in hospital showed thickening of wall of ascending colon, and collapsed bowel, free fluid in peritoneum. GI dismissed as "not reliable". Fecal Cal slightly elevated. Constant low grade anemia. After 4th ER visit in Oct 2023 they did a high res Ultrasound and I was admitted by surgery department. However, as I was urgent but not emergent, there were no beds available. Was given choice of staying in ER and receiving IV steroids, or going home and following up with GI. Chose home and was given Entocort. Entocort slowed down bowel from 30-50 bm's a day to ten. Did not help pain, nausea, vomiting, lack of ability to eat. After several desperate emails where I begged for help, said I wanted to die-GI ordered urgent MRI, would not change meds or give prednisone without "proof".
-November 2023-Began to experience fatigue like never before. Could hardly keep eyes open. This would be followed by severe upper gastric pain, nausea, vomiting and diarrhea that went on for days, followed by constipation for 1-2 days and severe bloating, only on the left side of belly which would be rock hard and hot to the touch. Then the diarrhea cycle woud begin again. Always pure liquid, sometimes black, always tons of mucous.
-Went to Mexico to visit my parents for the holidays where I usually feel better but still could not eat. Injecting myself with IM Gravol (anti emetic) just to keep fluids down. I lived off of chicken broth with rice. Saw GI in private hospital. Ordered full workup. Blood found in stool. 3 D CT ordered (could not find a vein for IV after 5 nurses, two doctors, and a radiologist with a vein finder so only had oral contrast) showed inflammation in small bowel, thickening of the ascending colon wall 11 mm, and inflammation of ileum. He wanted to send me to special IBD hospital in Mexico City for MRI but it would have cost 2500$ so I decided to wait till I got home to Canada where it would be free. Treated me with antibiotics for IBS (only available in Mexico and Germany) Zero improvement. I lived off of electrolyte drinks.
-Jan 29th 2024 returned to hospital because I could not keep any oral meds in (pills would be in toilet) also pain was 9/10, high fever, vomiting. Admitted again, but no beds. Left AMA with another prescription for Entocort.
-Feb 12 2024- High fever followed by two days of 40 plus liquid BM's, some of them bloody, all of them black. Husband insisted back to ER where I was admitted immediately. Cortisol levels 11 (close to adrenal failure) very low potassium. Doc said if we'd waited I likely would have died from heart event. Spent 8 + weeks in hospital having every kind of test imaginable. NOTHING showed on MRI, inflammation on CT, lower scope clear, upper endoscopy showed inflammation in esophagus, stomach, and duodenum. Negative for H Pylori, negative for celiac. Started on 150 mg of hydrocortisone for low cortisol to rescue my organs. MRI of brain showed small tumour on pituitary. Endocrinologist did ACTH test and was unhappy, kept me on 40 mg of hydrocortisone IV. PICC line insertion went awry when they Discovered I had complete stenosis of veins and needed port catheter surgically implanted. Was on TPN for 5 weeks. Needed pain meds and anti emetics every 4 hours or severe vomiting and diarrhea would ensue. 30-50 liquid bm's continued (they made me write down everything I ingested and every time I had a BM. They tested me for everything. No blood, NO CDiff, no parasites, no infection. High fever 104.5 plus delirium and CRP shot up to 50. Continued Anemia, blood work all over the place, even with TPN I needed potassium and sodium boluses 3 times a day.
-Requested pill endoscopy, GI said no Crohn's, no need for test. Suggested psych evaluation for a fucking eating disorder. Endocrinologist disagreed, said starvation and whatever disease process was causing symptoms was causing my cortisol issue. Psych diagnosed medical PTSD and generalized anxiety disorder (no shit) but NO eating disorder. Fired GI and hired IBD specialist from another city. Re ran all tests, CT showed huge diverticulum on duodenum otherwise clear. Was going to be moved to a ward from a private room. Had a panic attack because I could not share a bathroom and was not about to use a commode. Asked to be discharged after nearly 9 weeks. They were so overcrowded and basically did not know what else to do to help me, so they let me go even though I was still on TPN and NPO. Got a 5 minute instruction on how to insert a butterfly catheter for pain meds, and let go.
-Present-3 weeks later, still on liquid diet, (Boost drinks, blended oatmeal, yoghurt and soup) still on sub q and IM meds. Finally got new IBD doc to order capsule endoscopy and is treating me for SIBO (never been tested) plus set me up with nutritionist and psychologist for support. MRI repeated- totally clear.
I FEEL CRAZY. This is the sickest I have ever felt. It's been almost a year since I chewed food. The pain under my ribs just to the left of my belly button is now constant, whether I eat or not, pain meds barely take the edge off. Sometimes it's so intense I can hardly breathe. I keep passing out on the toilet. I projectile vomit daily, even using Gravol and Pantoprozole, the bile acid is awful. I've been doing tons of research and have learned that GDC and Jejunal Crohn's are extremely hard to diagnose. I have every single symptom and fit the criteria. Does this sound familiar to anyone????
submitted by notoriousbck to CrohnsDisease [link] [comments]


http://rodzice.org/