Coordinate plane drawing dot to dot

ShareDota2: Sharing or Swapping Dota 2 Invites

2011.11.01 23:32 Shukaro ShareDota2: Sharing or Swapping Dota 2 Invites

[link]


2013.01.20 04:58 Golfball2k6 Civil 3D Help & Discussion

For all users of AutoCAD Civil 3D.
[link]


2012.06.20 12:29 JayBayBayy shareSMITE

A place for redditors to share their SMITE friend referrals.
[link]


2024.05.21 19:10 cope4321 having trouble with this stochastic code for ninjatrader

having trouble with this stochastic code for ninjatrader
okay so im using chatgpt to help me code a specific divergence indicator on the stochastic. i have the whole foundation of it done but im having trouble with filtering good trendlines with bad ones. i attached an image of the filter im trying to create.
in this scenario, we are below the 30 and 20 on the stochastics fast. the gray horizontal line is the 30, the blue horizontal line below it is the 20, the cyan blue line is the D plot, and each green dot is a swing low.
for the good line, you can see an uptrend form and the D plot never went above the 30 on the stochastic. the bad line shows the previous green dot gets connected to the most recent green dot after the D plot crossed below the 30. the bad lines are what im trying to avoid. the code i have now just draws any uptrend below the 20 connecting the swing lows, and downtrend above the 80 connecting the swing highs.
chatgpt cannot understand how to make a filter for this but maybe im just prompting it wrong. i already tried adding logic like "if D plot crosses below 30, then delete line connecting from previous swing low"
if anybody that's good with coding C sharp and potentially knows a solution, i would very much appreciate your help.
here's the exact code:
namespace NinjaTrader.NinjaScript.Indicators { public class StochasticSwing : Indicator { private Series den; private MAX max; private MIN min; private Series nom; private SMA smaK; private Swing swing; private List swingLowBars; private List swingLowPrices; private List swingHighBars; private List swingHighPrices; protected override void OnStateChange() { if (State == State.SetDefaults) { Description = "Stochastic Swing Indicator with custom swing point markers"; Name = "StochasticSwing"; IsSuspendedWhileInactive = true; PeriodD = 3; PeriodK = 9; Strength = 1; MaximumBarsLookBack = MaximumBarsLookBack.Infinite; AddPlot(Brushes.Cyan, "StochasticsD"); AddPlot(Brushes.Transparent, "StochasticsK"); AddLine(Brushes.Blue, 20, "Lower"); AddLine(Brushes.Blue, 80, "Upper"); DrawOnPricePanel = false; // Ensure drawing is done on the indicator's panel } else if (State == State.DataLoaded) { den = new Series(this); nom = new Series(this); min = MIN(Low, PeriodK); max = MAX(High, PeriodK); smaK = SMA(K, PeriodD); swing = Swing(D, Strength); swingLowBars = new List(); swingLowPrices = new List(); swingHighBars = new List(); swingHighPrices = new List(); } } protected override void OnBarUpdate() { if (CurrentBar < PeriodK) return; double min0 = min[0]; nom[0] = Close[0] - min0; den[0] = max[0] - min0; if (den[0].ApproxCompare(0) == 0) K[0] = CurrentBar == 0 ? 50 : K[1]; else K[0] = Math.Min(100, Math.Max(0, 100 * nom[0] / den[0])); D[0] = smaK[0]; // Clear previous swings swingLowBars.Clear(); swingLowPrices.Clear(); swingHighBars.Clear(); swingHighPrices.Clear(); // Collect all swing highs above 80 for (int i = Strength; i <= CurrentBar; i++) { int swingHighBar = swing.SwingHighBar(i, 1, int.MaxValue); if (swingHighBar != -1 && D[swingHighBar] > 80) { double swingHighPrice = D[swingHighBar]; swingHighBars.Add(swingHighBar); swingHighPrices.Add(swingHighPrice); Draw.Dot(this, "SwingHighDot" + swingHighBar, true, swingHighBar, swingHighPrice, Brushes.Red); } } // Collect all swing lows below 20 for (int i = Strength; i <= CurrentBar; i++) { int swingLowBar = swing.SwingLowBar(i, 1, int.MaxValue); if (swingLowBar != -1 && D[swingLowBar] < 20) { double swingLowPrice = D[swingLowBar]; swingLowBars.Add(swingLowBar); swingLowPrices.Add(swingLowPrice); Draw.Dot(this, "SwingLowDot" + swingLowBar, true, swingLowBar, swingLowPrice, Brushes.Green); } } // Connect swing lows with uptrend lines below 20 for (int i = 1; i < swingLowBars.Count; i++) { if (swingLowPrices[i] < swingLowPrices[i - 1]) { Draw.Line(this, "Uptrend" + i, false, swingLowBars[i - 1], swingLowPrices[i - 1], swingLowBars[i], swingLowPrices[i], Brushes.Green, DashStyleHelper.Solid, 1); } } // Connect swing highs with downtrend lines above 80 for (int i = 1; i < swingHighBars.Count; i++) { if (swingHighPrices[i] > swingHighPrices[i - 1]) { Draw.Line(this, "Downtrend" + i, false, swingHighBars[i - 1], swingHighPrices[i - 1], swingHighBars[i], swingHighPrices[i], Brushes.Red, DashStyleHelper.Solid, 1); } } } #region Properties [Browsable(false)] [XmlIgnore()] public Series D { get { return Values[0]; } } [Browsable(false)] [XmlIgnore()] public Series K { get { return Values[1]; } } [Range(1, int.MaxValue), NinjaScriptProperty] [Display(Name = "PeriodD", Order = 0)] public int PeriodD { get; set; } [Range(1, int.MaxValue), NinjaScriptProperty] [Display(Name = "PeriodK", Order = 1)] public int PeriodK { get; set; } [Range(1, int.MaxValue), NinjaScriptProperty] [Display(Name = "Strength", Order = 2)] public int Strength { get; set; } #endregion } } #region NinjaScript generated code. Neither change nor remove. namespace NinjaTrader.NinjaScript.Indicators { public partial class Indicator : NinjaTrader.Gui.NinjaScript.IndicatorRenderBase { private StochasticSwing[] cacheStochasticSwing; public StochasticSwing StochasticSwing(int periodD, int periodK, int strength) { return StochasticSwing(Input, periodD, periodK, strength); } public StochasticSwing StochasticSwing(ISeries input, int periodD, int periodK, int strength) { if (cacheStochasticSwing != null) for (int idx = 0; idx < cacheStochasticSwing.Length; idx++) if (cacheStochasticSwing[idx] != null && cacheStochasticSwing[idx].PeriodD == periodD && cacheStochasticSwing[idx].PeriodK == periodK && cacheStochasticSwing[idx].Strength == strength && cacheStochasticSwing[idx].EqualsInput(input)) return cacheStochasticSwing[idx]; return CacheIndicator(new StochasticSwing(){ PeriodD = periodD, PeriodK = periodK, Strength = strength }, input, ref cacheStochasticSwing); } } } namespace NinjaTrader.NinjaScript.MarketAnalyzerColumns { public partial class MarketAnalyzerColumn : MarketAnalyzerColumnBase { public Indicators.StochasticSwing StochasticSwing(int periodD, int periodK, int strength) { return indicator.StochasticSwing(Input, periodD, periodK, strength); } public Indicators.StochasticSwing StochasticSwing(ISeries input , int periodD, int periodK, int strength) { return indicator.StochasticSwing(input, periodD, periodK, strength); } } } namespace NinjaTrader.NinjaScript.Strategies { public partial class Strategy : NinjaTrader.Gui.NinjaScript.StrategyRenderBase { public Indicators.StochasticSwing StochasticSwing(int periodD, int periodK, int strength) { return indicator.StochasticSwing(Input, periodD, periodK, strength); } public Indicators.StochasticSwing StochasticSwing(ISeries input , int periodD, int periodK, int strength) { return indicator.StochasticSwing(input, periodD, periodK, strength); } } } #endregion 
submitted by cope4321 to FuturesTrading [link] [comments]


2024.05.21 19:06 AlternativeStation29 [WTS] Burris XTR III 5.5-30x56 SCR 2 Mil + Vortex Pro Rings & Sig Sauer Romeo 2 (3 MOA)

Timestamp: https://imgur.com/a/n88PeLT
Serial # in timestamp link.
Burris XTR III 5.5-30x56mm SCR 2 Mil + Vortex Pro series 1.10" centerline rings. No range time some safe scuff on illumination control and turrets. Too heavy for my current build. Includes original box and accessories. $920
Sig Sauer Romeo 2 (3 MOA ) red dot. Very light salt no rounds. Includes box and all original accesories. Lost original T10 bit, but replaced it with a new one. $490
Whoever makes first dibs will also get a smooth brain sticker...
Costs include shipping & insurance.
Payment via paypal FF no notes preferred, zelle, cashapp, or venmo.
Payment within 30 minutes of dibs or it goes to next person.
Dibs beats PM.
PM >> HERE << after calling dibs.
submitted by AlternativeStation29 to GunAccessoriesForSale [link] [comments]


2024.05.21 19:06 SillyDecoraKeiHyena Type me please!

Well i've already been typed as infp 6w7 but I've recently been pondering whether it's really something that fits me so I wanted to get other people's opinions on my typing.
• How old are you? What's your gender? Give us a general description of yourself.
— I'm 19 years old and identify as non-binary (he/they pronouns). I am extremely extra, I am eccentric, I love alternative styles, I love arts in all its forms, I am extremely sentimental, I can be considered strange to many, I talk too much, I seem extroverted around introverts and I seem introverted around other extroverts, I get tired easily in social situations, so I always prefer to talk more via cell phone or computer. I'm very extreme and I can end up feeling very angry, very happy or very sad out of nowhere, I usually try to be kind but I can be rude or insensitive if I'm very angry, I'm a person who really likes to fight for causes aimed at minorities since I'm from several minority groups, I hate injustice, I'm very stubborn and I don't like being contradicted while I always try to be someone who takes various arguments into account.
• Is there a medical diagnosis that may impact your mental stability somehow?
— I'm autistic, adhd, i have gad (generalized anxiety disorder) and i might also have depression.
• Describe your upbringing. Did it have any kind of religious or structured influence? How did you respond to it?
— I grew up in a Christian family, which hurt me a lot when I got older since my family's religion is against my existence as a queer person, and it took them a long time to admit that I needed psychological help and things like that. It's difficult to leave my roots but in the end I ended up stopping believing in my parents' religion after everything I went through.
• What do you do as a job or as a career (if you have one)? Do you like it? Why or why not?
— I'm studying animation design at college, it's one of my passions and I really enjoy learning about the topics, I just hate the structure of taking exams and tests.
• If you had to spend an entire weekend by yourself, how would you feel? Would you feel lonely or refreshed?
— I would feel crazy, insane. I need the company of some people close to me to regulate myself and talk about things I like, being alone makes me feel empty and strange. So yeah i would feel lonely.
• What kinds of activities do you prefer? Do you like, and are you good at sports? Do you enjoy any other outdoor or indoor activities?
— I'm terrible at sports and I hate them, my motor coordination is horrible. I prefer indoor activities because there is less chance of me overloading myself with something (example: feeling unwell because of the sun, heat, etc.)
• How curious are you? Do you have more ideas then you can execute? What are your curiosities about? What are your ideas about - is it environmental or conceptual, and can you please elaborate?
— I'm very curious, I love discovering new things, I have a lot of ideas at terrible times (in the middle of the night) and I really end up getting disorganized with the amount of things I think about. My ideas and curiosity are generally focused on creative processes like creating characters, universes, stories, but it can also simply be focused on a topic of interest to me (hyperfocuses / special interests). These are things that end up being more of a concept because I'm terrible at executing my ideas.
• Would you enjoy taking on a leadership position? Do you think you would be good at it? What would your leadership style be?
— I don't like being the leader of projects and things like that for the simple fact that I'm not good at handling responsibilities, so I prefer to just execute some order, my problem is that I also really like doing things MY way so it's a bit contradictory. However, in the moments when I have had to be a leader (I was forced to since my colleagues didn't want to do anything) I haven't been a bad leader, I research the project topics and let people choose their topics to present.
• Are you coordinated? Why do you feel as if you are or are not? Do you enjoy working with your hands in some form? Describe your activity?
— I'm not good at being organized or at things that involve motor coordination. For example, it took me decades to be able to tie my shoe laces, know which direction is right or left and I keep forgetting important dates. I don't like using my hands to do activities because they shake a lot and so I'm always horrible at things that involve using my hands. The only things I think I'm good at are playing games and drawing, and even then, drawing is an extreme challenge since I always put a lot of pressure on the pencil when I'm drawing or writing.
• Are you artistic? If yes, describe your art? If you are not particular artistic but can appreciate art please likewise describe what forums of art you enjoy. Please explain your answer.
— Yes, art is something that I have loved since I was young because of the fact that I can express my creativity, ideas and feelings. I've always been passionate about cartoons so my drawing style is very cartoony. I really like seeing fanart from media that I love, but I also love seeing old paintings, especially from Roman and Greek times. I not only like drawing and painting, but I also love art in general. I love cinema, theater, books, sculptures, etc. One day I want to know how to write very well and be able to make books or even draw well enough to be able to make a cartoon. I want to be able to share the comfort I experience by seeing art that makes me feel happy and represented by doing something that also makes people happy through my art.
• What's your opinion about the past, present, and future? How do you deal with them?
— I have some regrets from the past, but in general I was more "normal" and happy back then, I wouldn't change anything because I follow the idea that my mistakes and successes made me who I am today. As for my present, I try to make the most of it but I'm not going to lie that I'm not a big fan of my current state, I feel a bit useless and very behind compared to most people I know my age so I end up preferring to think more about the future and how things will get better later. At the same time that I really appreciate some current moments of my present, like being able to play with my girlfriend most days, this makes me very happy.
• How do you act when others request your help to do something (anything)? If you would decide to help them, why would you do so?
— I like helping people, sometimes I even try to help people who didn't ask for my help if they are people I really like (I may end up being seen as inconvenient because of this). I always want to be able to help everyone, but currently because of my mood I may end up not being very helpful as my mental health is not the best, even so, I always try to be very patient and friendly with people who are going through difficult times, even when sometimes I just want to be left alone and I'm not in the mood to help anyone, especially because I know what it's like to be in a bad place and i don't want people to feel rejected.
• Do you need logical consistency in your life?
— I'm very sentimental and I often don't think very logically BUT in arguments and other serious situations I need people to use logic and proven arguments just like i do in those situations so that the debate or serious situation isn't just a bunch of nonsense. I am a sentimental person, but to develop some thought, I need logical arguments
• How important is efficiency and productivity to you?
— In general, I think it's very important, but I personally can't be productive and efficient since I have a lot of executive dysfunction. I KNOW it's important but I can't be like that.
• Do you control others, even if indirectly? How and why do you do that?
— I like things to be my way but I don't really think I control people? I always impose my opinions a lot but I don't really control people.
• What are your hobbies? Why do you like them?
— I like games, reading books, role-playing, drawing and even trying to write books. I really like fantasy things. It seems more fun than my reality and I like to distract myself from real life things.
• What is your learning style? What kind of learning environments do you struggle with most? Why do you like/struggle with these learning styles? Do you prefer classes involving memorization, logic, creativity, or your physical senses?
— I like learning things when they involve what I like or at least are more interactive and I hate math, chemistry and physics btw. I have a lot of difficulty with classes in subjects that require a lot of memorization, I prefer things that are relative and interpretative like arts and literature and I really like classes that involve creativity. I also hate classes where the teacher just talks and talks and talks and doesn't do anything interactive and fun. I generally prefer to study at home for very short periods of time because I learn easier alone and study very briefly because I have difficulty studying for long periods of time.
• How good are you at strategizing? Do you easily break up projects into manageable tasks? Or do you have a tendency to wing projects and improvise as you go?
— I'm terrible at planning things, I usually do things at the last minute and I improvise a lot.
• What are your aspirations in life, professionally and personally?
— I think I get a lot of inspiration from artists I like, such as Rebecca Sugar, Tyler Joseph and others. They are very creative people who do things that I really like (I love Steven Universe, which Rebecca Sugar created, and I love Twenty One Pilots, which is the band where Tyler Joseph is the lead singer).
• What are your fears? What makes you uncomfortable? What do you hate? Why?
— My biggest fears are being alone, because it's scary not having anyone who understands you and who supports you and loves you, and being a burden to the people I love, because I don't want to be an extremely dependent and useless person and disappoint the people I love.
• What do the "highs" in your life look like?
— These are the days when I feel excited to do things and I can be productive doing everything I need in my routine as well as doing my hobbies and being able to relax.
• What do the "lows" in your life look like?
— These are the days when I feel sad, empty and discouraged, I can't do my routine tasks and I force myself to do them anyway in an extremely bad mood, my hobbies may even distract me on those days but it will be a strange feeling as if I'm not really excited to do what I like and I'm just distracting myself from my problems.
• How attached are you to reality? Do you daydream often, or do you pay attention to what's around you? If you do daydream, are you aware of your surroundings while you do so?
— Ah, I don't have much attachment to reality and I prefer fantasy things, I constantly get caught up in my own thoughts and I prefer to create happy fantasy situations so I don't deal with my real problems. I'm also pretty distracted in general so regardless of whether I'm fantasizing or not I end up missing a lot of details and dissociating
• Imagine you are alone in a blank, empty room. There is nothing for you to do and no one to talk to. What do you think about?
— I would probably try to distract myself by thinking about things I like or talking to myself, depending on if the day was bad I would eventually end up thinking a lot about my personal problems and becoming depressed.
• How long do you take to make an important decision? And do you change your mind once you've made it?
— I'm very slow and indecisive when it comes to choosing things, I always want to gather as much information about each option in my mind or by researching on the internet about it and then I always end up between multiple options and changing my mind several times until I arrive at a concrete result.
• How long do you take to process your emotions? How important are emotions in your life?
— Some of my emotions may be processed much later than they should have been processed or simply be different from what people usually have. For example, I'm not very good at dealing with grief and I end up not showing the sadness that my other relatives do, but generally I feel my emotions in a very extreme and volatile way. I feel happy for very silly things and when I'm happy I'm VERY HAPPY and I get sad very easily and when I get sad I get VERY SAD.
• Do you ever catch yourself agreeing with others just to appease them and keep the conversation going? How often? Why?
— Yes. I really like demonstrating my opinions and being authentic, it's a very important thing for me, but even so, I sometimes end up just remaining silent or agreeing with something that I don't really agree with because I'm too afraid of being hated and I generally want everyone to like me, even people I'm not very close to. However, I can also be a person with very strong opinions and be very stubborn about what I believe in if it is something linked to social issues or linked to things that I REALLY like.
• Do you break rules often? Do you think authority should be challenged, or that they know better? If you do break rules, why?
— I break rules that I believe don't make sense, if it's something that I think makes sense I'll follow that rule, but if it's stupid and I don't understand why I have to follow it I'll probably break the rule. I've also never been a person who understands authorities, for me anyone has the right to question something if it's not a useful or logical rule. I agree that rules are important but that they can be adapted, eliminated and added if necessary for people.
submitted by SillyDecoraKeiHyena to MbtiTypeMe [link] [comments]


2024.05.21 19:06 cope4321 having trouble with this stochastic code for ninjatrader

having trouble with this stochastic code for ninjatrader
okay so im using chatgpt to help me code a specific divergence indicator on the stochastic. i have the whole foundation of it done but im having trouble with filtering good trendlines with bad ones. i attached an image of the filter im trying to create.
in this scenario, we are below the 30 and 20 on the stochastics fast. the gray horizontal line is the 30, the blue horizontal line below it is the 20, the cyan blue line is the D plot, and each green dot is a swing low.
for the good line, you can see an uptrend form and the D plot never went above the 30 on the stochastic. the bad line shows the previous green dot gets connected to the most recent green dot after the D plot crossed below the 30. the bad lines are what im trying to avoid. the code i have now just draws any uptrend below the 20 connecting the swing lows, and downtrend above the 80 connecting the swing highs.
chatgpt cannot understand how to make a filter for this but maybe im just prompting it wrong. i already tried adding logic like "if D plot crosses below 30, then delete line connecting from previous swing low"
if anybody that's good with coding C sharp and potentially knows a solution, i would very much appreciate your help.
here's the exact code:
namespace NinjaTrader.NinjaScript.Indicators { public class StochasticSwing : Indicator { private Series den; private MAX max; private MIN min; private Series nom; private SMA smaK; private Swing swing; private List swingLowBars; private List swingLowPrices; private List swingHighBars; private List swingHighPrices; protected override void OnStateChange() { if (State == State.SetDefaults) { Description = "Stochastic Swing Indicator with custom swing point markers"; Name = "StochasticSwing"; IsSuspendedWhileInactive = true; PeriodD = 3; PeriodK = 9; Strength = 1; MaximumBarsLookBack = MaximumBarsLookBack.Infinite; AddPlot(Brushes.Cyan, "StochasticsD"); AddPlot(Brushes.Transparent, "StochasticsK"); AddLine(Brushes.Blue, 20, "Lower"); AddLine(Brushes.Blue, 80, "Upper"); DrawOnPricePanel = false; // Ensure drawing is done on the indicator's panel } else if (State == State.DataLoaded) { den = new Series(this); nom = new Series(this); min = MIN(Low, PeriodK); max = MAX(High, PeriodK); smaK = SMA(K, PeriodD); swing = Swing(D, Strength); swingLowBars = new List(); swingLowPrices = new List(); swingHighBars = new List(); swingHighPrices = new List(); } } protected override void OnBarUpdate() { if (CurrentBar < PeriodK) return; double min0 = min[0]; nom[0] = Close[0] - min0; den[0] = max[0] - min0; if (den[0].ApproxCompare(0) == 0) K[0] = CurrentBar == 0 ? 50 : K[1]; else K[0] = Math.Min(100, Math.Max(0, 100 * nom[0] / den[0])); D[0] = smaK[0]; // Clear previous swings swingLowBars.Clear(); swingLowPrices.Clear(); swingHighBars.Clear(); swingHighPrices.Clear(); // Collect all swing highs above 80 for (int i = Strength; i <= CurrentBar; i++) { int swingHighBar = swing.SwingHighBar(i, 1, int.MaxValue); if (swingHighBar != -1 && D[swingHighBar] > 80) { double swingHighPrice = D[swingHighBar]; swingHighBars.Add(swingHighBar); swingHighPrices.Add(swingHighPrice); Draw.Dot(this, "SwingHighDot" + swingHighBar, true, swingHighBar, swingHighPrice, Brushes.Red); } } // Collect all swing lows below 20 for (int i = Strength; i <= CurrentBar; i++) { int swingLowBar = swing.SwingLowBar(i, 1, int.MaxValue); if (swingLowBar != -1 && D[swingLowBar] < 20) { double swingLowPrice = D[swingLowBar]; swingLowBars.Add(swingLowBar); swingLowPrices.Add(swingLowPrice); Draw.Dot(this, "SwingLowDot" + swingLowBar, true, swingLowBar, swingLowPrice, Brushes.Green); } } // Connect swing lows with uptrend lines below 20 for (int i = 1; i < swingLowBars.Count; i++) { if (swingLowPrices[i] < swingLowPrices[i - 1]) { Draw.Line(this, "Uptrend" + i, false, swingLowBars[i - 1], swingLowPrices[i - 1], swingLowBars[i], swingLowPrices[i], Brushes.Green, DashStyleHelper.Solid, 1); } } // Connect swing highs with downtrend lines above 80 for (int i = 1; i < swingHighBars.Count; i++) { if (swingHighPrices[i] > swingHighPrices[i - 1]) { Draw.Line(this, "Downtrend" + i, false, swingHighBars[i - 1], swingHighPrices[i - 1], swingHighBars[i], swingHighPrices[i], Brushes.Red, DashStyleHelper.Solid, 1); } } } #region Properties [Browsable(false)] [XmlIgnore()] public Series D { get { return Values[0]; } } [Browsable(false)] [XmlIgnore()] public Series K { get { return Values[1]; } } [Range(1, int.MaxValue), NinjaScriptProperty] [Display(Name = "PeriodD", Order = 0)] public int PeriodD { get; set; } [Range(1, int.MaxValue), NinjaScriptProperty] [Display(Name = "PeriodK", Order = 1)] public int PeriodK { get; set; } [Range(1, int.MaxValue), NinjaScriptProperty] [Display(Name = "Strength", Order = 2)] public int Strength { get; set; } #endregion } } #region NinjaScript generated code. Neither change nor remove. namespace NinjaTrader.NinjaScript.Indicators { public partial class Indicator : NinjaTrader.Gui.NinjaScript.IndicatorRenderBase { private StochasticSwing[] cacheStochasticSwing; public StochasticSwing StochasticSwing(int periodD, int periodK, int strength) { return StochasticSwing(Input, periodD, periodK, strength); } public StochasticSwing StochasticSwing(ISeries input, int periodD, int periodK, int strength) { if (cacheStochasticSwing != null) for (int idx = 0; idx < cacheStochasticSwing.Length; idx++) if (cacheStochasticSwing[idx] != null && cacheStochasticSwing[idx].PeriodD == periodD && cacheStochasticSwing[idx].PeriodK == periodK && cacheStochasticSwing[idx].Strength == strength && cacheStochasticSwing[idx].EqualsInput(input)) return cacheStochasticSwing[idx]; return CacheIndicator(new StochasticSwing(){ PeriodD = periodD, PeriodK = periodK, Strength = strength }, input, ref cacheStochasticSwing); } } } namespace NinjaTrader.NinjaScript.MarketAnalyzerColumns { public partial class MarketAnalyzerColumn : MarketAnalyzerColumnBase { public Indicators.StochasticSwing StochasticSwing(int periodD, int periodK, int strength) { return indicator.StochasticSwing(Input, periodD, periodK, strength); } public Indicators.StochasticSwing StochasticSwing(ISeries input , int periodD, int periodK, int strength) { return indicator.StochasticSwing(input, periodD, periodK, strength); } } } namespace NinjaTrader.NinjaScript.Strategies { public partial class Strategy : NinjaTrader.Gui.NinjaScript.StrategyRenderBase { public Indicators.StochasticSwing StochasticSwing(int periodD, int periodK, int strength) { return indicator.StochasticSwing(Input, periodD, periodK, strength); } public Indicators.StochasticSwing StochasticSwing(ISeries input , int periodD, int periodK, int strength) { return indicator.StochasticSwing(input, periodD, periodK, strength); } } } #endregion 
submitted by cope4321 to ninjatrader [link] [comments]


2024.05.21 19:06 DTG_Bot [D2] Daily Reset Thread [2024-05-21]

Daily Modifiers

Vanguard Ops

Dares of Eternity

Onslaught: Playlist

Riven's Lair

The Coil

Seasonal

Legend/Master Lost Sector

Exotic armor drop (if solo): Arms

The Quarry: Legend

  • Legend Difficulty: Locked Equipment, Extra Shields
  • Champions: [Shield-Piercing] Barrier, [Stagger] Unstoppable
  • Threat: [Void] Void
  • Shields: [Solar] Solar, [Void] Void
  • Modifiers: Scorched Earth

The Quarry: Master

  • Legend Difficulty: Locked Equipment, Extra Shields
  • Champions: [Shield-Piercing] Barrier, [Stagger] Unstoppable
  • Threat: [Void] Void
  • Shields: [Solar] Solar, [Void] Void
  • Modifiers: Scorched Earth

Misc

Guns & Materials

Banshee's Featured Weapons

Name Type Column 1 Column 2 Column 3 Column 4 Masterwork
True Prophecy Kinetic Hand Cannon TrueSight HCS // Sureshot HCS Appended Mag // Flared Magwell Field Prep Elemental Capacitor Tier 2: Reload Speed
Whispering Slab Kinetic Combat Bow Elastic String // Polymer String Helical Fletching // Straight Fletching Archer's Tempo Swashbuckler Tier 2: Draw Time
Cartesian Coordinate Energy Fusion Rifle Red Dot 2 MOA // Red Dot Micro Enhanced Battery // Projection Fuse Under Pressure Vorpal Weapon Tier 2: Charge Time
Legal Action II Kinetic Pulse Rifle Arrowhead Brake // Corkscrew Rifling Tactical Mag // Steady Rounds Moving Target Thresh Tier 2: Reload Speed
Palmyra-B Heavy Rocket Launcher Linear Compensator // Smart Drift Control Alloy Casing // High-Velocity Rounds Surplus Explosive Light Tier 2: Reload Speed
Note: Fixed perks on weapons are not displayed

Master Rahool's Material Exchange

  • Purchase Glimmer (10000 for 10 Legendary Shards)
  • Purchase Glimmer (10000 for 10 Dark Fragment)
  • Purchase Glimmer (10000 for 10 Phantasmal Fragment)
  • Purchase Glimmer (10000 for 25 Herealways Piece)
  • Enhancement Prism (1 for 10 Enhancement Core & 10000 Glimmer)
  • Ascendant Shard (1 for 10 Enhancement Prism & 50000 Glimmer)
  • Ascendant Alloy (1 for 10 Enhancement Prism & 50000 Glimmer)

Bounties

Commander Zavala, Vanguard
Name Description Requirement Reward
Kill It with Fire Defeat combatants with Solar damage in Vanguard playlists. 25 [Solar] Solar XP+
Loose Ends Defeat combatants in Vanguard playlists with Strand damage. 25 Strand final blows XP+
Twisted Every Way Defeat combatants in Vanguard playlists with Strand abilities. Defeating suspended combatants or defeating them with your grapple grants additional progress. 50 Strand ability final blows XP+
Finish Them Defeat combatants with your finisher in Vanguard playlists. 5 Finisher XP+
Lord Shaxx, Crucible
Name Description Requirement Reward
Sparring Grounds Complete matches in any Crucible playlist. 2 Crucible matches XP+
Scorched Earth Defeat opponents with Solar scorch damage. 6 [Solar] Solar scorch XP+
On the Mark Defeat opponents with precision final blows. 3 [Headshot] Precision XP+
Did You Throw Enough Grenades? In Mayhem, defeat opponents with grenades. 3 [Grenade] Grenade XP+
The Drifter, Gambit
Name Description Requirement Reward
Elite Executioner Defeat challenging enemies in Gambit. 10 Challenging combatants XP+
Pins and Needles Defeat targets in Gambit matches with Strand abilities. Defeating Guardians grants additional progress. 30 Strand ability final blows XP+
Torn to Shreds Defeat targets in Gambit matches by severing or unraveling them with Strand. Defeating Guardians grants additional progress. 30 Strand severed or unraveled final blows XP+
Like Kindling Use Solar ignition to defeat targets in Gambit. Defeating Guardians grants more progress. 10 [Solar] Solar ignition XP+
Banshee-44, Gunsmith
Name Description Requirement Reward
Hand Cannon Calibration Calibrate Hand Cannons against any target. Earn bonus progress with precision and against opposing Guardians. 100 [Hand Cannon] Hand Cannon XP+ & Enhancement Core & Gunsmith Rank Progress
Pulse Rifle Calibration Calibrate Pulse Rifles against any target. Earn bonus progress with precision final blows and against opposing Guardians. 100 [Pulse Rifle] Pulse Rifle XP+ & Enhancement Core & Gunsmith Rank Progress
Linear Fusion Rifle Calibration Calibrate Linear Fusion Rifles against any target. Earn bonus progress with precision and against opposing Guardians. 100 [Linear Fusion Rifle] Linear Fusion Rifle XP+ & Enhancement Core & Gunsmith Rank Progress
Stasis Calibration Calibrate Stasis weapons against any target. Earn bonus progress against opposing Guardians. 80 [Stasis] Stasis weapon XP+ & Enhancement Core & Gunsmith Rank Progress
Nimbus, Neomuna
Name Description Requirement Reward
Vexing Void In Neomuna, defeat combatants with Void damage. Vex combatants grant additional progress. 60 [Void] Void XP+ & 50 Neomuna Rank
Finish Majeure In Neomuna, defeat combatants with finishers. Powerful combatants grant additional progress. 10 Finisher XP+ & 50 Neomuna Rank
Party Time In Neomuna, rapidly defeat combatants in groups of 2 or more with Auto Rifles, Submachine Guns, Pulse Rifles, or Machine Guns. 20 Rapidly defeated XP+ & 50 Neomuna Rank
Terminal Rewards Open chests after completing Terminal Overload. 3 Chests opened 1 Terminal Overload Key & 50 Neomuna Rank & XP+
Lord Shaxx, Hall of Champions
Name Description Requirement Reward
Onslaught Destroyer Clear waves in Onslaught. 5 Waves cleared 1 XP+ & 25 Lord Shaxx Reputation & 50 Lord Shaxx Reputation
Favor Finder Collect Favors of Grace, Justice, and Zeal in Defiant Battlegrounds. 20 Favors acquired 1 XP+ & 25 Lord Shaxx Reputation & 50 Lord Shaxx Reputation
Cluster Up Defeat targets with Pulse Rifles. Combatants in Onslaught and Guardians are worth more. 100 [Pulse Rifle] Pulse Rifle 1 XP+ & 25 Lord Shaxx Reputation & 50 Lord Shaxx Reputation
Fallen Down On The Job Defeat Fallen. Those defeated in Onslaught are worth more. 100 Fallen 1 XP+ & 25 Lord Shaxx Reputation & 50 Lord Shaxx Reputation
Spirit of Riven, H.E.L.M.
Name Description Requirement Reward
Will of the People Complete public events in the Dreaming City. Heroic completions are worth more. 6 Public events XP+ & 25 Spirit of Riven Reputation
Rapid Lair Defense Rapidly defeat combatants. Combatants in Riven's Lair or The Coil are worth more. 60 Rapidly defeated XP+ & 25 Spirit of Riven Reputation
Dragon's Fang Defeat targets with Auto Rifles, Pulse Rifles, or Trace Rifles. Combatants in Riven's Lair or The Coil and Guardians are worth more. 30 [Auto Rifle], [Pulse Rifle], or [Trace Rifle] defeats XP+ & 25 Spirit of Riven Reputation
Dragonthread Defeat targets with Solar or Strand damage. Combatants in Riven's Lair or The Coil and Guardians are worth more. 100 [Solar] or [Strand] defeats XP+ & 25 Spirit of Riven Reputation
Never forget what has been lost. While the API protests have concluded, Reddit remains hostile to its users as their IPO looms in the horizon. More information can be found here.
submitted by DTG_Bot to LowSodiumDestiny [link] [comments]


2024.05.21 19:06 DTG_Bot [D2] Daily Reset Thread [2024-05-21]

Daily Modifiers

Vanguard Ops

Dares of Eternity

Onslaught: Playlist

Riven's Lair

The Coil

Seasonal

Legend/Master Lost Sector

Exotic armor drop (if solo): Arms

The Quarry: Legend

  • Legend Difficulty: Locked Equipment, Extra Shields
  • Champions: [Shield-Piercing] Barrier, [Stagger] Unstoppable
  • Threat: [Void] Void
  • Shields: [Solar] Solar, [Void] Void
  • Modifiers: Scorched Earth

The Quarry: Master

  • Legend Difficulty: Locked Equipment, Extra Shields
  • Champions: [Shield-Piercing] Barrier, [Stagger] Unstoppable
  • Threat: [Void] Void
  • Shields: [Solar] Solar, [Void] Void
  • Modifiers: Scorched Earth

Misc

Guns & Materials

Banshee's Featured Weapons

Name Type Column 1 Column 2 Column 3 Column 4 Masterwork
True Prophecy Kinetic Hand Cannon TrueSight HCS // Sureshot HCS Appended Mag // Flared Magwell Field Prep Elemental Capacitor Tier 2: Reload Speed
Whispering Slab Kinetic Combat Bow Elastic String // Polymer String Helical Fletching // Straight Fletching Archer's Tempo Swashbuckler Tier 2: Draw Time
Cartesian Coordinate Energy Fusion Rifle Red Dot 2 MOA // Red Dot Micro Enhanced Battery // Projection Fuse Under Pressure Vorpal Weapon Tier 2: Charge Time
Legal Action II Kinetic Pulse Rifle Arrowhead Brake // Corkscrew Rifling Tactical Mag // Steady Rounds Moving Target Thresh Tier 2: Reload Speed
Palmyra-B Heavy Rocket Launcher Linear Compensator // Smart Drift Control Alloy Casing // High-Velocity Rounds Surplus Explosive Light Tier 2: Reload Speed
Note: Fixed perks on weapons are not displayed

Master Rahool's Material Exchange

  • Purchase Glimmer (10000 for 10 Legendary Shards)
  • Purchase Glimmer (10000 for 10 Dark Fragment)
  • Purchase Glimmer (10000 for 10 Phantasmal Fragment)
  • Purchase Glimmer (10000 for 25 Herealways Piece)
  • Enhancement Prism (1 for 10 Enhancement Core & 10000 Glimmer)
  • Ascendant Shard (1 for 10 Enhancement Prism & 50000 Glimmer)
  • Ascendant Alloy (1 for 10 Enhancement Prism & 50000 Glimmer)

Bounties

Commander Zavala, Vanguard
Name Description Requirement Reward
Kill It with Fire Defeat combatants with Solar damage in Vanguard playlists. 25 [Solar] Solar XP+
Loose Ends Defeat combatants in Vanguard playlists with Strand damage. 25 Strand final blows XP+
Twisted Every Way Defeat combatants in Vanguard playlists with Strand abilities. Defeating suspended combatants or defeating them with your grapple grants additional progress. 50 Strand ability final blows XP+
Finish Them Defeat combatants with your finisher in Vanguard playlists. 5 Finisher XP+
Lord Shaxx, Crucible
Name Description Requirement Reward
Sparring Grounds Complete matches in any Crucible playlist. 2 Crucible matches XP+
Scorched Earth Defeat opponents with Solar scorch damage. 6 [Solar] Solar scorch XP+
On the Mark Defeat opponents with precision final blows. 3 [Headshot] Precision XP+
Did You Throw Enough Grenades? In Mayhem, defeat opponents with grenades. 3 [Grenade] Grenade XP+
The Drifter, Gambit
Name Description Requirement Reward
Elite Executioner Defeat challenging enemies in Gambit. 10 Challenging combatants XP+
Pins and Needles Defeat targets in Gambit matches with Strand abilities. Defeating Guardians grants additional progress. 30 Strand ability final blows XP+
Torn to Shreds Defeat targets in Gambit matches by severing or unraveling them with Strand. Defeating Guardians grants additional progress. 30 Strand severed or unraveled final blows XP+
Like Kindling Use Solar ignition to defeat targets in Gambit. Defeating Guardians grants more progress. 10 [Solar] Solar ignition XP+
Banshee-44, Gunsmith
Name Description Requirement Reward
Hand Cannon Calibration Calibrate Hand Cannons against any target. Earn bonus progress with precision and against opposing Guardians. 100 [Hand Cannon] Hand Cannon XP+ & Enhancement Core & Gunsmith Rank Progress
Pulse Rifle Calibration Calibrate Pulse Rifles against any target. Earn bonus progress with precision final blows and against opposing Guardians. 100 [Pulse Rifle] Pulse Rifle XP+ & Enhancement Core & Gunsmith Rank Progress
Linear Fusion Rifle Calibration Calibrate Linear Fusion Rifles against any target. Earn bonus progress with precision and against opposing Guardians. 100 [Linear Fusion Rifle] Linear Fusion Rifle XP+ & Enhancement Core & Gunsmith Rank Progress
Stasis Calibration Calibrate Stasis weapons against any target. Earn bonus progress against opposing Guardians. 80 [Stasis] Stasis weapon XP+ & Enhancement Core & Gunsmith Rank Progress
Nimbus, Neomuna
Name Description Requirement Reward
Vexing Void In Neomuna, defeat combatants with Void damage. Vex combatants grant additional progress. 60 [Void] Void XP+ & 50 Neomuna Rank
Finish Majeure In Neomuna, defeat combatants with finishers. Powerful combatants grant additional progress. 10 Finisher XP+ & 50 Neomuna Rank
Party Time In Neomuna, rapidly defeat combatants in groups of 2 or more with Auto Rifles, Submachine Guns, Pulse Rifles, or Machine Guns. 20 Rapidly defeated XP+ & 50 Neomuna Rank
Terminal Rewards Open chests after completing Terminal Overload. 3 Chests opened 1 Terminal Overload Key & 50 Neomuna Rank & XP+
Lord Shaxx, Hall of Champions
Name Description Requirement Reward
Onslaught Destroyer Clear waves in Onslaught. 5 Waves cleared 1 XP+ & 25 Lord Shaxx Reputation & 50 Lord Shaxx Reputation
Favor Finder Collect Favors of Grace, Justice, and Zeal in Defiant Battlegrounds. 20 Favors acquired 1 XP+ & 25 Lord Shaxx Reputation & 50 Lord Shaxx Reputation
Cluster Up Defeat targets with Pulse Rifles. Combatants in Onslaught and Guardians are worth more. 100 [Pulse Rifle] Pulse Rifle 1 XP+ & 25 Lord Shaxx Reputation & 50 Lord Shaxx Reputation
Fallen Down On The Job Defeat Fallen. Those defeated in Onslaught are worth more. 100 Fallen 1 XP+ & 25 Lord Shaxx Reputation & 50 Lord Shaxx Reputation
Spirit of Riven, H.E.L.M.
Name Description Requirement Reward
Will of the People Complete public events in the Dreaming City. Heroic completions are worth more. 6 Public events XP+ & 25 Spirit of Riven Reputation
Rapid Lair Defense Rapidly defeat combatants. Combatants in Riven's Lair or The Coil are worth more. 60 Rapidly defeated XP+ & 25 Spirit of Riven Reputation
Dragon's Fang Defeat targets with Auto Rifles, Pulse Rifles, or Trace Rifles. Combatants in Riven's Lair or The Coil and Guardians are worth more. 30 [Auto Rifle], [Pulse Rifle], or [Trace Rifle] defeats XP+ & 25 Spirit of Riven Reputation
Dragonthread Defeat targets with Solar or Strand damage. Combatants in Riven's Lair or The Coil and Guardians are worth more. 100 [Solar] or [Strand] defeats XP+ & 25 Spirit of Riven Reputation
Never forget what has been lost. While the API protests have concluded, Reddit remains hostile to its users as their IPO looms in the horizon. More information can be found here.
submitted by DTG_Bot to DestinyTheGame [link] [comments]


2024.05.21 19:04 Ulfhedinn-Einherjar Enter for a chance to win a high-tech optics bundle! EOTech Optics Bundle Sweepstakes is valued at over $1,600 and includes an HHS-II Holographic Red Dot Sight and an EFLX Mini Reflex Red Dot Sight.(5-28-2024){U.S.}

submitted by Ulfhedinn-Einherjar to giveaways [link] [comments]


2024.05.21 19:04 AppalachiaAstronaut (WTS/WTT) Price drop: Complete M5/AR10 upper with BCG/CH, Complete M&P 15-22 upper with BCG/CH, extra furniture, lpvos, scope, and more

Timestamp: https://imgur.com/a/wIKRwWY
———
1) 16” Complete Aero (DPMS Pattern) Atlas S-One M5/AR10/308 upper. Includes BCG, charging handle, Bushnell 3-18 scope and piggybacked red dot, XS fixed transition high visibility offset sights, and bipod. Yours for $845 $825 shipped or Best Offer. 120 rounds through it.
2) 16” complete 15-22 upper with UTG 1-8 illuminated red/green lpvo, laser, Magpul scout mount, larue rail covers, handstop $465 $450 OBO
3) “.22 upgrade kit”: 1-4 primary red illuminated arms lpvo, 30mm rings, green laser and mount, Magpul scout mount, UTG rail covers, handstop, Mlok QD mount, 1/2 x 28 muzzle brake and crush washer, $175 $165 shipped
———
Both Uppers and .22 Ugrade kit for $1400 $1350 shipped OBO.
———
Before anyone asks me again, YES, the M&P 15-22 uppers can fit standard AR lowers with some modifications. I can send info on that if you’re seriously going to buy one.
———
Trade interests (can always do cash on top one way or another too):
submitted by AppalachiaAstronaut to GunAccessoriesForSale [link] [comments]


2024.05.21 19:02 DaleFunderburk [WTS] PA SLX 1-6 Gen IV lpvo

Timestamp- https://imgur.com/a/48AHEK6 Serial number- https://imgur.com/a/VwIyDEJ
*Autolive cap has been sold and removed, can see in updated timestamp Pictures- https://imgur.com/a/wzF3mlq
*Price includes shipping with PP FF. If you want G&S fees are on buyer.
submitted by DaleFunderburk to GunAccessoriesForSale [link] [comments]


2024.05.21 19:01 Acrobatic-Bee-50 Am I in the clear ??

I recently did a drug screening for DOT last Tuesday (a week from today) they just called me back today and said ABSOLUTELY NOTHING about the drug screening but they asked me to help verify employments from previous jobs I’ve had. Does that mean I’m in the clear with the drug screening ????
submitted by Acrobatic-Bee-50 to Advice [link] [comments]


2024.05.21 19:01 PlaceImpressive6631 Help! I’m a glue monster!

What witchcraft are y’all using when gluing? I’ve tried letting it dry a bit before sticking, using tweezers and toothpicks, and pretty much every glue on the market. I either end up with nothing sticking, or with glue all over the finished piece! When I watch tutorials on YouTube, these magical people put the smallest dot on a teeny piece and it sticks instantly like magic to the other tiny bit.
Help, vibes, spells, and tips are beyond appreciated!
submitted by PlaceImpressive6631 to miniatures [link] [comments]


2024.05.21 19:01 Many-Ad499 best tempering for poison rogue

hello guys, I'm trying to build up a poison barrage rogue variant of wudijo's build (https://maxroll.gg/d4/planneec9j00xg), but im not sure what i should look at to temper my items for the best dmg output and what should i focus on. I saw on his build that he doesnt stack much of dmg over time (only gems) and damage against poisoned, but he prefers to stack on +dmg%. My question is why? raw dmg multiplies poison better than dmg over time and dmg against poisoned? Also im using precision as a passive, so another way could be focus on stacking crit dmg and this is the way i think is the best, but at the same time i'd like to keep the big dots at the base idea of my build. What do you think? thanks
submitted by Many-Ad499 to diablo4 [link] [comments]


2024.05.21 18:55 Zerone06 Chinese Taoism holds a presence in Altaic mythology in the form of gender-based duality and creation

The famous symbol of Taoist cosmology, Yin and Yang, represents dualism in the principles of universal existence. But it also reflects the harmony within these two, that is, it also has a monistic side.
The Altaic creation saga is a cosmogonic "beginning of everything" text of the Turks and it contains elements influenced by Taoist principles.
Here is how it goes:
When there was nothing, there was only water. Ulgen was flying above the water, forever adrift, since there was no place to land. But one time, Ulgen heard a voice from within him, "Hold from below, grasp what lies before you!" With that, he reached out his hand. From the depths of the water, a piece of rock emerged. Ulgen alighted upon the land, but then he just rested on, for he knew not what to reach further. Then, Goddess Agine rose to the surface and adressed him: "Create, then! Say 'I did, it's done', or else, do not say 'I did, it's not done.'" And then, she disappeared. Leaving Ulgen alone with the deed of creation.
If we were talking about Greek mythology, this would probably end up in sex. But Agine enters the water and disappears, and the story continues in another way. Because Agine has fulfilled her role. Agine is the goddess who triggered Ulgen into creating. By saying "Say 'It's done,' or else, do not say 'It's not done,'" she teaches Ulgen to believe that something that is desired to happen will happen, in other words, affirmation, because cosmogonic texts (since everything is created for the first time) have an aspect of suggesting how the world should be. One other side is the power of logos But that's a whole another matter.
In short creation first comes from Agine here. Now, the connection of nature-related feminine energy and creation is not a first in mythology as it exists in almost every mythology, but here it's a bit different because Agine inspires the creator instead of, you know, taking from him and causing creation by herself. She inspires the act itself, now we can talk about the manifestation of a dual system of thought without relying on gender and birth as it usually happens in myths, but rather in a cosmological sense.
The heaven/earth concept is another concept of Turks which is also a part of this dual system of thought. In Chinese historical literature, we can see the term Tianxia (天下), which means everything under the sky. So there is sky, and then there is what's under it. This is highly related to the Mandate of Heaven so it's a concept of mythology as well. Again, the usual translation of Tian in Chinese is Heaven so it's a divine thing. And from the Turks they usually refer to sky as Tengri. Dots are already connecting.
Anyways, let's continue with the saga:
An entity named Erlik emerged. Ulgen asked him who he was. Erlik declared his desire to gather soil and fashion it into an earth of his own, but this intention of him angered Ulgen. Erlik said that he would bring the soil to him if he kept his anger, Ulgen calmed down. Erlik then brought the soil. Ulgen took the soil and shouted: "What I have done will be!" and a piece of land was formed before him. Then he sent Erlik back to the bottom of the water again. This time Erlik only delivered some of the soil, but kept a piece in his mouth. However, the soil that Erlik kept in his mouth also grew larger and got stuck in his throat. When Ulgen asked why he hid the soil, Erlik answered that he wanted to create a place for himself. Ulgen got furious at his yet again attempt to rival his divine self. With fury, he banished Erlik, declaring he will never be able come to the surface again. Thus, Erlik remained underground forever, spreading diseases, torturing dead souls, and unleashing his curse.
Now here it resembles Greek mythology indeed. Erlik is similar to Hades as his role is ruling the underworld as the god of evil. But still, is the concept here really the one and the same as the clash between Zeus and Hades?
The distinction between good and bad is existent here that is obvious. But hear this: Although Erlik and Ulgen seem to be enemies in principle, they are actually complementary to each other. They are the two faces of creation, two faces of the same coin, just like how it was with Agine. The conflict between them is essentially conflict of territorial dominance of creation. While Ulgen represented the sky, Erlik wanted to take the earth, but when he couldn't, he was sent underground. Erlik is a complementary element of the creation since without under what there is cosmos can't fully shape.
Here is the explanation of Yin and Yang from Encyclopedia Britannica: Yin is a symbol of earth, femaleness, darkness, passivity, and absorption. Yang is conceived of as heaven, maleness, light, activity, and penetration.
As you can see, Yin and Yang contain not one, but all what is opposite. Therefore, we can clearly see Erlik's position on the opposite side of Ulgen, who, as heaven, represents Yang's properties. Now there are strong theories that Tengrism is a pantheistic religion. In the believed cosmological model of the Tengrism, all shapes from a tree and all what existence reaches is essentially bucketed in one. The elements of the universe are all connected to each other. So, while the model is like this, factors like the creation being formed from great contrasts and the universe's being still representing those opposite powers inevitably reflects the Taoist principles here. After all, Yin and Yang stand for Earth and Sky as well. Which is a clear core in Turkic belief as it could be understood from Orkhon inscriptions.
The saga ends as it follows:
Before getting imprisoned in the depths of the world, Erlik yearned for the most little piece of soil. Ulgen initially hesitated, yet Erlik pleaded so much, eventually he granted him the soil. But when Ulgen asked him what was his intention with the soil, Erlik plunged into the water, vanishing from sight.
As you can see, Erlik is indeed holds a part of creation in himself. It can be understood from here that the duality used by the Turks in their conception of the universe and creation is not dichotomous, but rather a form of harmony, and that it is probably related to Yin and Yang.
submitted by Zerone06 to mythology [link] [comments]


2024.05.21 18:55 everydaynamaste Reflections of a first-time mom

Long time lurker; first-time poster.
I’m sharing my story in the hopes that there are others who can relate.
In retrospect, I drank heavily throughout my 20s. I never flagged it as a serious issue, as it was just the city life that everyone around me was also partaking in. I grappled with intermittent anxiety and panic attacks, but never connected the dots.
I shudder when I think about the compromising situations I put myself in while dating; the risky behaviour and questionable choices I made.
I escaped relatively unscathed and continued to drink socially into my 30s. The only elongated stretch of total sobriety occurred when I had my daughter.
As soon as she popped out, I began to drink again. Only this time, mixing alcohol with the newfound stress of first-time parenthood didn’t go down as smoothly.
I began to connect the dots.
The 30-minute buzz turned into 3-day hangovers. The quantities I was drinking were not extreme - and quite frankly irrelevant - as any amount of alcohol began affecting the days directly after.
I took some breaks. I felt better. As soon as I started feeling better, I figured “Why not? One drink won’t hurt.”
But it always does.
One drink makes me a less present parent the next day. It also usually leads to a second drink, which makes me an emotional and confrontational partner. A third drink derails me from my plans; healthy eating goes out the window, moving my body feels impossible.
I’ve had frequent stretches of prolonged sobriety over the last year. A month here. A few weeks there.
I always feel so good.
Last weekend, after a night of a few drinks, the next morning I found myself being short with my toddler. I could feel my anxiety boiling up as she just bounced around doing normal toddler shit. I lost that precious morning with her to my hangover. I was only there in body; my mind was elsewhere.
But this time I realized I really have had enough. It doesn’t matter if I don’t drink copious amounts or actually get drunk anymore. Any amount of drinking makes me feel like I’m living life on hard mode unnecessarily.
And this is why I’m coming out of lurking to share my story. I’m ready to do this.
IWNDWYT
submitted by everydaynamaste to stopdrinking [link] [comments]


2024.05.21 18:54 ApatheticShmo Remix Ret Pally Help

Let me get this out of the way real quick. I am not a person who gets how to make a build for my character. All the inner working for classes I just cannot seem to connect the dots. With that being said what do i need to do in regards to talents and gems for a ret pally?
submitted by ApatheticShmo to wow [link] [comments]


2024.05.21 18:54 tbsb1001 This dress

This dress
My girlfriend really loves this dress and i’d love to get her it or something similar
Please note that sites like formalgownss dot com and jkprom dot com are scam sites and don’t actually sell this dress.
From my research the original image seems to be lifted from depop somewhere but i’d really like to find the original dress listing
This dresss or something similar would be much appreciated happy hunting !
submitted by tbsb1001 to findfashion [link] [comments]


2024.05.21 18:54 Available_Plan9047 Patterned paper with small designs

Hello there ! I make cards that often have very small pieces to cut that I want patterned paper for , I seem to keep finding paper that has bigger patterns (so I would only get like one polka dot on my piece, does anyone have a brand they purchase that suits smaller cuts? TIA!
submitted by Available_Plan9047 to cardmaking [link] [comments]


2024.05.21 18:50 ZERO__VIRUS So it's only the REDDIT posts that Udio keeps deleting?

I have noticed, that if someone makes a Reddit post that says "Hey, check out my song, it sounds exactly like Robert Plant of Led Zeppelin is singing it!" then that post gets deleted pretty fast --- ---- but the Udio track stays up on Udio!
Why do you think that is? That they would delete any Reddit pointers to the song, but leave the song itself alive up on the Udio dot com website?
Could that be because, once they start hand-deleting songs from Udio, it's curtains for their service?
 

Why would anyone make art using an online tool, if evil moderators are just going to come along and DELETE the art?

 
Why, indeed.
=== ====
submitted by ZERO__VIRUS to udiomusic [link] [comments]


2024.05.21 18:49 ChaoticButterflyMoon Earth Mother pendent (WIP)

Earth Mother pendent (WIP)
So I decided to make a goddess pendent after some years (I had made some for fun years ago). Sorry the lightning isn't good. When I did my prayer this morning the colors green and blue flowed into my mind. Design too. Seems Earth Mother lent a hand in the paint design. I actually love the dots. I still have to put the medium and dark blue for the sea on the legs. I hope this is allowed too. What do you think?
submitted by ChaoticButterflyMoon to pagan [link] [comments]


2024.05.21 18:48 Basic-Meat-4489 Single player games that involve pets and/or pet collecting?

I know of Hello Dot. Then there is Revomon and PokeQuest VR, both of which look to be multiplayer-only unfortunately.
Are there any single-player games about pets or pet collecting or anything adjacent?
submitted by Basic-Meat-4489 to virtualreality [link] [comments]


2024.05.21 18:45 ahmedsedqi Doing this saved my pad 6

As most of you know the latest hyperos update absolutely ruined the experience it's full of lags, stutters and that freaded three dots at the top.
Well turns out disabling the ram extension setting and then rebooting the device made a world of a difference the pad is so smooth now it's amazing compared to when ram extension was on.
Hopefully this helps you guys out maybe try this before downgrading or resetting.
submitted by ahmedsedqi to XiaomiPad6 [link] [comments]


2024.05.21 18:41 xDaredevilx27 [WTS] Trijicon Accupoint 1-6 TR25-C-200095 with Throw Lever, Primary Arms PLx 1.5 0 MOA Mount

Timestamp: https://imgur.com/a/ssJAbIs
https://imgur.com/a/Yj0DxHV
Glass is amazing on this thing, just not my favorite of reticles so maybe it's time to go. I honestly don't need so many scopes and my wife is constantly on me to stop buying stuff I don't need. So help me out here! Lol
Trijicon LPVO TR25-C-200095, SFP, Mil-Dot reticle with Green Dot. Comes with Trijicon Magnification Lever, which is an awesome add-on. Really makes magnification changes so so smooth. Barely any salt, few small wear marks from previously being in ADM mount, but you hardly notice. Picks up illumination quickly and Tritium works great.
Sitting on a PLx 0moa mount.
Looking to sell entire package for $1025 $995 shipped and fully insured!
Willing to split. Open to reasonable offers.
$810 for optic
$200 for mount
submitted by xDaredevilx27 to GunAccessoriesForSale [link] [comments]


http://rodzice.org/