Shaman resto 4.0.1 basics

Onyxia keeps destroying me

2024.05.16 19:24 sjohnson737 Onyxia keeps destroying me

Watched a few vids multiple times read every post since 4.0 mentioning onyxia and basically it comes down to I suck. I've got a drank deck 26+. All minis just dinged and none close to having enough stars to upgrade. Basically I can't get any stronger any time soon without being a whale. Constantly get to phase 3 barely then run out of time.
Using pryo, eggs, bandits, skeleton, shaman, then either drake or witch doctor though honestly I can't tell much difference. All using right talents and all minis higher than recommend.
*Any other tips that weren't intuitive?
Getting nervous with the whelps getting nerfed soon and all my other minis are super low and or common and figure I'll just quit if I can't get it by then.
Tl:Dr I suck at this game, any onyxia tips appreciated
submitted by sjohnson737 to warcraftrumble [link] [comments]


2024.05.16 19:04 Usual-Ad-3597 I’ve built 20%+ conversion rate landing pages. Here’s how, with examples included.

Hi, my name is Luis.
I’ve built landing pages for SaaS companies that convert 20%+ of cold ad traffic into paying customers. In my agency we charge up to $10k for a single landing page (based on initial fee + performance fee).
Here’s some advice on how to increase your landing page conversion rate.
At the end of the day, paid ads are the best acquisition channel for a startup (it is scalable, predictable and automated), but it has become fu***ng expensive.
You can’t make ads cheaper, but you can turn a 2% CR landing page into a 20% CR landing page to make your ads profitable (and you already know what profitable ads mean: More customers, more revenue, more profit, more investors, more cash, etc.).
Based on what I've seen, high-converting lading pages follow three rules. But, first of all, if I've been able to build 10%, 25% and even 40% conversion rate landing pages is because I understand what drives conversion. Let me explain.
Do you know why they say that the money is in the follow-up? Because the difference between someone who doesn’t know about your product and a buyer is FREQUENCY.
Frequency drives conversion.
Why are retargeting ads so powerful? Because what they really are is a frequency campaign. Constant exposure to THE SAME ONE THING again and again and again.

Conversion rule #1: One big idea or message.

How you communicate your product is crucial. Communicating your product goes way beyond features and benefits. You need a big idea or message.
Sales pages with a conversion rate of 10%+ convey ONE (and only ONE) big idea. And they do it repeatedly—again and again and again and again and again and again.
My headlines refer to my idea, the body text talks about my big idea, my visuals depict my idea, my Q&A centers around my idea, the testimonials I include are the ones that mention my big idea, etc.
A big idea / big message is easy to remember and gets stuck more easily in our brain through repetition.
Which one is easier to remember?
"Focusing without distraction on a cognitively demanding task for an extended period…"
Or...
"deep work.”

Conversion rule #2: No options, no distractions.

That means no pricing plans, no bar menu, no about us page, no links, no “join our email list,” etc. Only one page, where the only way of getting out is by clicking a CTA button that takes you to the sign-up or a demo call.
When it comes to your offer, there are numerous variables to consider: Free trial or no free trial? 7-day or 30-day trial? Pricing? Plans? Features? Cc required or not required? Etc.
I would really love to advise you on exactly what to offer, but I don’t know your product, your industry, your competitors, etc. I can only say that each option has its pros and cons.
For example, free trials without a credit card requirement tend to convert better, but they also attract less committed users (most of those people won’t even try your product).
I’m not stating that one is definitively better than the other. What I’m trying to convey is that you need to test different variables. What works for another company might not work for you, and vice versa.
Remember: Options kill conversion.
So forget about pricing plans. Create ONE compelling offer designed for customer acquisition.

Conversion rule #3: Easy to read.

Headlines, headlines, headlines...
The rest of the copy doesn’t really matter. Convey your big idea through your headlines. Literally.
I should be able to understand your product solely by reading your headlines. The rest of the copy should sell your big idea again and again and again. People are lazy and will scan your page (via headlines) for 10 seconds, before deciding if they understand what your product is about. If they like it, they will keep reading.
So, don’t use typical, vague marketing headlines.
Headlines you don’t want:
“Powered by AI”
Headlines you want (specific):
“Save 300 hours per month thanks to our customizable AI.”

Easy to read. Easy to remember. Full frequency. No distractions.

Those are the building blocks of a great sales page.

Now, I know what you are thinking…

“Everything here resonates with me except ‘no pricing plans’. Can you clarify what you mean?“
My response…
  1. Build a second landing page: A dedicated landing page where you’ll be driving ad traffic to and which is designed for conversion.
  2. This page should target one specific group of people.
  3. Put together ONE single offer: One price point, one set of features and an incentive to sign up TODAY.
  4. Want to target another group of people with another messaging/price point/set of features? Go ahead. But, don’t offer 3 plans that will generate friction and create confusion when your CTA is a free trial, bc people will choose the most basic plan in 99% of the cases.
“Would you be ok with sharing landing pages that are at 20% or more? I’m a visual learner so would be cool to see something tangible.”
Yes, click here?node-id=0%3A1&t=2RNjGZslsPF1E3TG-1) (Figma file with 3 pages built by me and my team).
“Where do all these ideas come from? I’m curious to see your entire approach. ”
Here you'll find a $35 guide that I’m selling profitably through ads. I want to give it to this community for free. Inside, you’ll find my entire approach and philosophy to make paid ads profitable.

Last but not least

If you've read all this and come this far, you can comment your landing page, and I'll do my best to review it for free :)
I only hope this post was helpful. Let’s make paid ads for SaaS startups great again!
Thanks, Luis Barcala (linkedIn: Ratio Fellowship, in case you want to know more about me or even connect).
submitted by Usual-Ad-3597 to SaaS [link] [comments]


2024.05.16 19:04 ojiber Has Jax PRNG random number generation changed?

This seems incredibly stupid, and maybe the docs are just wrong, but I've been following the Flax docs to try and learn how the framework and it's been really interesting and enjoyable. I've encountered one of the pieces of code where I get a different ouptut than what they get and I'm kinda freaking out about it.
Docs: https://flax.readthedocs.io/en/latest/guides/flax_fundamentals/flax_basics.html#module-basics
import jax from typing import Any, Callable, Sequence from jax import random, numpy as jnp import flax from flax import linen as nn class ExplicitMLP(nn.Module): features: Sequence[int] def setup(self): # we automatically know what to do with lists, dicts of submodules self.layers = [nn.Dense(feat) for feat in self.features] # for single submodules, we would just write: # self.layer1 = nn.Dense(feat1) def __call__(self, inputs): x = inputs for i, lyr in enumerate(self.layers): x = lyr(x) if i != len(self.layers) - 1: x = nn.relu(x) return x key1, key2 = random.split(random.key(0), 2) x = random.uniform(key1, (4,4)) model = ExplicitMLP(features=[3,4,5]) params = model.init(key2, x) y = model.apply(params, x) print('initialized parameter shapes:\n', jax.tree_util.tree_map(jnp.shape, flax.core.unfreeze(params))) print('output:\n', y) 
This is pretty much verbatim what they have in the docs however, they report this output:
initialized parameter shapes: {'params': {'layers_0': {'bias': (3,), 'kernel': (4, 3)}, 'layers_1': {'bias': (4,), 'kernel': (3, 4)}, 'layers_2': {'bias': (5,), 'kernel': (4, 5)}}} output: [[ 4.2292815e-02 -4.3807115e-02 2.9323792e-02 6.5492536e-03 -1.7147182e-02] [ 1.2967806e-01 -1.4551792e-01 9.4432183e-02 1.2521387e-02 -4.5417298e-02] [ 0.0000000e+00 0.0000000e+00 0.0000000e+00 0.0000000e+00 0.0000000e+00] [ 9.3024032e-04 2.7864395e-05 2.4478821e-04 8.1344310e-04 -1.0110770e-03]] 
Which seems completely logical, but I get:
initialized parameter shapes: {'params': {'layers_0': {'bias': (3,), 'kernel': (4, 3)}, 'layers_1': {'bias': (4,), 'kernel': (3, 4)}, 'layers_2': {'bias': (5,), 'kernel': (4, 5)}}} output: [[ 0. 0. 0. 0. 0. ] [ 0.0072379 -0.00810347 -0.02550939 0.02151716 -0.01261241] [ 0. 0. 0. 0. 0. ] [ 0. 0. 0. 0. 0. ]] 
I notice a couple of things here, the zeros seem a bit hinky, I first noticed this because of the zeros when I tried making x a (10, 4) shape instead and all the rows but the second were zeros.
I'm going to keep going with the tutorial and just assume that this is just a mistake in the docs but should I be worried about this?
submitted by ojiber to learnmachinelearning [link] [comments]


2024.05.16 18:48 How_find_username Crit Zed guide by me

Crit Zed guide by me
A few people asked for it so here it is.
tldr: DO NOT GO ON SOLOQ WITH IT

ITEMS

https://preview.redd.it/iisxydg6et0d1.png?width=561&format=png&auto=webp&s=f250c49e50b92de6997b334b7a52207b1cffd891
  • Whole set up is very scaling, that is why you always want hubris as your first item no matter if you are 0/5, you play with mindset that you will bounce back, bonus AD is great with crit that's why hubris is such a good item.
https://preview.redd.it/87ut9bkfet0d1.png?width=579&format=png&auto=webp&s=682988eceab9d0feec039ba1cdf9076166936a22
  • For second item you go collector most of the times, it has much better build path then LDR, you can go LDR second when you see 3+ armor items coming in enemy team otherwise collector is better.
  • Here you simply buy LDCollector depend on your previous choice, many people go LDR Inifinity combo right away, you can do that but IE is very expensive and it takes very long time to complete, plus it's working only if you LDR second, otherwise LDR is always a better choice.
https://preview.redd.it/xfo0nj1het0d1.png?width=579&format=png&auto=webp&s=ff414f4b38832228bec5bc42a7a1e80d406a4db1
  • Inifinity Edge 4th item is what I like the most, it's much easier to gain gold later on in the game and huge AD values scale with 50% crit chance already.
https://preview.redd.it/sqedl56iet0d1.png?width=572&format=png&auto=webp&s=4ff42b5a3303b807f75f9728091ef640d23d7e35
  • First 4 items are core, but now you can pretty much go whatever you like, for me If we talking about DAMAGE, opportunitry is great when it comes to Lethality/AD/gold cost item, I recomend going lethality item because it simply deal the most dmg, considering 100+ armor enemies.
https://preview.redd.it/bnultgljet0d1.png?width=576&format=png&auto=webp&s=e59d2582461f2ea63b881daa0bb9c50714059c5f
  • Last item you sell your tier one boots for anything you basically need, I like going youmuu for movement but if you want highest AD aviable go for Bloodthirster.

RUNES

https://preview.redd.it/si8wd8awet0d1.png?width=1290&format=png&auto=webp&s=92a48e51f3d2b6715cbf616742b54c247c468bef
Keeping in mind our build is scaling based and is very expensive we go with money printing runes set up.
  1. First strike for bonus dmg and gold is the best choice.
  2. Cash back is another 700-800 gold on full build, that is why it's better then free boots.
  3. Triple tonic cuz other runes sucks.
  4. Jack of all trades, it's kinda trash and cosmic insight is much better for zed overall but it gives you 10AD (we like those).
second tree: Sorcery, why? Because we go for this AD bby, and this gives us the most
  1. Absolute focus, 18 bonus AD lvl 18, nothing more to say tbh
  2. Gathering Storm, perfect rune for scaling cheasers like us.
you can go domination second rune tree:
https://preview.redd.it/0zxe909dgt0d1.png?width=405&format=png&auto=webp&s=c15d27923a0b0093a07f891e18f02ce5d686ff84
you gain more gold and some AD, but for me it's worse.

CONCLUSION:

Till hubris you are totally ok, dirk plus triple tonic and new first strike are pretty nice in lane and you can grid for some solokills. After completing Hubris it's kinda tough, item is way worse then eclipse cyclosword but don't worry, we scaling. On 2 items you still feel weaker then if you went casual lethality build, but 3 items is when you start dealing dmg and bold to say it is same or better then casual build. When you have your Inifinity you are able to kill pretty much everything as long as you can kite well. Last 2 items are cheaper you print money fast and you must decide if bonus lethality, bonus AD or situational items are best here.
Build is fun as hell, (pretty sure it can be modified to be actually playable in soloq), it lacks CDR and it is the biggest issue, if you are behind early, killing one person is all you can do for most of the part but it can snowball better then ever and stats you are able to get with this build are absurd. Hope you like it, reminder it's all subjective, you can disagree go with what you like the most, if you have any quastion ask below, here is screenshot with stats you can be able to get with it.
https://preview.redd.it/9y6mkvv6it0d1.jpg?width=520&format=pjpg&auto=webp&s=a9ec4131846b5188058795501ae03bf73a9440dc
submitted by How_find_username to zedmains [link] [comments]


2024.05.16 18:22 star_tyger soil pH question

Why is it so hard to get this basic information? Many seed companies don't tell you the soil pH range for the plant. Then when you try to check online...
For example, I just tried to find out what soil pH strawberries like. The University of Minnesota Extension says 5.3 to 6.5. The University of New Hampshire says 5.8-6.2, and Cornell University says 6.0 to 7.0.
These are not sites picked at random, university cooperative extensions are supposed to be the experts, right? Is there something about this I'm not understanding?
For me, this is especially frustrating. I have very acidic soil, with the pH as low as 4.4. I have beds in varying stages of amending, so I have beds with the follow pH levels: 4.4, 4.5, 4.6, 4.7, 4.8, 5.6, 6.1, 6.4, and 7.0. I can find the right place for the strawberries if I knew what the right soil pH for them is. I guess I can try the pH 6.1 bed, but why is the information so contradictory?
It isn't just the strawberries. I'm trying to figure out where to plant all my vegetables. For some, sources are in reasonable agreement, but not for all.
submitted by star_tyger to gardening [link] [comments]


2024.05.16 18:22 Kaslight Hotbar Action Change is the biggest win for 7.0 and XIV

Hotbar Action Change is the biggest win for 7.0 and XIV
They're adding an option to make basic 1-2-3 and Followup skills operate on a single button press (Like PVP mode)
I was praying they finally made this change in PvE after playing the new PVP. And Dawntrail has confirmed to have delivered.
Edit: There is literal video footage of YoshiP using this for basic, 1-2-3, On GCD combos. Yes, this is what it's for.
Edit: People are really pressed about this, so here we go:
Video Footage : https://youtu.be/oh5piV-0MWQ?t=10448
Determine for yourself. Basic Viper combo, both are 1-2-3, both are On GCD.
There is nothing unique about these Viper actions that wouldn't apply to another class, but either i'm wrong or you're coping lol. It's literally just PVP
YoshiP said Viper was designed with this feature in mind....probably because they wouldn't have designed the class this way without it. Viper's combo pathing is literally just ARHeavensward tank combos, and those were likely removed because of button bloat too.
Yes, there's video footage of it working on Basic 1-2-3 Combos. Go look it up.
Seriously, this is a complete win for both camps, and the future of the game.
For people concerned about "difficulty".....many of us have been pressing some version of "Fast Blade > Riot Blade > Rage of Halone" for 10 years now. You can't screw it up, you won't screw it up, a 5 year old can consistently do it, and it doesn't make dungeons or ultimates any harder. Quit crying.
Now that that's out of the way, the problem as of 2024 is that it does make the game more complicated for casuals to play efficiently. Not in any significant way mind you, I started playing XIV on PS3 playing pad exclusively and the game has multiple options to make openers and weaves perfectly doable. But most people aren't me, and won't be bothered finding the L2>R2 hotbar options + Double Press cross bars + shared/non shared hotbar switching and customize them per-class in order to have enough space to make tight openers accessible on pad.
And XIV devs have been fighting against issue since Heavensward. It's probably not the only reason why, but it's almost certainly a big reason why Tanks lost their Enmity Combos, and classes like DRK lost their secondary DPS combos.
Every new expansion, classes lose multiple skills each (sorry Arcanist) and have others consolidated into traits (sorry Samurai). The result is that class complexity and breadth of skills have been hard-capped by button bloat...not because the devs don't want to add skills, but because they are forced to accommodate all input methods when adding new skills to the jobs and have to consider how it affects the accessibility of the class.
And now we have the Auto-Combo Feature.
It's optional, but the important thing is that there is no longer any real excuse against adding more varied skills to classes for the sake of identity. Newer classes (Like Viper) are built with this system in mind, and future improvements to existing jobs can leverage this in order to pile on new abilities and OGCDs.
Taking Dragoon for example, a typical crossbar for rotation needs:
  • True Thrust > Vorpal Thrust > Heaven's Thrust (3)
  • Disembowel > Chaotic Spring (2)
  • Wheeling Thrust > Fang and Claw (2)
  • Raiden Thrust > Sonic Thrust > Coearthan Torment (3)
  • High Jump > Mirage Dive (2)
  • 2 other jumps
  • Geirskogul and Stardiver (2)
  • Wyrmwind Thrust (1)
  • All your buffs (4)
  • 6 role abilities
  • Piercing Talon and Elusive Jump (2)
  • Whatever potions you use
that's approaching 30 buttons. Typical hotbar holds 16, 32 with R2>L2 / L2>R2.
Perfectly doable....except the aux hotbars are not visible unless you're using them, meaning these skills (and their CDs) are invisible to the UI unless you make another hotbar specifically to have them on the screen just to tell you when they're up again if you dont have a 2 minute rotation down.
Square will not add any more abilities to this class under these circumstances. However, with the new system, Dragoon looks like this:
  • True Thrust Combo (1)
  • Disembowel Combo (1)
  • Front or Back Positional Combo (1)
  • AoE Combo (1)
  • High Jump Combo (1 or 2, depends)
  • 2 other jumps
  • Geirskogul and Stardiver (2)
  • Wyrmwind Thrust (1)
  • All your buffs (4)
  • 6 role abilities
  • Piercing Talon and Elusive Jump (2)
From 30 buttons to 22. This means 70% of your skills can fit on the initial 16 crossbar spaces, with 100% of them fitting on a single aux window, and 100% of your active skills fitting on the visible 16.
The reason this is great for XIV's future is because we now know the maximum amount of bloat Square will allow. And as of 7.0, we will be far below that threshold. Meaning, whether 8.0 increases by 10 levels or 50 (like ARR), using their current methods they can realistically double the amount of active skills.
TL;DR
This feature removes the single biggest hurdle Square has been struggling with when it comes to action design with jobs with each increasing expansion. And the best part is that it works for both PC and Pad players.
If they want to add 2 more GCD combos with 6 buttons each to a class next expansion, they're free to do so because they have a feature to make it manageable. And the people who just want to have 45 buttons on their hotbars still can.
OFC this doesn't do much for mages, but they don't really have this issue the way DPS and Tank classes do.
YoshiP explicitly said that they've focused on accessibility for 7.0, and mentioned they're already thinking about class identity for 8.0. This feature alone seems to have allowed them a clean slate.
submitted by Kaslight to ffxiv [link] [comments]


2024.05.16 18:21 Terrible-Ad1460 I’m new here - input appreciated 🙏🏼

Hi everyone,
Unfortunately I’m new here :(
Current age: 25, male
History: - Started having lower back pain at age 15 - Went to a rheumatologist after a couple of months - Got diagnosed with early nr-axSpA (HLA B27 negative but slight sacroilitis visible in MRI + brother has Crohns). - Tried a few NSAIDs but they didn’t really help. At some point I just accepted that I have lower back pain and gave up. - However that pain pretty much disappeared at some point - Was able to have an active lifestyle (cycling, hiking, swimming, yoga etc) and never felt limited. - I didn’t even remember what I was diagnosed with when the following started: - In January (age 25) I was a tiny bit ill (I think), then after I felt fine again I went hiking (strenuous), next day I felt ill again, felt shortness of breath and my chest started hurting (at the sternum). - Thought I was having a heart attack, went to the ER, they checked me and said the heart is fine. - Went to cardiologist for a follow up, he thought I might have a mild pericarditis and said I should take ibuprofen for a week. The pain went away but then came back when I stopped (less strong). - Also saw a pneumologist because of shortness of breath but he said all tests look fine. - I then researched a lot and concluded I had costochondritis, started stretching and using a backpod & lacross ball. - I believe it’s been helping, the pain is very mild now but I also haven’t really “tested” it recently by doing anything strenuous. - Then last week I started having a bit of heel pain (at the back end) on both feet. I can walk, it’s just not very comfortable…
Current symptoms: - Mild costochondritis - Mild enthesitis (“fat pad syndrome”) on both heels - Often feel like I need to breath deeply / not getting a satisfying breath. Thinking about breathing all the time - Persistent slight dry cough - Hands & lower arms have always been prone to hurting if I overuse them (but always calms down quickly) - Feeling slightly fatigued / needing more sleep (could also be mental as of course I’m not in the best mood since this started)
Blood: - HLA B27 negative - hsCRP: 0.66 - ESR: 1 - Full blood count: all normal
I have scheduled an appointment with my rheumy for next Tuesday. My questions for her are below.
Questions: 1. Does these symptoms make sense with nr-axSpA? I basically have no real back pain. Why suddenly all these peripheral issues 2. Is being HLA B27 negative a good or bad sign re prognosis and how effective biologics are in case I need them? 3. Can we somehow test if my shortness of breath is due to physical constraints of the chest? I’m more flexible than my girlfriend so I highly doubt there has been any kind of fusing that could cause breathing issues. 4. Is there anything I can do apart from continuing my stretching / physio and NSAID? I doubt the risk profile of DMARD or Biologics make sense with my still fairly small issues.
Can you guys think of anything else I should ask? Getting an appointment is always difficult so would like to make the most of this one.
Thank you
submitted by Terrible-Ad1460 to ankylosingspondylitis [link] [comments]


2024.05.16 18:20 egivan6903 Hey have a question only my gaming laptop?

So I recently started a job but it requires me to go out of state so I couldn’t bring my gaming rig with me so I ended up buying a laptop
This is the one I purchased: ASUS TUF Gaming A17 (2023) Gaming Laptop, 17.3" FHD 144Hz Display, GeForce RTX 4070, AMD Ryzen 9 7940HS, 16GB DDR5, 1TB PCIe 4.0 SSD, Wi-Fi 6, Windows 11, FA707XI-NS94
https://www.newegg.com/mecha-gray-asus-tuf-gaming-f17-fa707xi-ns94/p/N82E16834236430?Item=N82E16834236430&Source=socialshare&cm_mmc=snc-social-_-sr-_-34-236-430-_-05162024
However idk wtf is wrong with it after like 5min of no use it turns of (sleep mode) which I mean is normal depending on the settings but a simple space bar press won’t turn it back on I have to restart the PC, second issue for the specs it has, it still has some issues as far as like basic task not even playing games just basic tasks, it seems to freeze up a lot specially to turn it on or when it’s in sleep mode it becomes hassle just to get the screen on
Wht I’ve done: Full factory reset 2times reinstalled drivers, OS, deleted all the bs software it comes with, checked windows defender and it’s good, try to only have 1-3 games at a time in it, don’t have any other files, make sure to have plenty of space available… try to only run 1 thing at a time but it still happens?
Any advice to fix this would be greatly appreciated!! Honestly I’m stumped so anything would help and to everyone tht read this thank you!!
submitted by egivan6903 to pcmasterrace [link] [comments]


2024.05.16 18:19 ComfortableRecover36 My journey of complete and utter medical incompetence

I really need to get this off my chest.
10 years of diarrhea and frequent urination. Seborrheic dermatitis. 10 fucking years.
17 different doctors. I kid you not, i counted.
8 years years of "You are imagining things", "Take this useless pill and gtfo", "Its because you drink coffee on an empty stomach mate, stop dat and gtfo". 0 tests. 5 minutes and out the door. Ok i said, its what it is. Ill live with it.
Queue 2 years ago - Rapid deterioration of symptoms. I now cant leave my house. I live in constant pain and bloating. "Ok" i figure, time to stop going to different doctors. Pick the best one and stick with him.
So i open the website with the doctors, pick the best GI one based on reviews and queue an appointment. Its online trough the phone because he now works in some fancy hospital in UK. Great i figure - he's too good for my shithole country, he might actually solve the case.
We make the video call, he listens to me for an hour and a half. An hour and a fucking half, that's more than the 13 before him combined. He says "Let me think this trough and ill get back to you". Great.
He writes back after a day - "I want to call a forum in the ultra famous university hospital in London. I want to invite leading doctors in all the relevant fields - allergologist, dermatologist, whatevergist (4 more). It will cost you 5k though - do you want to do it?"
"Sure" i say. Maybe finally we get somewhere. 5k is like 2 monthly salaries in my shithole country, but im ok on money, i can afford that easily. He gives me his own fucking personal Revolut. No red flags there, huh?
Anyway, the "forum" passes. He gets back to me.
"Its all stress related OP. Its IBS-D due to stress. The forum is unanimous and the diagnosis is certain. Here is your treatment":
  1. Shitty antidepressant/sedative - Deanxit
  2. Even shittier antihistamine - Ketotifen - but this is just to help with your allergies OP, you can not take it if you want.
  3. Cut out all stress from your life if you can.
Great. I take the pills. All of them. Allergies suck.
Deanxit immediately transforms me into a fucking sloth. Im sleepy all the time. I can barely think. Im a programmer, i kinda need to think.
But. Lo and behold. For the first time in 10 years im ok. Every fucking symptom disappears.
Shit i figure. My stress was really killing me. Time to solve that.
Team lead in a billion dollar company at 30? Doing a great job at it? Hahaaa not any more boss. I quit.
But why do you quit he says? - "I cant handle the stress. Its literally killing me"
Take 3 months off then. We'll find you a replacement team lead. We will demote you back to senior and you can take it easy. We'll take you off supporting the most important website in the company.
Queue me taking 3 months off. - God bless that man for not letting me go. But im no longer a team lead. Im no longer in charge of my website. Im just another programmer now.
Queue me cutting ties with half my family because they stress me out.
Ketotifen disappears from the pharmacies. "Its ok" i think. Its for my allergies anyway. I just get another antihistamine.
5-6 days pass. Symptoms start to slowly reappear. Im now back at work tho and getting stressed again.
Symptoms progress ever so slowly, but progress anyways.
Im constantly in contact with the doctor trough the app. Every single month i pay to have access to him.
Every time i tell him its getting worse he just says its due to stress. Keep at the treatment. No changes.
Symptoms progress to basically no treatment levels. I go to a urologist for the frequency. He says its due to stress also. Here's this sedative, good luck programming on it. Great, fuck that. Second opinion. Go to second urologist - its stress mate, go to a psychiatrist. You are depressed.
I go to another GI doctor for a second opinion. "Its IBS-D due to stress mate, go to a psychiatrist".
"Ok" i figure. "Time to dive in the deep". I go to a psychiatrist. I tell him my symptoms. I tell him im a bit under the weather, which is understandable being unable to leave my house and in constant discomfort. "The body symptoms are psychosomatic which means you are SEVERELY depressed. Here are these 2 HEAVY antidepressants. Take one in the morning the other in the evening. "
I try. I fail. Too many side effects. Queue arguments with the wife because i refuse treatment.
I try with a different psychiatrist. Same diagnosis. Another treatment. Same result. Cant keep at it.
More arguments with the wife. Now she is properly mad and wants to leave me because im constantly mad and in a bad mood. This has been going on for 2 years. I dont leave the house. Im 32. Everyone is telling me im insane. Sad.
I start reading up the internet for rare diseases. I basically turn myself into a mini Gastroenterologist. I read everything concerning IBS.
I do every test i can think of. Microbiome. Full blood panel. Histamine. Zonulin.
Lo and behold - histamine twice the range (while im on Ketotifen again). Zonulin 25x.
I figure it must be a food allergy and the histamine is causing all the problems. Im now a fucking internet doctor. But i know its bad to self diagnose and self treat. So i go to an allergologist. I tell him my stomach troubles and that i think its food allergies. He is unimpressed. "Go to a GI doctor he says. There are plenty of tests that can be done. Check enzymes, check for parasites, check for more stuff".
By now i have figured out the UK doctor has basically scammed me and is just milking me for money every month. He refuses another call. He refuses to rethink the diagnosys. He insists that its correct.
Ok. I start an elimination diet because i'm now a doctor. I suspect allergies. I suspect the Ketotifen fixed me the first time. Meanwhile i queue an appointment with doctor #17.
I go to the new doctor. By that time EVERY SINGLE ONE OF MY SYMPTOMS IS GONE. I tell her my test results. I tell her i seem to be able to control the condition 100% by food. "You have enterities" she says. "But whats causing it?" i ask.
"I dont know. Here's some enterol and an anti-diarrhea med".
OK. Diet continues. Now enterol added. anti-diarrhea? Why? Whatever. Not taking it. I don't have it anymore.
Im now at the point where i can eat quite a selection of items. I sit down and think. What have i eaten basically every day of my life for the past 10 years? Pork. Its pork.
I eat some pork day 1.
Day 2 is a little bad. Eat some more.
Day 3 is quite bad. Eat some more. It might be a fluke.
Day 4 is back to all the symptoms. I schedule an appointment with doctor #17. I go. This is today.
I tell her my findings. I ask if it sounds correct. She says yes. It sounds like an allergy. But. But.
Why are you coming to me? Im a GI. Go to an allergologist. "But he sent me to you.". Crickets.
She proceeded to scold me for 20 fucking minutes for self diagnosing and asking treatment questions.
Sister. 17 of you failed. I killed my career, cut ties with my family, Lost 100k+ in salaries. Lost untold amounts in options packages that i now woun't get because i'm no longer a manager. I no longer have friends. I almost separated with my wife. I could have retired at 40. I lost 2 years of my life. All of that because of your lot's wrong diagnoses.
And i get scolded for 20 minutes. For self diagnosing. CORRECTLY. Fuck this country and its healthcare man.
Anyways, PSA - If you have IBS-D, frequent urination and some rosacea go check your histamine in stool. And don't forget to always discuss with your healthcare professional. Unless you live in Bulgaria. Fuck this country.
submitted by ComfortableRecover36 to TrueOffMyChest [link] [comments]


2024.05.16 18:10 1HPJKChungDC The Wooting: An esports chiro Weighs in on the next innovation in gaming keyboards

The Wooting: An esports chiro Weighs in on the next innovation in gaming keyboards
The Wooting, Cheat Code or just Hype?
Hey, I am an esports chiropractor who works with Toronto Defiant and Toronto Ultra. I’ve seen the Wooting60HE has take the gaming community by storm. Tons of top tier pros including some of my players along with TenZ, f0rsaken, Twistzz and Something have been adopting this new keeb. I wanted to share my perspective on it as someone who works in esports.
The Wooting is essentially a very responsive keyboard. You can set the depth a key press registers and how much you have to release the key before you can press it again. Here are visuals from Wooting to explain this.
https://i.redd.it/mexqw3cqat0d1.gif
https://i.redd.it/3yvaw2cqat0d1.gif
In an FPS like Valorant counterstrafing well (stop, quickly shoot, then move again) is a competitive advantage. The Wooting allows you to do things that are basically impossible without it.
Theoretically this is a legit competitive advantage. Check out this clip:
https://youtube.com/clip/UgkxW_6MdCN3F7syMWSAGCXE7u6Z4ejhvVQT?si=QSZir09vxvaIEz-f That’s the good stuff but what about the downsides, are there any risks for injury or finger pain?
The two features we need to investigate are the super low travel and high APMs the keyboard could incentivize.
Let’s take a look at the research:
A study on the effect of ultra low travel keyboards(like the wooting) on typing force, muscle activity, wrist posture, typing performance and self reported-comfort found no consistent or substantial differences in muscle activity AND typists used less force. Less force means less energy expenditure per action and potentially more endurance which is a good thing.
The more interesting difference was the wrist position in the low travel group did have 4 degrees less wrist extension with 4 more degrees of ulnar deviation. This amount is totally acceptable. Here is a visual:
https://preview.redd.it/t8wsqfavat0d1.jpg?width=560&format=pjpg&auto=webp&s=2a4da273f6e21080eb087ea275b7b0a5b4caeb35
https://preview.redd.it/z6qkneavat0d1.jpg?width=266&format=pjpg&auto=webp&s=bfec14ad6b1f0a407883b1451c6953bd43d8a4b2
As you can tell it’s a very subtle difference and would not be a red flag if I saw someone playing this way.
Two things we do need to consider about this research is the Wooting can go down to 0.1 mm not the 0.5 mm travel distance they investigated and this travel distance is virtual. The Wooting only adjusts the point at which a signal is registered, not the physical travel distance of the switch. We are making some leaps in thinking here but I believe we can safely extrapolate that lower travel not be a risk factor for injury.
Now let's look at the potential risk of increased APM. Because the Wooting is so responsive it may actually incentivize spamming keys more than a regular keyboard. This thing is made for counterstrafing so you should make the most of it, no?
Typing quickly by itself has not been shown to be associated with wrist or finger pain. However, studies have suggested higher overall typing speed above 300 APM may. This is definitely possible with gaming.
If you don't believe me watch this dude just try to play SC2:
https://i.redd.it/76a791nzat0d1.gif
He is just starting a game and it looks like he is trying to practice some Chopin to keep his parents happy.
Ultimately higher APMs can be a risk but only when there are also sustained periods of gameplay without breaks. I want to stress if you do your exercises, take breaks, and recover well then your hands should definitely be able to handle the extra APM.
Here are some exercises you can do if you want to be Wooting ready: Wrist flexion with a dumbbell Finger flexion and shortened fingered flexion with a gripper
https://reddit.com/link/1ctgl5j/video/f9car3wdbt0d1/player
Try out 3x10 for each 1x/day.
Verdict: potentially game changing piece of kit that requires extra conditioning to use without worry. It has my seal of approval!
If you have any questions then please let me know!
References: Kia K, Sisley J, Johnson PW, Kim JH. Differences in typing forces, muscle activity, wrist posture, typing performance, and self-reported comfort among conventional and ultra-low travel keyboards. Appl Ergon. 2019 Jan;74:10-16. doi: 10.1016/j.apergo.2018.07.014. Epub 2018 Aug 3. PMID: 30487088. Povlsen B. Is typing speed proportional to the severity of pain in keyboard workers with work-related upper limb disorder. JRSM Short Rep. 2012 Jan;3(1):3. doi: 10.1258/shorts.2011.010143. Epub 2012 Jan 12. PMID: 22299070; PMCID: PMC3269101.
submitted by 1HPJKChungDC to MechanicalKeyboards [link] [comments]


2024.05.16 18:02 Seyriu22 Why does shaman still have heavy hitstun on basically any move except lights and zone?

Her 1100ms ub was removed years ago and she kept getting other buffs over the updates, to a point where she’s actually OP in duels for for the vast majority of the playerbase
18 damage 400ms lights and her bite are a recurring complaint but why does she get to keep her heavy hitstun on all heavies? It might not be that much of an issue but it makes her incredibly annoying to fight
I know this is the comp sub but I’m not expecting useful comments on the other sub
submitted by Seyriu22 to CompetitiveForHonor [link] [comments]


2024.05.16 18:01 LogGroundbreaking972 Skip Tracing: Decoding the Techniques and Tools Behind Effective Investigations

Curious about skip tracing services for collections? Wondering what is a skip trace search and how does skip tracing work? You're in the right place! In this guide, we'll demystify the world of skip tracing and answer all your burning questions.
Understanding Skip Tracing: The Basics
Let's start with the fundamentals. What does skip trace mean? Essentially, it's the process of locating individuals who have "skipped" or evaded contact, often used in debt collection or legal proceedings. But is skip tracing legal? Absolutely, when done within the bounds of the law.
Meet the Skip Tracer: Who Are They?
Ever wondered what is a skip tracer? These skilled professionals specialize in tracking down individuals, utilizing a variety of tools and techniques to locate them. From skip tracing companies to independent freelancers, there's no shortage of talent in this field.
Stay tuned below for a detailed table featuring the top-rated services on Fiverr that offer Skip Tracing. Rest assured, we've handpicked the best specialists who provide this service.
Name Reviews Order URL
Top Rated Data 1,753 reviews for this Gig ⭐⭐⭐⭐⭐5.0 👉👉Order Here
Muhammad Ghazi 582 reviews for this Gig ⭐⭐⭐⭐⭐4.9 👉👉Order Here
Ali Hassan 156 423 reviews for this Gig ⭐⭐⭐⭐⭐5.0 👉👉Order Here
Navigating the World of Skip Tracing Services
With so many skip tracing services available, it's essential to find the right fit for your needs. Whether you're searching for skip tracing software, programs, or websites, there's something out there for everyone. But what exactly is skip tracing and what is a skip trace? It's all about finding the information you need to locate individuals efficiently.
Tools of the Trade: Skip Tracing Essentials
From skip tracing tools to skip trace software, having the right resources at your disposal is key to success. But what's the difference between skip tracing and skip tracking? While similar, skip tracing typically refers to locating individuals, while skip tracking may involve monitoring their movements.
Ready to Dive In?
Now that you understand the ins and outs of skip tracing, it's time to put your knowledge to the test. Whether you're a seasoned pro or just starting out, mastering the art of skip tracing can open doors to new opportunities. So, how to skip trace? Start by exploring skip trace sites and honing your skills.
Unlock the Power of Skip Tracing Today
Still have questions about what is skiptracing or how to skiptrace effectively? Don't worry, we've got you covered. Dive deeper into the world of skip tracing and take your investigative skills to new heights.
**Click here 👉👉👉 **https://www.fiverr.com/SkipTracing to discover the best skip tracing resources and start your journey today!
submitted by LogGroundbreaking972 to batchskiptracing [link] [comments]


2024.05.16 17:56 KhanateKeshig faction idea: Grand Khanate

TLDR: Basically Mongol Empire never collapsed and survived into the 20th Century. Let me know what you think about my idea, very early brainstorming right now.
Once warring tribes of the great Steppes between east and west, the tribes were nearly wiped out when the gates of hell were opened the legions of hell fell upon Earth, the people of the Steppes however, were adaptable and resilient, and adapted to their new circumstances, their nomadic lifestyle meaning the people oh the Steppe were always on the move and never in large settlements which did not attract the attention of thirsting hellspawn, but the population of the Steppes was on a constant decline due to in-fighting between the different tribes which in turn started to lure in the beasts of hell into the Steppe with the nomad tribes facing extinction during the late 1100s.
Luckily for the Steppe tribes however, a great unifier, leader and conqueror known as the Khagan, would rise up and unite the warring tribes of the Steppe into one great unified empire, a barbarian kingdom of the Steppes who would ride out to meet the armies of Hell head-on with arrow, sabre and lance, driving the Armies out of the great Steppe lands and creating The Grand Khanate in the 1200s. now it is the 20th Century, and although once one of the mightiest empires known to man, the size and influence of the Khanate have diminished greatly in the 800 years since, the family of the Great Khagan, still rules a sizable empire and with its diverse group ethnicities, which the culture of the Khanate has incorporated them into, the empire is rather tolerant for a war-loving people, they accept every religion into their empire, except for the blasphemies of Hell of course, this wide range of beliefs has benefitted the Khanate greatly with their survival against the forces of Hell, mixing the Christian, Islamic, Buddhist, and Shamanism to combat the daemonic powers.
Being nomadic horsemen, the army of the Khanate are masters of cavalry and long traded their bows for firearms, the regular soldier of the Khanate is a born horseman and hunter, able to accurately shoot a target while on a galloping horse, these tough and rugged nomads are armed with lever-action rifles, sabres and lances when on horseback, the regular conscript will wear a simple olive coat with coloured baggy trousers, their uniforms made of fine silk, one of the East's many treasures. the regular soldier's kit is simple, easy to maintain, and effective while the Elites of the Khanate are something to behold, encased in heavy leather and metal armour, like the armour worn by their ancestors hundreds of years ago, these veterans and noble-born sons are dressed and armed with the finest armours and weapons the Khanate has, such as enchanted weapons and armors from religions all across the world to combat the daemonic forces, as well as more modern weapons such as assault rifles, submachine guns and even anti-tank rifles for the largest and strongest sons of the Khanate. The elite Kheshig acted as bodyguards and advisors to leaders and important people of the Khanate mastering not just fighting, but all parts of culture that the Khanate valued such as the arts, diplomacy, sports, and spirituality.
submitted by KhanateKeshig to TrenchCrusade [link] [comments]


2024.05.16 17:33 Paulkalaul Questions to IIMC alums. Long post so if you have the time, please answer.

Other tier 1 alums, please answer too if you feel the culture might be the same at your college and C. Before I begin I'd like to say sorry for anyone who gets angry reading these super annoying questions, I know I'm in a very privileged position and I'm overthinking things a lot but I cant stop. A lot of you might want to say, "You idiot, you've got this admit, just grow some balls and look forward to the future", and I've said that to myself many times over the past few days but my anxiety keeps getting the better of me, so please, I do apologise, this is in no way a brag post or anything, my thoughts are literally spiraling out of my control.
Gem fresher 9/7/7 1. I read some scary things about placecom culture in general and some posts about IIM C in particular too(quora and that intentionally hidden truth article). Is it still like that at IIMC ? Will I be singled out and humiliated in front of the whole batch because I have poor acads and on top of that 0 extra currics or Cv points ( yes genuinely 0 pts, I'm a very introvert and shy person from a tier 3 city schooling and tier 3 ug). Those conditions, combined with my nature ensured that I never participated in too many things, and didnt win even when I tried. And also, my mental health is already fucked up because of certain issues in my family (those problems arent going away anytime soon) so I dont know if I can handle any more toxicity or placecom abuses as such. How do I deal with that when inside the college, I can handle academic pressure or the lack of sleep as such, its the toxic abuse part that I cant anymore.
  1. Following up on my profile again, I've already accepted that I wont get good summer shortlists, people tell me final placements wont be too much affected by that and will depend on my gpa at IIM C, how true is that, and again like I said, I cant do too much extra currics and stuff, so once inside is it better to just give my all in trying to get a good gpa ( rankers level, top 10,20) ? Or should I try to balance gpa and extra curricular activities and if so, how do I like bring about this change in my nature and participate more in these activities. I know its hard to relate to this question for extroverts/ normal people, but if any of your introvert friends inside IIMs have managed it, do let me know how they did it.
  2. Again, stupid question, but is there a basic packing list, like I've read to carry 2 sets of formals, what else do people take generally, weird question but what kind of clothes do people wear in hostels because in my ug hostel half the people used to roam around in underwears and boxers. Obviously that wont be the case at IIMs but like then do people wear comfy clothers like pyjamas and t shirts or is it super professional pants and shirts even at hostels/library .
  3. Lately I've been exploring these unstop competition, for ex nestle genesis and I couldnt even qualify round 1, and I saw future rounds require submitting your own ideas as a 2 minute pitch. Like is everybody that talented in these B schools that they have their own ideas about these multinational companies. I feel like a total idiot in front of these people. Most linkedin profile of others who have made it to C has IIT in it or has some 2-3 yeara of workex in it from a top company. As a fresher with gap year how the heck do I even compete or sit in the same classroom as these guys.
  4. Should I do some coursera courses or stuff to gain CV pts ? Generally people have told me coursera courses dont matter too much specially in tier 1 b schools. So what else can I do to make my whole shitty profile even a little better in these 20 odd days. Plus how the heck will I earn cv pts even when I'm inside if I cant even clear round 1 of that comp and have 0 idea about how case comps and these things work.
  5. Reporting dates are 8-9 June, should I go earlier to avoid rush (400 people reporting on same 2 days). Do people take their parents with them for these first few days, is it even allowed (what stupid fucking questions am I even asking, I know, I'm sorry but its eating me up)
submitted by Paulkalaul to CATpreparation [link] [comments]


2024.05.16 17:01 broxamson Eperm Error on Replace file

I am getting this error on every replace file.
my network share is an unraid share, thats open to basically 777 and owned by nobody.
my node is running on windows, but i can browse read, write and delete from any of the directories.
2024-05-16T07:46:57.764Z gYye8VkoW0:Node[basic-bear]:Worker[true-tapir]:"Error: EPERM: operation not permitted, unlink '//10.16.4.11/Media/TV/Main/Hacks (2021)/Season 1/Hacks (2021) - S01E02 - Primm Bluray-1080p.mkv'\n at Object.unlinkSync (node:fs:1808:3)\n at C:\\Users\\brox\\Documents\\docker\\Tdarr_Node\\assets\\app\\plugins\\FlowPlugins\\CommunityFlowPlugins\\file\\replaceOriginalFile\\1.0.0\\index.js:113:24\n at step (C:\\Users\\brox\\Documents\\docker\\Tdarr_Node\\assets\\app\\plugins\\FlowPlugins\\CommunityFlowPlugins\\file\\replaceOriginalFile\\1.0.0\\index.js:33:23)\n at Object.next (C:\\Users\\brox\\Documents\\docker\\Tdarr_Node\\assets\\app\\plugins\\FlowPlugins\\CommunityFlowPlugins\\file\\replaceOriginalFile\\1.0.0\\index.js:14:53)\n at fulfilled (C:\\Users\\brox\\Documents\\docker\\Tdarr_Node\\assets\\app\\plugins\\FlowPlugins\\CommunityFlowPlugins\\file\\replaceOriginalFile\\1.0.0\\index.js:5:5 
submitted by broxamson to Tdarr [link] [comments]


2024.05.16 17:00 broxamson EPERM error on file replace

I am getting this error on every replace file.
my network share is an unraid share, thats open to basically 777 and owned by nobody.
my node is running on windows, but i can browse read, write and delete from any of the directories.
2024-05-16T07:46:57.764Z gYye8VkoW0:Node[basic-bear]:Worker[true-tapir]:"Error: EPERM: operation not permitted, unlink '//10.16.4.11/Media/TV/Main/Hacks (2021)/Season 1/Hacks (2021) - S01E02 - Primm Bluray-1080p.mkv'\n at Object.unlinkSync (node:fs:1808:3)\n at C:\\Users\\brox\\Documents\\docker\\Tdarr_Node\\assets\\app\\plugins\\FlowPlugins\\CommunityFlowPlugins\\file\\replaceOriginalFile\\1.0.0\\index.js:113:24\n at step (C:\\Users\\brox\\Documents\\docker\\Tdarr_Node\\assets\\app\\plugins\\FlowPlugins\\CommunityFlowPlugins\\file\\replaceOriginalFile\\1.0.0\\index.js:33:23)\n at Object.next (C:\\Users\\brox\\Documents\\docker\\Tdarr_Node\\assets\\app\\plugins\\FlowPlugins\\CommunityFlowPlugins\\file\\replaceOriginalFile\\1.0.0\\index.js:14:53)\n at fulfilled (C:\\Users\\brox\\Documents\\docker\\Tdarr_Node\\assets\\app\\plugins\\FlowPlugins\\CommunityFlowPlugins\\file\\replaceOriginalFile\\1.0.0\\index.js:5:5 
submitted by broxamson to unRAID [link] [comments]


2024.05.16 17:00 MolyPrim Guild Quest Week [May 16 - May 19] : Ranged Quincy

Guild Quest Week [May 16 - May 19] : Ranged Quincy
https://preview.redd.it/hlug5tai3t0d1.png?width=350&format=png&auto=webp&s=c2b4ed1bbac87a5d9190a1f9cebc7609d5f32171
I order all Captains to prepare for battle immediately. Make your preparations as quickly as you can. We will not let them have the first move again !
Head Captain Yamamoto fiercely commands you to stand for the next Quincy invasion to come

► Welcome to another round of Guild Quest. ◄

Share your build/tips/tricks here for clearing GQ, both normal and hard mode.

Rules Normal & Hard

https://preview.redd.it/x49m81oh3t0d1.png?width=653&format=png&auto=webp&s=c6e88b6b91b8d330b864b0692c58a3bb33d80da5
Enemy Affiliation: Quincy
Bosses: Ryuken (Speed), Bambietta (Power), Ebern (Mind), Candice (Heart) and Uryu (Tech)
Normal GQ: Quincy killer damage x5, Strong Attack Damage x2, Melee resistance
Hard GQ: Quincy Killer damage x5, Soul Bomb damage x 0.5, Ranged damage x2, Weaken map. Bosses have 80% Weaken resist. Melee Resistance & Damage x 0.5

Rules Very Hard

https://preview.redd.it/5vi00hkg3t0d1.png?width=653&format=png&auto=webp&s=0453ae183f48296723735b7fd1038a02e6c45a88
Enemy Affiliation: Quincy
Bosses: Ryuken (Speed), Bambietta (Power), Ebern (Mind), Candice (Heart) and Uryu (Tech)
Very Hard GQ: Quincy Killer damage x5, Soul Bomb damage x 0.5, Ranged damage x2, Weaken map. Bosses have 80% Weaken resistance, Melee Resistance & Damage x 0.5

Recommended Units

https://preview.redd.it/81waq00h3t0d1.png?width=1730&format=png&auto=webp&s=401c6d472dee64b10f93eca4c9b4a86568a35915

Suggested Accessories Builds

https://preview.redd.it/9xgdkdrf3t0d1.png?width=1057&format=png&auto=webp&s=d475cb8090e3d8c6edb77f5776caeabb76eeaafa

GQ Keypoints

  • Character Choices
    • If possible, you should ALWAYS bring units that match the corresponding killer rule. They have a x3 or x5 damage multiplier.
    • Top Tier SA Lead such as Zanka Yamamoto (Power) could be helpful even as off-killer lead.
    • +30% Off-killer booster can be more effective than an old booster if you have good/strong assist unit
  • Status effects
    • For Damage Optimisation consider Weaken units, Weaken add a 1.5x damage multiplier when effect is active but be careful in GQ duration of Weaken is halved
    • For Crowd Control consider Freeze/Paralysis it would stop mobs dealing damage to you, allowing you to maintain full stamina damage boost run more easily
    • Burn/Lacerate/Poison DoT are nerfed in this game mode. However if you have such units consider to give them Dx bonus (Damage to X, X being Ailment they inflict)
  • Transcendence This game mode requires transcendence to clear and to make it easy.
  • Team set-up Ideal team set-ups:
    • Fastest is 3x SP units (5/5 units)
    • Vortex Leader can greatly increase the effectiveness of NA assist units
    • You can also run 1 or 2 NAD units.
  • Building your Lead SP unit
    • < 20s You can start to build for Nuke strat with FSD/SAD links
    • < 30s You should have a combination of FSD/SAR and SAD/SAR build to maximize damage multiplier
    • > 30s You might need more consistent damage and SAD/SAR (eventually with one LDS) could help you if there no Crowd Control effect in your team
  • Building your supports
  1. < 20s Your booster will not need SAR, > 30s it will likely need so you can boost multiple time
  2. If you don't have crowd control unit you might want some LDS/NAD link such as (S) Tatsuki as link
  3. If you are sure that your unit will survive you can pick full NAD, if you are sure they can keep full life then FSD/NAD build will push their damage. Ultimately if you are sure they will survive but reach quickly low stam you could consider LSD/NAD
  • Boost For this week, Boost depends on your team composition. It's not mandatory, but it's nice.
As for clearing the quest itself, focus on clearing the first few waves with your main SP unit and then retreat to recharge cooldowns while your NAD units focus the bosses. With NAD unit leads you basically just need to clear mobs as efficiently and quickly as you can with NAD and then focus down the bosses.
Advanced clearing (weakening nuke at T6/5 + SP 2★ minimum): Time your SAs with a beam type SA2 from a 2/5 unit. Generally this gets you through to 5th boss from the get go.

HARD GQ - Additional Keypoints

Reminder that last boss has 4,000 DEF. So you need to break this threshold! For equipment/build guide, please see here. This is also part of a collection called GQ Analysis, so you should be able to find the previous Hard GQ build guide.
Bosses HP DEF (x5 week)
Wave 1 2.5 M 2'000
Wave 2 4.2 M 2'000
Wave 3 5 M 3'000
Wave 4 7 M 3'600
Wave 5 10 M 4'000
General notes:
  1. Hard GQ is hard. You'd need a squad of 2/5 transcended for clearing. LS20 makes it a whole lot easier.
  2. You could run triple MT units for Hard GQ if you have good recent SA Units (LS20). Otherwise, best team seems to be SP lead, one NAD bot for tanky DPS, one Booster (SP or NA, with LDS), or SP Lead, one NAD booster, and one support bot.
  3. There are limited boosters for this week. If you don't have a decent one, consider off-killer booster.
  4. If you're taking longer than 20s to clear, then consider having your booster with SAR or LDS to either upkeep the attacks (if SP) or to reset boost. Upkeeping boost makes a big difference.
  5. Build your SP lead with Sticker, Pill, Teaset, with a combination of SASAD and FSD. You can also consider LSD/SAR and LDS/LSD as potential here (You can't die from poison).
  6. When your team is strong enough to clear in under 20s, then you can consider a Tenshintai based build, with Tenshintai, Sticker and SP+50% accessory. This gives you an opportunity to use your Special Move as a viable SA. Further, this can be combined with a NAD synch (effecting a Damage Pierce).
  7. NAD bots: Depending on the ATK inherited (see build guide link above), the third accessory of choice changes between Hollow Bait and Sticker, with Golden Chappy and Chappy being the two high preference accessories. If you don't have GC, the second best build is Chappy, Hollow Bait, Sticker (with lots of link slots).

VERY HARD GQ - Additional Keypoints

Reminder that all bosses have 4'500 Def and your units will have to break that threshold especially NAD to do damage.
Bosses HP DEF
Wave 1 15 M 3'000
Wave 2 16 M 3'500
Wave 3 18 M 4'000
Wave 4 20 M 4'500
Wave 5 25 M 4'500
General Notes:
  1. Very hard is the newest difficulty therefore it will require units far more strengthened than before
  2. NA Units will likely require to have at least T6/5 + ATK 2/3★ LS20
  3. Boosters will be mandatory to get NA units able to break the threshold and SA units less impacted by Bosses DEF. If you don't have a matching killer booster, consider +30% off-killer booster.
  4. Nuke Strat is no longer possible in this game mode with the addition of wave change enemy invincible time of 2.5s
  5. The more multipliers you have the more damage you will do FSD/SAD/Dx is today a combination easy to get
  6. Leading unit will perform better with WD, and assists with D(x) matching either lead ailment or their own
Recommendations :
You will likely need at least one of these units in your team
  • Your lead unit is likely going to be mandatory
    • T3/5 Lv10 SP/FCS/ATK LS20+FSD SP>D(x)>WD
    • 50% SP item, sticker, pill (90% SP)
    • SASAD, SAFSD(LSD depending your gameplay)
    • And with good Crowd Control
  • Your NA assists unit likely going to need
    • MT+2/3★ATK LS15/20+FSD FSD(or LSD depending your gameplay) ATK>D(x)
    • GChappy, Chappy, Bait (90% ATK)
    • NAD/FSD(or LSD) link
    • Boost unit is nearly mandatory with most uptime possible so with some SAR build
  • Your SA assists unit likely going to need
    • MT+2/3★SP LS15/20+FSD and ATK>D(x) (either synergized with Lead or their own ailment)
    • 50% SP item, sticker, pill (90% SP)
    • SASAD, SAFSD(LSD depending your gameplay)

Help and Advice Request

If you ask for some suggestions please mention if you try to achieve Guild Quest or Hard Guild Quest as answers will be subject to change from one to another

Special Thanks

submitted by MolyPrim to BleachBraveSouls [link] [comments]


2024.05.16 16:44 Cereal_Potato Best FAME Card to getd

Just to help some players for this 1.5 UTTU, these are, in my opinion, some of the best FAME cards to get, and you should also try getting multiple copies if possible:
For Beast unit/team: Always use [Red Land Rush] Vertin card, it's the best for Beast Team unit
  1. Shamane Fame Card - Glimpse of the Wild
Basically allows your team to gain additional moxie everytime you use your ultimate, works extremely well with Darcy and Leilani since giving them meaning you'll have +3 moxie every time they use their ultimate. You can cycle between them and have your dps (Spathodea/Melania/Shamane) to constantly use their ultimate easily. Can get up to 4 to have your whole team generate moxie to each other so you can constantly use ultimate even without Darcy/Leilani.
  1. Centurion Fame Card - Focus on the Lights
Only if you're using at least 3 Beast unit in the team, this allows +45% on your dps unit. Recommend to get 1 or 2.
  1. Sonata
Mainly equipped this on your support/non dps unit, can get 3 for maximum effect.
  1. Fire Worship (only if you have Spathodea)
Apply 6 stacked Burn on all enemies every turn. You can equipped this on your support if you have additional slot, basically makes it easier to stack the burn up to 15 stacks so Spathodea can deal more DMG, it also heals your team to increase survivability.
For Plant/Poison team: again, [Red Land Rush] is the best for poison team as well.
  1. Inevitable Side Effect
Inflict one 1T [Poison] every 2 rounds, can get multiple cards for this. Recommend to get 1 or 2 for your non-dps.
  1. A knight Fame Card - Another Sound
Inflict three 2T [Poison] everytime you use ultimate. Recommend to get at least 2
  1. The Night Show
Give more genesis DMG, mainly for Sotheby and Jessica. Recommend to get 1 or 2.
For Mineral Team: debatable, if you have Babel and no [Warm Advocate] Fame Card, then [Intermission] may be a better option, otherwise [Red Land Rush]
  1. Kaalaa Baunaa Fame Card - Boating Tiger
Mainly for your DPS, but can be equipped on support/secondary DPS too for DMG and survivability. Recommend to get 2 or more.
  1. Inevitable Side Effect (only for KB)
If you have other dps, this can be used as well, but it's especially useful mainly for KB so she can gain her orb quicker especially if you're running Babel moxie generator strats. Recommend to get 1.
  1. Another Sound
Mainly for your support unit, since they will then provide even more buffs to your dps, if you're running [Red Land Rush], the DMG you will get with this card combo with Boating Tiger are gonna be insane. Recommend to get 2.
For Toothfairy:
  1. Toothfairy Fame Card - Revenger 369
Only if your TF is not P2, this basically helps in survivability and ensure your debuffs always stay, also your leftmost unit (mostly your dps) will always gain 1 moxie with this. You only need 1.
For Ms New Babel:
  1. Kanjira Fame Card - Art of Driving
Ms New Babel with her counter becomes a freaking moxie generator! Coupled this with Vertin's card (Intermission) and Babel will always gain moxie for everyone including herself, works extremely well with 37 too for star affiliated stages. You only need 1.
  1. Warm Advocate
Basically [Intermission] but it's a FAME card! Extremely useful since it allows you to not use Intermission and opts for [Red Land Rush] instead! You only need 1.
For generic dps:
  1. The "Multilinguist"
Basically +DMG Dealt for every card used.
  1. What Lightning Is to the Tempest
Same but it's crit rate and crit DMG instead.
Hope it helps! Good luck with your run and remember that you can always skip UTTU if it's too hard, no need to stress yourself up, the main rewards are just skin... And it's for Darley lol.
submitted by Cereal_Potato to Reverse1999 [link] [comments]


2024.05.16 16:27 Backrooms0Tales (Custom Backrooms) Backrooms Volume 2

(Custom Backrooms) Backrooms Volume 2
Entities:
Classification: Public Access
Entity #: #11
Entity Name: Quadruple Legged Humanoid
Threat Level: 6.1
Inhabitant Levels: Level 1 (Yellow Halls), Level 2 Level 2 (Parking Garage)
Genders: Male, Female
Basic Survival Knowledge: Don't go near any wet-sounding footsteps on Level 1 (Yellow Halls), or to hard steps on Level 2 (Parking Garage). If you encounter this Entity #11 try to get into a small, enclosed area as soon as possible.
Security Protocols:
Since most of this Entities are somewhat hostile, they should be avoided. If, however, you encounter this Entity, you should run away as soon as possible into a small, enclosed area, or treat them with respect and distance. If one of this Entities come close to a Facility, they should be removed by any means necessary.
Description:
Quadruped Legged Humanoids are somewhat hostile, humanoid Entities. They have a no remarcable features on their top half, but they have four legs instead of two on their lower halfs. They are also taller and more muscular than normal humans. Entity #11 legs are connected to their lower waist, which have been expanded to fit the amount of legs. They also have somewhat longer legs than normal humans. Entity #11 could be tamed by giving them food and/or water.'
Last Updated: 12/09/20\**
Entity #: #21
Entity Name: Smiler
Threat Level: 9.5
Status: Hostile
Inhabitant Levels: Level 1 (Yellow Rooms), Level 2 (Parking Garage), Level 3 (Underground Hallways)
Genders: Unknown (Presumed Male & Female)
Basic Survival Knowledge: Have a flashlight with you at all times. If you encounter a Smiler, shine your flashlight at the Smiler. If you shine your flashlight on a Smilers body, the Smiler will become weaker and is less likey to attack you.
Security Protocols:
All Level 1 or higher personal must have a battery-powered flashlight, and should be easily accessible. If any personal encounter a Smiler, they should shine their light on the Smiler, since Smilers seemingly are made out of some sort of physical darkness.
Description:
Smilers are dark, bipedal, semi-humanoid creatures. The only visible part of their bodies are the glowing white eyes and teeth. If, however, a shining light is on the Smilers body, the Smilers body begin to fade away/boil away until they are fully disappeared . When the Smiler is in this stage, it is hard to see their bodies, but through reports of wanderers and personal, we could form a basic list of how a Smiler could look like:
  • Large dark body, except for the glowing white mouth and eyes.
  • Large, smiling mouth.
  • Large, glowing white teeth.
  • Head is the furface forward of the body, and is somewhat larger than it's suppose to.
  • Looks to have kyphosis (Heavily Bent Back).
  • Sharp claws/fingernails.
  • Muscular.
  • Bipedal.
  • Otherwise normal human body.
Behavior:
Smilers always hide in dark areas, and only hunt a few species like Clumps (Entity #24), Red Humanoids (Entity #01) and humans. They often eat the prey they hunt when they killed them, but sometimes they leave the dead bodies to eat later.
Smilers Hunting Tactics: Smilers most often hunt during Level 2 blackouts, though they could be in the darker areas as well. Smilers hide in small and dark areas, though they usually can't hide in small areas due to their large size. Smilers usually try to chase people in dark areas, but they stop chasing the prey when the prey get into a area of light, or when the prey shine a light on the Smilar.
Picture of a Smilar on Level 1 (Yellow Rooms), taken by Neal Lyon on 19/11/2001. Neal Lyon presumed alive.
Last Updated: 20/12/2001
Entity #: #24
Entity Name: Clump
Threat Level: 9.0
Status: Hostile
Inhabitant Levels: Level 2 (Parking Garage), Level 3 (Underground Hallways)
Genders: Unknown
Basic Survival Knowledge: Don't go into the hallways of Level 2 (Parking Garage) that has noise from the drop ceiling that is not the noise of the light or the ventilation.
Security Protocols:
Don't go into the hallways of Level 2 (Parking Garage) that has noise from the drop ceiling that is not the noise of the light or the ventilation. If you accidentally or purposely walk into one of the hallways, try to use a range weapons (Pistol, bow and arrow, shotgun, throwing knives, bolt action rifle, etc.), or a long melee weapon (Spear, halberd, etc.). Try to aim at the center of the mass, no exceptions.
Description:
Entity #24 is a lump of legs, arms, hands, and feet with a mass of skin, eyes, and mouths at the center. Legs are usually longer than the arms, but there are a few arms longer than the legs to slow down/catch a wanderer. If a wanderer gets captured by the Clump, the Clump will rip them and began to eat them, even if there are any more wanderers nearby.
Image of a Clump:
Image of a Clump on Level 3 by [UNKNOWN] on 19/05/2009.
Last Updated: 20/05/2009
Levels:
Classification: Public Access
Level #: #05
Level Name: Mining Tunnels
Threat Level: 7.5
Entrance(s): Level 4 (Sewer Pipes), by crawling through a hole and through a narrow tunnel into the rock.
Exit(s): Level 4 (Sewer Pipes), by climbing up a wooden ladder.
Entity/Entities: #82 Type 1 (Common), #82 Type 2 (Uncommon), #192 (Common),#21 (Common), #24 (Common), #02 (Uncommon), #29 (Uncommon)
Security Protocols:
Get out of the level by finding a wooden ladder and up climbing it. If you spot a metal ladder, do not climb it since it will take you to Level 3 or Level Funhouse. If you can't find any exits withing a 48 hour timeframe (2 days), arm yourself with anything you can find, since it is unlikey to find exits.
Description:
Level 5 (Mining Tunnels) is seemingly a infunnit amount of short, narrow hallways cut into the rock. There is a lot of mining equipment, like pickaxes, miner’s pouch, hammers, chisels, cap lights and shovels. Radios that we have brought into this level seemingly degrade in quality compared to other levels.
Last Updated: 05/05/\****
Alison photo of Level #4. Seen alive.
Level #: #04
Level Name: Sewer Pipes
Threat Level: 5.8
Entrance(s): Level 3 (Underground Halls)
Exit(s): Level 3 (Underground Halls)
Entity/Entities: #82 Type 1 (Common), #82 Type 2 (Rare), #192 (Uncommon),#21 (Common), #24 (Uncommon), #02 (Uncommon), #29 (Rare)
Security Protocols:
Carry a melee or range weapon with you at all times. If you see any entity, run into the opposite direction. If you have a range weapon, try to shoot it at the entity if you are far away from it. Try to get to a outpost, fort, base, or facility as soon as possible, as they are your only chance of survival.
Description:
Level 4 (Sewer Pipes) is a long and large sewer pipe with a lot of hostile entities. There is always a low amount of water in this level, which one should not drink since the water has dirt, viruses, and bacteria. The pipe curves over long distances, and it is theorised that at the center has alot of resources, likes Carbonated Water.
Last Updated: 09/12/2001
Objects:
Object #: # 02
Object Name: Carbonated Water
Threat Level: 0.0
Affect(s): Hydration, Extra Sanity
Security Protocols:
Since Carbonated Water is safe, no Security Protocols are needed.
Description:
Carbonated Water is water commonly found in the Backrooms. Carbonated Water is good for a wanderers or personal sanity, and is also a good form of hydration. Carbonated Water are found in small, clear, plastic bottles on all Levels (Level 1, Level 2, Level 3, Level Funhouse)
Last Updated: 30/12/1999
Chatlogs:
submitted by Backrooms0Tales to TheBackrooms [link] [comments]


2024.05.16 16:23 arcgain Exploring the Basics of CBD: What You Need to Know

Impact-Site-Verification: 0080656a-6495-4f92-b6a8-13919ad063be
CBD, short for cannabidiol, seems to be everywhere these days, from wellness shops to your neighbor's medicine cabinet. But what exactly is it, and why is everyone talking about it? Let's dive into the basics of CBD:
1. What is CBD? CBD is a compound found in the cannabis plant. Unlike its cousin THC (tetrahydrocannabinol), CBD doesn't get you high. Instead, it's renowned for its potential therapeutic benefits without the psychoactive effects.
2. How does it work? CBD interacts with the body's endocannabinoid system, a complex network of receptors that regulate various bodily functions like mood, sleep, appetite, and pain. By influencing this system, CBD may help maintain balance and promote overall wellness.
3. What are the benefits? While research is still ongoing, CBD has shown promise in managing various conditions, including anxiety, insomnia, chronic pain, epilepsy, and even acne. Many users also report improved relaxation and stress relief.
4. How to use CBD? CBD comes in various forms, including oils, tinctures, capsules, edibles, topicals, and vapes. The best method for you depends on your preferences and desired effects. Start with a low dose and gradually increase until you find what works for you.
5. Is it legal? The legal status of CBD varies by location. In the United States, CBD derived from hemp (containing less than 0.3% THC) was federally legalized in 2018 with the Farm Bill. However, it's essential to check your local laws before purchasing or using CBD products.
6. Quality matters. Not all CBD products are created equal. Look for reputable brands that provide third-party lab test results to ensure purity and potency. Avoid products with dubious claims or unrealistic promises.
7. Consult a professional. If you're considering using CBD for medical purposes or have underlying health conditions, it's wise to consult with a healthcare professional first. They can offer personalized advice and help you navigate any potential interactions with medications.
In conclusion, CBD holds significant promise as a natural remedy for various ailments, but it's essential to educate yourself and approach it mindfully. Whether you're a newcomer or a seasoned user, feel free to share your experiences, questions, and insights below. Let's keep the conversation going!
submitted by arcgain to u/arcgain [link] [comments]


2024.05.16 16:11 GrowthWest2361 Modrinth Modpack Crashing

I am using Modrinth for my client side modpack but it crashes and will not launch. These are the logs on launch: [16:05:01] [main/INFO]: Loading Minecraft 1.20.1 with Fabric Loader 0.15.11
[16:05:02] [main/INFO]: Loading 171 mods:
`- ambientsounds 6.0.1` `- architectury 9.2.14` `- ash_api 3.0.2+1.20.1` `- auditory 0.0.6-1.20.1` `- bigpony 1.11.2+1.20.1` `- blur 3.1.0` `- cameraoverhaul 1.4.0-fabric-universal` `- capes 1.5.2+1.20` `- cicada 0.7.1+1.20.1` `- citresewn 1.1.5+1.20.1` 
\-- citresewn-defaults 1.1.5+1.20.1
`- cloth-config 11.1.118` 
\-- cloth-basic-math 0.6.1
`- clumps 12.0.0.4` `- creativecore 2.11.28` 
\-- net_minecraftforge_eventbus 6.0.3
`- cullleaves 3.2.0` `- do_a_barrel_roll 3.5.6+1.20.1` 
-- fabric-permissions-api-v0 0.2-SNAPSHOT
\-- mixinsquared 0.1.1
`- eatinganimationid 1.20+1.9.61` `- enhancedvisuals 1.7.2` `- entity_model_features 2.0.2` `- entity_texture_features 6.0.1` 
\-- org_apache_httpcomponents_httpmime 4.5.10
`- entityculling 1.6.2-mc1.20.1` `- essential-container 1.0.0` 
\-- essential-loader 1.2.1
`- exordium 1.2.1-mc1.20.1` `- fabric-api 0.92.1+1.20.1` 
-- fabric-api-base 0.4.31+1802ada577
-- fabric-api-lookup-api-v1 1.6.36+1802ada577
-- fabric-biome-api-v1 13.0.13+1802ada577
-- fabric-block-api-v1 1.0.11+1802ada577
-- fabric-block-view-api-v2 1.0.1+1802ada577
-- fabric-blockrenderlayer-v1 1.1.41+1802ada577
-- fabric-client-tags-api-v1 1.1.2+1802ada577
-- fabric-command-api-v1 1.2.34+f71b366f77
-- fabric-command-api-v2 2.2.13+1802ada577
-- fabric-commands-v0 0.2.51+df3654b377
-- fabric-containers-v0 0.1.64+df3654b377
-- fabric-content-registries-v0 4.0.11+1802ada577
-- fabric-convention-tags-v1 1.5.5+1802ada577
-- fabric-crash-report-info-v1 0.2.19+1802ada577
-- fabric-data-attachment-api-v1 1.0.0+de0fd6d177
-- fabric-data-generation-api-v1 12.3.4+1802ada577
-- fabric-dimensions-v1 2.1.54+1802ada577
-- fabric-entity-events-v1 1.6.0+1c78457f77
-- fabric-events-interaction-v0 0.6.2+1802ada577
-- fabric-events-lifecycle-v0 0.2.63+df3654b377
-- fabric-game-rule-api-v1 1.0.40+1802ada577
-- fabric-item-api-v1 2.1.28+1802ada577
-- fabric-item-group-api-v1 4.0.12+1802ada577
-- fabric-key-binding-api-v1 1.0.37+1802ada577
-- fabric-keybindings-v0 0.2.35+df3654b377
-- fabric-lifecycle-events-v1 2.2.22+1802ada577
-- fabric-loot-api-v2 1.2.1+1802ada577
-- fabric-loot-tables-v1 1.1.45+9e7660c677
-- fabric-message-api-v1 5.1.9+1802ada577
-- fabric-mining-level-api-v1 2.1.50+1802ada577
-- fabric-model-loading-api-v1 1.0.3+1802ada577
-- fabric-models-v0 0.4.2+9386d8a777
-- fabric-networking-api-v1 1.3.11+1802ada577
-- fabric-networking-v0 0.3.51+df3654b377
-- fabric-object-builder-api-v1 11.1.3+1802ada577
-- fabric-particles-v1 1.1.2+1802ada577
-- fabric-recipe-api-v1 1.0.21+1802ada577
-- fabric-registry-sync-v0 2.3.3+1802ada577
-- fabric-renderer-api-v1 3.2.1+1802ada577
-- fabric-renderer-indigo 1.5.1+1802ada577
-- fabric-renderer-registries-v1 3.2.46+df3654b377
-- fabric-rendering-data-attachment-v1 0.3.37+92a0d36777
-- fabric-rendering-fluids-v1 3.0.28+1802ada577
-- fabric-rendering-v0 1.1.49+df3654b377
-- fabric-rendering-v1 3.0.8+1802ada577
-- fabric-resource-conditions-api-v1 2.3.8+1802ada577
-- fabric-resource-loader-v0 0.11.10+1802ada577
-- fabric-screen-api-v1 2.0.8+1802ada577
-- fabric-screen-handler-api-v1 1.3.30+1802ada577
-- fabric-sound-api-v1 1.0.13+1802ada577
-- fabric-transfer-api-v1 3.3.5+8dd72ea377
\-- fabric-transitive-access-wideners-v1 4.3.1+1802ada577
`- fabric-language-kotlin 1.10.20+kotlin.1.9.24` 
-- org_jetbrains_kotlin_kotlin-reflect 1.9.24
-- org_jetbrains_kotlin_kotlin-stdlib 1.9.24
-- org_jetbrains_kotlin_kotlin-stdlib-jdk7 1.9.24
-- org_jetbrains_kotlin_kotlin-stdlib-jdk8 1.9.24
-- org_jetbrains_kotlinx_atomicfu-jvm 0.24.0
-- org_jetbrains_kotlinx_kotlinx-coroutines-core-jvm 1.8.0
-- org_jetbrains_kotlinx_kotlinx-coroutines-jdk8 1.8.0
-- org_jetbrains_kotlinx_kotlinx-datetime-jvm 0.5.0
-- org_jetbrains_kotlinx_kotlinx-serialization-cbor-jvm 1.6.3
-- org_jetbrains_kotlinx_kotlinx-serialization-core-jvm 1.6.3
\-- org_jetbrains_kotlinx_kotlinx-serialization-json-jvm 1.6.3
`- fabricloader 0.15.11` 
\-- mixinextras 0.3.5
`- faster-random 4.1.0` `- ferritecore 6.0.1` `- flow 1.5.0+1.20.1` `- forgeconfigapiport 8.0.0` `- geckolib 4.4.4` 
\-- com_eliotlash_mclib_mclib 20
`- hdskins 6.10.3+1.20.1` `- inventoryprofilesnext 1.10.10` `- iris 1.7.0+mc1.20.1` 
-- fabric-api-base 0.4.31+1802ada577
-- fabric-key-binding-api-v1 1.0.37+1802ada577
-- io_github_douira_glsl-transformer 2.0.0-pre13
-- org_anarres_jcpp 1.4.14
\-- org_antlr_antlr4-runtime 4.11.1
`- java 17` `- jei 15.3.0.4` `- kirin 1.15.6+1.20.1` `- konkrete 1.8.1` `- krypton 0.2.3` 
\-- com_velocitypowered_velocity-native 3.2.0-SNAPSHOT
`- lazydfu 0.1.3` `- libipn 4.0.2` `- lithium 0.11.2` `- malilib 0.16.3` `- midnightlib 1.4.1` `- minecraft 1.20.1` `- minelp 4.11.7+1.20.1` 
\-- mson 1.9.3+1.20.1
`- modmenu 7.2.2` `- moreculling 1.20.4-0.24.0` 
-- conditional-mixin 0.3.2
\-- mixinsquared 0.1.1
`- mousetweaks 2.26` `- mousewheelie 1.13.0+mc1.20.1` 
-- amecsapi 1.5.1+mc1.20-pre1
-- coat 1.0.0-beta.20+mc1.20-pre1
-- tweed4_annotated 1.3.1+mc1.20-pre1
-- tweed4_base 1.7.1+mc1.20-pre1
-- tweed4_data 1.2.1+mc1.20-pre1
-- tweed4_data_hjson 1.1.1+mc1.20-pre1
-- tweed4_tailor_coat 1.1.3+mc1.20-pre1
-- tweed4_tailor_lang_json_descriptions 1.1.0+mc1.20-pre1
\-- tweed4_tailor_screen 1.1.4+mc1.20-pre1
`- mru 0.4.0+1.20` `- notenoughanimations 1.7.3` `- notes 1.20.1-2.1.0-fabric` `- openpartiesandclaims 0.22.0` `- physicsmod 3.0.14` `- plasmovoice 2.0.9` 
-- aopalliance_aopalliance 1.0
-- com_google_inject_guice 5.0.1
-- fabric-permissions-api-v0 0.2-SNAPSHOT
\-- javax_inject_javax_inject 1
`- presencefootsteps 1.9.4+1.20.1` `- satin 1.14.0` `- sodium 0.5.8+mc1.20.1` `- sound_physics_remastered 1.20.1-1.3.1` `- starlight 1.1.2+fabric.dbc156f` `- telepistons 1.1.3` `- tooltipscroll 1.3.0` `- transparent 8.0.1+1.20.1` `- viabackwards 5.0.0-SNAPSHOT` `- viafabric 0.4.14+70-main` 
-- org_yaml_snakeyaml 2.2
\-- viafabric-mc1201 0.4.14+70-main
`- viarewind 4.0.0-SNAPSHOT` `- viaversion 5.0.0-SNAPSHOT` `- visuality 0.7.1+1.20` `- xaerominimap 24.1.1` `- xaeroworldmap 1.38.4` `- yet_another_config_lib_v3 3.4.2+1.20.1-fabric` 
-- com_twelvemonkeys_common_common-image 3.10.0
-- com_twelvemonkeys_common_common-io 3.10.0
-- com_twelvemonkeys_common_common-lang 3.10.0
-- com_twelvemonkeys_imageio_imageio-core 3.10.0
-- com_twelvemonkeys_imageio_imageio-metadata 3.10.0
-- com_twelvemonkeys_imageio_imageio-webp 3.10.0
-- org_quiltmc_parsers_gson 0.2.1
\-- org_quiltmc_parsers_json 0.2.1
[16:05:02] [main/INFO]: SpongePowered MIXIN Subsystem Version=0.8.5 Source=file:/C:/Users/{COMPUTER_USERNAME}/AppData/Roaming/com.modrinth.theseus/meta/libraries/net/fabricmc/sponge-mixin/0.13.3+mixin.0.8.5/sponge-mixin-0.13.3+mixin.0.8.5.jar Service=Knot/Fabric Env=CLIENT
[16:05:02] [main/INFO]: Compatibility level set to JAVA_17
[16:05:02] [main/INFO]: Loaded configuration file for Lithium: 115 options available, 2 override(s) found
[16:05:03] [main/WARN]: Reference map 'mru-refmap.json' for mru.mixins.json could not be read. If this is a development environment you can ignore this message
[16:05:03] [main/WARN]: [Satin] Iris is present, custom block renders will not work
[16:05:03] [main/INFO]: Loaded configuration file for Sodium: 42 options available, 3 override(s) found
[16:05:03] [main/INFO]: CameraOverhaul: Using modern mixin 'mirsario.cameraoverhaul.fabric.mixins.modern.CameraMixin'.
[16:05:03] [main/INFO]: CameraOverhaul: Using modern mixin 'mirsario.cameraoverhaul.fabric.mixins.modern.GameRendererMixin'.
[16:05:03] [main/INFO]: CameraOverhaul: Skipping legacy mixin 'mirsario.cameraoverhaul.fabric.mixins.legacy.LegacyCameraMixin'.
[16:05:03] [main/WARN]: Error loading class: net/raphimc/immediatelyfast/feature/core/ImmediateAdapter (java.lang.ClassNotFoundException: net/raphimc/immediatelyfast/feature/core/ImmediateAdapter)
[16:05:03] [main/WARN]: Error loading class: net/coderbot/batchedentityrendering/impl/FullyBufferedMultiBufferSource (java.lang.ClassNotFoundException: net/coderbot/batchedentityrendering/impl/FullyBufferedMultiBufferSource)
[16:05:03] [main/WARN]: Error loading class: net/coderbot/iris/layeInnerWrappedRenderType (java.lang.ClassNotFoundException: net/coderbot/iris/layeInnerWrappedRenderType)
[16:05:03] [main/WARN]: Error loading class: net/coderbot/iris/layeOuterWrappedRenderType (java.lang.ClassNotFoundException: net/coderbot/iris/layeOuterWrappedRenderType)
[16:05:03] [main/WARN]: Error loading class: dev/tr7zw/skinlayers/rendeCustomizableModelPart (java.lang.ClassNotFoundException: dev/tr7zw/skinlayers/rendeCustomizableModelPart)
[16:05:03] [main/WARN]: Error loading class: dev/emi/emi/screen/EmiScreenManager$ScreenSpace (java.lang.ClassNotFoundException: dev/emi/emi/screen/EmiScreenManager$ScreenSpace)
[16:05:03] [main/WARN]: Error loading class: dev/emi/emi/screen/EmiScreenManager$SidebarPanel (java.lang.ClassNotFoundException: dev/emi/emi/screen/EmiScreenManager$SidebarPanel)
[16:05:03] [main/WARN]: Error loading class: dev/emi/emi/screen/StackBatcher (java.lang.ClassNotFoundException: dev/emi/emi/screen/StackBatcher)
[16:05:03] [main/WARN]: Error loading class: folk/sisby/inventory_tabs/tabs/BlockTab (java.lang.ClassNotFoundException: folk/sisby/inventory_tabs/tabs/BlockTab)
[16:05:03] [main/WARN]: Error loading class: folk/sisby/inventory_tabs/tabs/VehicleInventoryTab (java.lang.ClassNotFoundException: folk/sisby/inventory_tabs/tabs/VehicleInventoryTab)
[16:05:03] [main/WARN]: Error loading class: folk/sisby/inventory_tabs/tabs/PlayerInventoryTab (java.lang.ClassNotFoundException: folk/sisby/inventory_tabs/tabs/PlayerInventoryTab)
[16:05:03] [main/WARN]: Error loading class: folk/sisby/inventory_tabs/tabs/ItemTab (java.lang.ClassNotFoundException: folk/sisby/inventory_tabs/tabs/ItemTab)
[16:05:03] [main/WARN]: Error loading class: folk/sisby/inventory_tabs/tabs/EntityTab (java.lang.ClassNotFoundException: folk/sisby/inventory_tabs/tabs/EntityTab)
[16:05:03] [main/WARN]: Force-disabling mixin 'alloc.blockstate.StateMixin' as rule 'mixin.alloc.blockstate' (added by mods [ferritecore]) disables it and children
[16:05:03] [main/WARN]: Force-disabling mixin 'world.player_chunk_tick.ThreadedAnvilChunkStorageMixin' as rule 'mixin.world.player_chunk_tick' (added by mods [krypton]) disables it and children
[16:05:03] [main/WARN]: Error loading class: net/optifine/shaders/Shaders (java.lang.ClassNotFoundException: net/optifine/shaders/Shaders)
[16:05:03] [main/WARN]: Error loading class: net/optifine/shaders/ShadersCompatibility (java.lang.ClassNotFoundException: net/optifine/shaders/ShadersCompatibility)
[16:05:03] [main/WARN]: Error loading class: net/optifine/shaders/Programs (java.lang.ClassNotFoundException: net/optifine/shaders/Programs)
[16:05:03] [main/WARN]: Error loading class: com/simibubi/create/content/contraptions/AbstractContraptionEntity (java.lang.ClassNotFoundException: com/simibubi/create/content/contraptions/AbstractContraptionEntity)
[16:05:03] [main/WARN]: Error loading class: org/valkyrienskies/core/impl/game/ships/ShipObjectClient (java.lang.ClassNotFoundException: org/valkyrienskies/core/impl/game/ships/ShipObjectClient)
[16:05:03] [main/WARN]: Error loading class: net/optifine/util/BlockUtils (java.lang.ClassNotFoundException: net/optifine/util/BlockUtils)
[16:05:03] [main/WARN]: Error loading class: link/infra/indium/rendererendeTerrainRenderContext (java.lang.ClassNotFoundException: link/infra/indium/rendererendeTerrainRenderContext)
[16:05:03] [main/WARN]: Force-disabling mixin 'features.render.entity.CuboidMixin' as rule 'mixin.features.render.entity' (added by mods [iris]) disables it and children
[16:05:03] [main/WARN]: Force-disabling mixin 'features.render.entity.ModelPartMixin' as rule 'mixin.features.render.entity' (added by mods [iris]) disables it and children
[16:05:03] [main/WARN]: Force-disabling mixin 'features.render.entity.cull.EntityRendererMixin' as rule 'mixin.features.render.entity' (added by mods [iris]) disables it and children
[16:05:03] [main/WARN]: Force-disabling mixin 'features.render.entity.shadows.EntityRenderDispatcherMixin' as rule 'mixin.features.render.entity' (added by mods [iris]) disables it and children
[16:05:03] [main/WARN]: Force-disabling mixin 'features.render.gui.font.GlyphRendererMixin' as rule 'mixin.features.render.gui.font' (added by mods [iris]) disables it and children
[16:05:03] [main/WARN]: Force-disabling mixin 'features.render.world.sky.BackgroundRendererMixin' as rule 'mixin.features.render.world.sky' (added by mods [iris]) disables it and children
[16:05:03] [main/WARN]: Force-disabling mixin 'features.render.world.sky.ClientWorldMixin' as rule 'mixin.features.render.world.sky' (added by mods [iris]) disables it and children
[16:05:03] [main/WARN]: Force-disabling mixin 'features.render.world.sky.WorldRendererMixin' as rule 'mixin.features.render.world.sky' (added by mods [iris]) disables it and children
[16:05:03] [main/WARN]: Error loading class: org/jetbrains/annotations/ApiStatus$Internal (java.lang.ClassNotFoundException: org/jetbrains/annotations/ApiStatus$Internal)
[16:05:04] [main/INFO]: Starting Essential Loader (stage2) version 1.6.0 (0500a9e0db06ef66767fc4dcffb05cd5) [stable]
[16:05:04] [main/INFO]: Starting Essential v1.3.2.4 (#6b55293e12) [stable]
[16:05:04] [main/INFO]: Java: OpenJDK 64-Bit Server VM (v17.0.11) by Azul Systems, Inc. (Azul Systems, Inc.)
[16:05:04] [main/INFO]: Java Path: C:\Users\{COMPUTER_USERNAME}\AppData\Roaming\com.modrinth.theseus\meta\java_versions\zulu17.50.19-ca-jre17.0.11-win_x64\bin
[16:05:04] [main/INFO]: Java Info: mixed mode, sharing
[16:05:04] [main/INFO]: JVM Arguments:
- -XX:HeapDumpPath=MojangTricksIntelDriversForPerformance_javaw.exe_minecraft.exe.heapdump
- -Djava.library.path=C:\Users\{COMPUTER_USERNAME}\AppData\Roaming\com.modrinth.theseus\meta\natives\1.20.1-0.15.11
- -Djna.tmpdir=C:\Users\{COMPUTER_USERNAME}\AppData\Roaming\com.modrinth.theseus\meta\natives\1.20.1-0.15.11
- -Dorg.lwjgl.system.SharedLibraryExtractPath=C:\Users\{COMPUTER_USERNAME}\AppData\Roaming\com.modrinth.theseus\meta\natives\1.20.1-0.15.11
- -Dio.netty.native.workdir=C:\Users\{COMPUTER_USERNAME}\AppData\Roaming\com.modrinth.theseus\meta\natives\1.20.1-0.15.11
- -Dminecraft.launcher.brand=theseus
- -Dminecraft.launcher.version=0.7.1
- -DFabricMcEmu=net.minecraft.client.main.Main
- -Xmx8000M
[16:05:04] [main/INFO]: OS: Windows 11 (v10.0) (Arch: amd64)
[16:05:05] [main/INFO]: Searching for graphics cards...
[16:05:05] [main/INFO]: Initializing MixinExtras via com.llamalad7.mixinextras.service.MixinExtrasServiceImpl(version=0.3.5).
[16:05:07] [main/INFO]: Found graphics card: GraphicsAdapterInfo[vendor=UNKNOWN, name=Meta Virtual Monitor, version=DriverVersion=17.12.55.198]
[16:05:07] [main/INFO]: Found graphics card: GraphicsAdapterInfo[vendor=NVIDIA, name=NVIDIA GeForce RTX 4050 Laptop GPU, version=DriverVersion=31.0.15.5244]
[16:05:07] [main/INFO]: Found graphics card: GraphicsAdapterInfo[vendor=INTEL, name=Intel(R) Iris(R) Xe Graphics, version=DriverVersion=31.0.101.4255]
[16:05:07] [main/WARN]: Sodium has applied one or more workarounds to prevent crashes or other issues on your system: [NVIDIA_THREADED_OPTIMIZATIONS]
[16:05:07] [main/WARN]: This is not necessarily an issue, but it may result in certain features or optimizations being disabled. You can sometimes fix these issues by upgrading your graphics driver.
[16:05:07] [main/WARN]: @Final field field_22786:Ljava/util/List; in mixins.ipnext.json:MixinScreen from mod inventoryprofilesnext should be final
[16:05:07] [main/WARN]: @Final field field_33815:Ljava/util/List; in mixins.ipnext.json:MixinScreen from mod inventoryprofilesnext should be final
[16:05:14] [Render thread/INFO]: Environment: authHost='https://authserver.mojang.com', accountsHost='https://api.mojang.com', sessionHost='https://sessionserver.mojang.com', servicesHost='https://api.minecraftservices.com', name='PROD'
[16:05:15] [Render thread/INFO]: Setting user: {MINECRAFT_USERNAME}
[16:05:16] [Render thread/INFO]: Starting DI!
[16:05:16] [Render thread/INFO]: Authenticating to Mojang as {MINECRAFT_USERNAME} ({MINECRAFT_UUID})
[16:05:16] [Render thread/INFO]: [STDOUT]: Registering Sounds for auditory
[16:05:16] [Render thread/INFO]: Thank you for downloading Auditory! :)
[16:05:16] [DefaultDispatcher-worker-2/INFO]: Connecting to Essential Connection Manager...
[16:05:17] [DefaultDispatcher-worker-2/INFO]: Using Default JreDnsResolver
[16:05:17] [DefaultDispatcher-worker-2/INFO]: Using Default JreSocketFactory
[16:05:17] [Cicada thread 0/INFO]: [cicada] Hello, anyone there?
[16:05:17] [Cicada thread 0/INFO]: [do_a_barrel_roll] I'm here, ready to rumble!
[16:05:17] [WebSocketConnectReadThread-95/INFO]: Connected to Essential Connection Manager.
[16:05:17] [Render thread/INFO]: [KONKRETE] Successfully initialized!
[16:05:17] [Render thread/INFO]: [KONKRETE] Server-side libs ready to use!
[16:05:17] [Render thread/INFO]: Compression will use Java, encryption will use Java
submitted by GrowthWest2361 to Minecraft [link] [comments]


2024.05.16 15:53 DiscussionNo226 Getting Cloud Sync set up for RetroArch

Hey everyone! I like a lot of you were excited yesterday when RetroArch made it's appearance on the App Store. Sadly, cloud saves aren't nearly as easy on Apple devices apparently as they are on PC/Android, but they are possible. I had a comment on the RetroArch release chronicling my adventure in setting up Cloud Sync but felt like making a more streamlined post may be more helpful to others.
A few caveats to start:
  1. the method I used to get it going involves a PC. I intend to research and find a solution for MacOS in the coming days, but I have a media server on a Win11 machine and wanted my saves stored there.
  2. Additionally, I only went so far as to make the WebDAV server internal to my home network. There is a way to make accessible externally, but I don't feel it was necessary for my needs. I'll post a YouTube video that includes a guide on how to get that setup.
With those out of the way, let's start!
  1. First off, you will not be altering the directories in RetroArch. Instead, you will navigate to Settings>Saves>Cloud Sync. There you will find all the settings you'll need to get this going.
  2. Make sure your PC you are using to host the WebDAV is discoverable on your network.
  3. Use this guide to set up your WebDAV. It's straight forward and not nearly as complex as it seems.
  4. Make sure to create a RetroArch folder in your WebDAV folder to point RetroArch to.
  5. Once set up, make sure to give the IIS user group read/write access to the folders, otherwise you will be denied access.
  6. Now, open a web browser and input your WebDAV URL (mine was HTTPS://192.168.XX.XXX:4433/WebDAV) to ensure that it works properly. It will ask you to login in, use your basic Microsoft account associated to your PC as your credentials. Additionally, you can test out the specific RetroArch URL you will be using by adding /RetroArch to the end and it should open the folder.
  7. If you choose, you can then confirm it's being broadcasted across your local network by going to that URL on a different device accessing the same gateway/router. But if you've followed these steps, you should be good.
  8. Now open your RetroArch App on your iOS or tvOS device, navigate to the Cloud Sync settings outlined above. Enable Cloud Sync, type your WebDAV URL with /retroarch on the end, username and password into the corresponding boxes. Once done, close and kill the app, reopen and notice the cloud sync progress now on the bottom. If it says cloud sync complete, you're good!
  9. If it does fail, turn logging on in settings>logging and make sure it logs level 0(debug). Then open your log folder and scour the file to find out why it failed. Typically in my experience it's because it couldn't access the drive because either the username/password or URL was incorrect OR the host was undiscoverable.
All in all, this whole process takes roughly 15-30 minutes, but well worth it IMO. As I said this is for internal cloud sync, and you shouldn't be able to reach back on an external network. This YouTube video mentions setting it up for external use at the end, but also directs you to a paid service (in my research last night, it seemed like the only way without enabling port forwarding and opening your whole home network up involved paying for some sort of service).
Lastly, I mentioned up top but want to reiterate: this is only for Windows and I do intend to play with MacOS tonight to try and get something setup. I will update this post with any findings for MacOS!
Please feel free to reach out with any questions. Happy Gaming all!
submitted by DiscussionNo226 to appletv [link] [comments]


http://swiebodzin.info