Ps3 code generator for mac

How to configure MGID Widgets and earn money with Native Ads

2024.05.21 19:07 sistyko How to configure MGID Widgets and earn money with Native Ads

How to configure MGID Widgets and earn money with Native Ads
Founded in 2008, MGID has become a market leader in the native advertising space, boasting over 185 billion ad impressions every month. While native advertising is its core offering, MGID also offers various ad formats that seamlessly integrate into your website's layout. These include in-content units, sidebar placements, header or footer options, mobile-specific formats and push ads. Choose the ones that best suit your website's design and user experience.
Native advertising is a type of paid advertising in which the ad matches the design and behavior of the platform where they appear. By blending into their environment, a native ad seems like another piece of editorial content, making them less disruptive than traditional ad formats and more likely to be noticed and clicked on. Native ads can appear in various locations on publisher sites, in promoted search results, or as sponsored posts on social media channels like Facebook or TikTok.
In order to create a widget with MGID and monetize your website with Native Ads, first of all you need to head over to their publisher page and create an account: Sign up in MGID as a Publisher
Once logged into your dashboard, go to the Publisher tab and click on the Add Widget button. Choose the most appropriate option in every field, such as Type, Size, Columns, Rows or Theme.
Some of the widgets available for publishers include:
Under-article widget - the main widget that shows the best performance on most of the websites.
In-article widget - this is also one of the most popular widgets. The main subtype usually has more clicks than other subtypes, however, the results depend on many factors and have to be discussed individually.
Smart widget - the alternative to the under-article widget. High CTR, great user engagement, and many other advantages will prove the widget to be one of the best.
Header widget - this widget was created for the header placement. May cause random clicks if used on websites with mostly mobile traffic.
Sidebar widget - is placed in the sidebar of the website. On the mobile version, it is moved to the bottom of the page, so it is better to use Sidebar on websites with mostly desktop traffic.
Mobile site widget - was created only for the mobile version of the website. May cause random clicks.
On-site notifications - the widget looks like Push notifications on the website. The capping and number of notifications can be set manually. Showed a good visibility rate and quite high CTR.
Then, just save the widget, copy the generated code and select where on your website you want the MGID ads to appear. MGID offers a placement tool to help you visualize ad placement.
That’s all! Your native ads will start showing in your chosen web space and start generating revenue (remember that ads can take up to 30 minutes to show). When you have accumulated the minimum amount of $100 as a publisher, you can request payment via Paypal or bank transfer.
If you need more info about this Native Ad Network, you can also find some helpful resources online, including tutorials and Reviews:

MGID, Native Advertising Network Review

https://preview.redd.it/48gyjsihat1d1.jpg?width=1024&format=pjpg&auto=webp&s=904c061249110b2c7fb31147b397961543264200
submitted by sistyko to AdsenseAlternatives [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:04 _Triple_ [STORE] 900+ KNIVES/GLOVES/SKINS, 100.000$+ INVENTORY. BFK Lore, Gloves Amphibious, Skeleton Fade, Bowie Emerald, BFK Auto, Gloves MF, Talon Doppler, Gloves POW, Bayo Tiger, Gut Sapphire, Stiletto MF, M9 Ultra, Ursus Doppler, Flip Doppler, M9 Stained, Nomad CW, Paracord CW, AK-47 X-Ray & A Lot More

Everything in my inventory is up for trade. The most valuable items are listed here, the rest you can find in My Inventory

Feel free to Add Me or even better send a Trade Offer. Open for any suggestions: upgrades, downgrades / knives, gloves, skins / stickers, patterns, floats.

All Buyouts are listed in cash value.

KNIVES

★ Butterfly Knife Lore (Factory New), B/O: $7194.77

★ Butterfly Knife Autotronic (Minimal Wear), B/O: $2025.74


★ M9 Bayonet Ultraviolet (Field-Tested), B/O: $557.87

★ M9 Bayonet Stained (Well-Worn), B/O: $529.41

★ M9 Bayonet Boreal Forest (Field-Tested), B/O: $465.39


★ Talon Knife Doppler (Factory New), B/O: $1295.27

★ Bayonet Tiger Tooth (Minimal Wear), B/O: $746.28

★ Karambit Bright Water (Field-Tested), B/O: $688.15


★ Flip Knife Doppler (Factory New), B/O: $547.93

★ Flip Knife Autotronic (Minimal Wear), B/O: $476.69

★ Flip Knife Case Hardened (Battle-Scarred), B/O: $278.18

★ Flip Knife Black Laminate (Well-Worn), B/O: $258.83

★ Flip Knife Urban Masked (Field-Tested), B/O: $181.64


★ Stiletto Knife Marble Fade (Factory New), B/O: $686.04

★ Stiletto Knife Doppler (Factory New), B/O: $665.41

★ Stiletto Knife, B/O: $601.39

★ Stiletto Knife Crimson Web (Field-Tested), B/O: $418.25

★ Stiletto Knife Night Stripe (Field-Tested), B/O: $227.80

★ Stiletto Knife Boreal Forest (Field-Tested), B/O: $194.96

★ Stiletto Knife Safari Mesh (Field-Tested), B/O: $192.79


★ Nomad Knife Crimson Web (Field-Tested), B/O: $518.11

★ Nomad Knife Scorched (Field-Tested), B/O: $169.78

★ Nomad Knife Forest DDPAT (Battle-Scarred), B/O: $166.88

★ StatTrak™ Nomad Knife Blue Steel (Field-Tested), B/O: $335.79


★ Skeleton Knife Stained (Well-Worn), B/O: $442.05

★ Skeleton Knife Urban Masked (Minimal Wear), B/O: $426.24

★ Skeleton Knife Boreal Forest (Field-Tested), B/O: $314.03

★ StatTrak™ Skeleton Knife Fade (Minimal Wear), B/O: $2361.28

★ StatTrak™ Skeleton Knife Urban Masked (Field-Tested), B/O: $376.53


★ Ursus Knife Doppler (Factory New), B/O: $557.12

★ Ursus Knife, B/O: $471.42

★ Ursus Knife Blue Steel (Minimal Wear), B/O: $212.37

★ Ursus Knife Case Hardened (Battle-Scarred), B/O: $187.66

★ Ursus Knife Damascus Steel (Field-Tested), B/O: $178.18

★ Ursus Knife Ultraviolet (Battle-Scarred), B/O: $155.13

★ Ursus Knife Boreal Forest (Battle-Scarred), B/O: $124.26


★ Huntsman Knife Black Laminate (Minimal Wear), B/O: $204.83

★ Huntsman Knife Black Laminate (Field-Tested), B/O: $184.50

★ StatTrak™ Huntsman Knife Lore (Battle-Scarred), B/O: $224.11


★ Bowie Knife Gamma Doppler (Factory New), B/O: $2142.02

★ Bowie Knife, B/O: $230.44

★ Bowie Knife Damascus Steel (Factory New), B/O: $209.20

★ Bowie Knife Ultraviolet (Minimal Wear), B/O: $180.51

★ Bowie Knife Ultraviolet (Field-Tested), B/O: $131.03


★ Falchion Knife Night (Field-Tested), B/O: $132.54

★ Falchion Knife Urban Masked (Well-Worn), B/O: $112.81

★ Falchion Knife Scorched (Field-Tested), B/O: $108.81

★ Falchion Knife Forest DDPAT (Field-Tested), B/O: $107.82

★ Falchion Knife Safari Mesh (Field-Tested), B/O: $107.46

★ StatTrak™ Falchion Knife Ultraviolet (Field-Tested), B/O: $143.08


★ Paracord Knife Crimson Web (Minimal Wear), B/O: $486.48

★ Paracord Knife Blue Steel (Battle-Scarred), B/O: $163.12


★ Survival Knife Blue Steel (Battle-Scarred), B/O: $138.26

★ Survival Knife Night Stripe (Field-Tested), B/O: $131.03


★ Gut Knife Sapphire (Minimal Wear), B/O: $1127.79

★ Gut Knife Gamma Doppler (Factory New), B/O: $286.17

★ Gut Knife Doppler (Factory New), B/O: $246.55

★ Gut Knife Marble Fade (Factory New), B/O: $240.77

★ Gut Knife, B/O: $210.49

★ Gut Knife Lore (Field-Tested), B/O: $194.22

★ Gut Knife Case Hardened (Battle-Scarred), B/O: $151.51

★ Gut Knife Blue Steel (Minimal Wear), B/O: $124.94

★ Gut Knife Rust Coat (Well-Worn), B/O: $118.99

★ Gut Knife Boreal Forest (Minimal Wear), B/O: $109.80

★ StatTrak™ Gut Knife Doppler (Factory New), B/O: $237.96


★ Shadow Daggers Gamma Doppler (Factory New), B/O: $264.92

★ Shadow Daggers Marble Fade (Factory New), B/O: $253.03

★ Shadow Daggers Tiger Tooth (Factory New), B/O: $237.22

★ Shadow Daggers Crimson Web (Field-Tested), B/O: $153.40

★ Shadow Daggers Autotronic (Minimal Wear), B/O: $144.42

★ Shadow Daggers Blue Steel (Field-Tested), B/O: $105.20

★ StatTrak™ Shadow Daggers Damascus Steel (Minimal Wear), B/O: $150.46


★ Navaja Knife Fade (Factory New), B/O: $365.99

★ Navaja Knife Doppler (Factory New), B/O: $228.93

★ Navaja Knife Marble Fade (Factory New), B/O: $227.43

★ Navaja Knife Slaughter (Factory New), B/O: $209.06

★ Navaja Knife, B/O: $203.16

★ Navaja Knife Case Hardened (Well-Worn), B/O: $132.57

★ Navaja Knife Damascus Steel (Factory New), B/O: $121.69

★ Navaja Knife Damascus Steel (Minimal Wear), B/O: $109.95

★ Navaja Knife Damascus Steel (Field-Tested), B/O: $100.41

★ StatTrak™ Navaja Knife Fade (Factory New), B/O: $369.01

★ StatTrak™ Navaja Knife Damascus Steel (Field-Tested), B/O: $109.95

GLOVES

★ Sport Gloves Amphibious (Minimal Wear), B/O: $2394.67

★ Sport Gloves Omega (Well-Worn), B/O: $572.33

★ Sport Gloves Bronze Morph (Minimal Wear), B/O: $338.88

★ Sport Gloves Big Game (Field-Tested), B/O: $323.66


★ Specialist Gloves Marble Fade (Minimal Wear), B/O: $1652.07

★ Specialist Gloves Tiger Strike (Field-Tested), B/O: $599.14

★ Specialist Gloves Crimson Web (Well-Worn), B/O: $231.57

★ Specialist Gloves Buckshot (Minimal Wear), B/O: $126.21


★ Moto Gloves POW! (Minimal Wear), B/O: $996.99

★ Moto Gloves POW! (Field-Tested), B/O: $383.31

★ Moto Gloves POW! (Well-Worn), B/O: $276.00

★ Moto Gloves Turtle (Field-Tested), B/O: $180.28


★ Hand Wraps CAUTION! (Minimal Wear), B/O: $502.29

★ Hand Wraps Giraffe (Minimal Wear), B/O: $180.73

★ Hand Wraps CAUTION! (Battle-Scarred), B/O: $178.32


★ Driver Gloves Queen Jaguar (Minimal Wear), B/O: $181.01

★ Driver Gloves Rezan the Red (Field-Tested), B/O: $101.66


★ Broken Fang Gloves Jade (Field-Tested), B/O: $127.88

★ Broken Fang Gloves Needle Point (Minimal Wear), B/O: $124.55


★ Bloodhound Gloves Guerrilla (Minimal Wear), B/O: $127.94

★ Hydra Gloves Case Hardened (Field-Tested), B/O: $102.55

WEAPONS

AK-47 X-Ray (Well-Worn), B/O: $478.95

AUG Hot Rod (Factory New), B/O: $425.83

StatTrak™ M4A1-S Hyper Beast (Factory New), B/O: $413.95

M4A4 Daybreak (Factory New), B/O: $309.51

StatTrak™ AK-47 Aquamarine Revenge (Factory New), B/O: $305.43

AK-47 Case Hardened (Well-Worn), B/O: $196.38

StatTrak™ M4A4 Temukau (Minimal Wear), B/O: $174.64

P90 Run and Hide (Field-Tested), B/O: $167.03

AWP Asiimov (Field-Tested), B/O: $153.33

Souvenir SSG 08 Death Strike (Minimal Wear), B/O: $140.00

M4A1-S Printstream (Battle-Scarred), B/O: $124.70

StatTrak™ M4A1-S Golden Coil (Field-Tested), B/O: $117.48

AWP Asiimov (Well-Worn), B/O: $115.97

StatTrak™ Desert Eagle Printstream (Minimal Wear), B/O: $112.96

StatTrak™ AK-47 Asiimov (Minimal Wear), B/O: $110.85

Souvenir M4A1-S Master Piece (Well-Worn), B/O: $102.42

AK-47 Bloodsport (Minimal Wear), B/O: $100.53

Trade Offer Link - Steam Profile Link - My Inventory

Knives - Bowie Knife, Butterfly Knife, Falchion Knife, Flip Knife, Gut Knife, Huntsman Knife, M9 Bayonet, Bayonet, Karambit, Shadow Daggers, Stiletto Knife, Ursus Knife, Navaja Knife, Talon Knife, Classic Knife, Paracord Knife, Survival Knife, Nomad Knife, Skeleton Knife, Patterns - Gamma Doppler, Doppler (Phase 1, Phase 2, Phase 3, Phase 4, Black Pearl, Sapphire, Ruby, Emerald), Crimson Web, Lore, Fade, Ultraviolet, Night, Marble Fade (Fire & Ice, Fake FI), Case Hardened (Blue Gem), Autotronic, Slaughter, Black Laminate, Tiger Tooth, Boreal Forest, Scorched, Blue Steel, Vanilla, Damascus Steel, Forest DDPAT, Urban Masked, Freehand, Stained, Bright Water, Safari Mesh, Rust Coat, Gloves - Bloodhound Gloves (Charred, Snakebite, Guerrilla, Bronzed), Driver Gloves (Snow Leopard, King Snake, Crimson Weave, Imperial Plaid, Black Tie, Lunar Weave, Diamondback, Rezan the Red, Overtake, Queen Jaguar, Convoy, Racing Green), Hand Wraps (Cobalt Skulls, CAUTION!, Overprint, Slaughter, Leather, Giraffe, Badlands, Spruce DDPAT, Arboreal, Constrictor, Desert Shamagh, Duct Tape), Moto Gloves (Spearmint, POW!, Cool Mint, Smoke Out, Finish Line, Polygon, Blood Pressure, Turtle, Boom!, Eclipse, 3rd Commando Company, Transport), Specialist Gloves (Crimson Kimono, Tiger Strike, Emerald Web, Field Agent, Marble Fade, Fade, Foundation, Lt. Commander, Crimson Web, Mogul, Forest DDPAT, Buckshot), Sport Gloves (Pandora's Box, Superconductor, Hedge Maze, Vice, Amphibious, Slingshot, Omega, Arid, Big Game, Nocts, Scarlet Shamagh, Bronze Morph), Hydra Gloves (Case Hardened, Emerald, Rattler, Mangrove), Broken Fang Gloves (Jade, Yellow-banded, Unhinged, Needle Point), Pistols - P2000 (Wicked Sick, Ocean Foam, Fire Element, Amber Fade, Corticera, Chainmail, Imperial Dragon, Obsidian, Scorpion, Handgun, Acid Etched), USP-S (Printstream, Kill Confirmed, Whiteout, Road Rash, Owergrowth, The Traitor, Neo-Noir, Dark Water, Orion, Blueprint, Stainless, Caiman, Serum, Monster Mashup, Royal Blue, Ancient Visions, Cortex, Orange Anolis, Ticket To Hell, Black Lotus, Cyrex, Check Engine, Guardian, Purple DDPAT, Torque, Blood Tiger, Flashback, Business Class, Pathfinder, Para Green), Lead Conduit, Glock-18 (Ramese's Reach, Umbral Rabbit, Fade, Candy Apple, Bullet Queen, Synth Leaf, Neo-Noir, Nuclear Garden, Dragon Tatto, Reactor, Pink DDPAT, Twilight Galaxy, Sand Dune, Groundwater, Blue Fissure, Snack Attack, Water Elemental, Brass, Wasteland Rebel, Vogue, Franklin, Royal Legion, Gamma Doppler, Weasel, Steel Disruption, Ironwork, Grinder, High Beam, Moonrise, Oxide Blaze, Bunsen Burner, Clear Polymer, Bunsen Burner, Night), P250 (Apep's Curse, Re.built, Nuclear Threat, Modern Hunter, Splash, Whiteout, Vino Primo, Mehndi, Asiimov, Visions, Undertow, Cartel, See Ya Later, Gunsmoke, Splash, Digital Architect, Muertos, Red Rock, Bengal Tiger, Crimson Kimono, Wingshot, Metallic DDPAT, Hive, Dark Filigree, Mint Kimono), Five-Seven (Neon Kimono, Berries And Cherries, Fall Hazard, Crimson Blossom, Hyper Beast, Nitro, Fairy Tale, Case Hardened, Copper Galaxy, Angry Mob, Monkey Business, Fowl Play, Anodized Gunmetal, Hot Shot, Retrobution, Boost Protocol), CZ75-Auto (Chalice, Crimson Web, Emerald Quartz, The Fuschia is Now, Nitro, Xiangliu, Yellow Jacket, Victoria, Poison Dart, Syndicate, Eco, Hexane, Pole, Tigris), Tec-9 (Mummy's Rot, Rebel, Terrace, Nuclear Threat, Hades, Rust Leaf, Decimator, Blast From, Orange Murano, Toxic, Fuel Injector, Remote Control, Bamboo Forest, Isaac, Avalanche, Brother, Re-Entry, Blue Titanium, Bamboozle), R8 Revolver (Banana Cannon, Fade, Blaze, Crimson Web, Liama Cannon, Crazy 8, Reboot, Canal Spray, Night, Amber Fade), Desert Eagle (Blaze, Hand Cannon, Fennec Fox, Sunset Storm, Emerald Jörmungandr, Pilot, Hypnotic, Golden Koi, Printstream, Cobalt Disruption, Code Red, Ocean Drive, Midnight Storm, Kumicho Dragon, Crimson Web, Heirloom, Night Heist, Mecha Industries, Night, Conspiracy, Trigger Discipline, Naga, Directive, Light Rail), Dual Berettas (Flora Carnivora, Duelist, Cobra Strike, Black Limba, Emerald, Hemoglobin, Twin Turbo, Marina, Melondrama, Pyre, Retribution, Briar, Dezastre, Royal Consorts, Urban Shock, Dualing Dragons, Panther, Balance), Rifles - Galil (Aqua Terrace, Winter Forest, Chatterbox, Sugar Rush, Pheonix Blacklight, CAUTION!, Orange DDPAT, Cerberus, Dusk Ruins, Eco, Chromatic Aberration, Stone Cold, Tuxedo, Sandstorm, Shattered, Urban Rubble, Rocket Pop, Kami, Crimson Tsunami, Connexion), SCAR-20 (Fragments, Brass, Cyrex, Palm, Splash Jam, Cardiac, Emerald, Crimson Web, Magna Carta, Stone Mosaico, Bloodsport, Enforcer), AWP (Black Nile, Duality, Gungnir, Dragon Lore, Prince, Medusa, Desert Hydra, Fade, Lightning Strike, Oni Taiji, Silk Tiger, Graphite, Chromatic Aberration, Asiimov, Snake Camo, Boom, Containment Breach, Wildfire, Redline, Electric Hive, Hyper Beast, Neo-Noir, Man-o'-war, Pink DDPAT, Corticera, Sun in Leo, Elite Build, Fever Dream, Atheris, Mortis, PAW, Exoskeleton, Worm God, POP AWP, Phobos, Acheron, Pit Viper, Capillary, Safari Mesh), AK-47 (Steel Delta, Head Shot, Wild Lotus, Gold Arabesque, X-Ray, Fire Serpent, Hydroponic, Panthera Onca, Case Hardened, Vulcan, Jet Set, Fuel Injector, Bloodsport, Nightwish, First Class, Neon Rider, Asiimov, Red Laminate, Aquamarine Revenge, The Empress, Wasteland Rebel, Jaguar, Black Laminate, Leet Museo, Neon Revolution, Redline, Frontside Misty, Predator, Legion of Anubis, Point Disarray, Orbit Mk01, Blue Laminate, Green Laminate, Emerald Pinstripe, Cartel, Phantom Disruptor, Jungle Spray, Safety Net, Rat Rod, Baroque Purple, Slate, Elite Build, Uncharted, Safari Mesh), FAMAS (Waters of Nephthys, Sundown, Prime Conspiracy, Afterimage, Commemoration, Dark Water, Spitfire, Pulse, Eye of Athena, Meltdown, Rapid Eye Move, Roll Cage, Styx, Mecha Industrie, Djinn, ZX Spectron, Valence, Neural Net, Night Borre, Hexne), M4A4 (Eye of Horus, Temukau, Howl, Poseidon, Asiimov, Daybreak, Hellfire, Zirka, Red DDPAT, Radiation Hazard, Modern Hunter, The Emperor, The Coalition, Bullet Rain, Cyber Security, X-Ray, Dark Blossom, Buzz Kill, In Living Color, Neo-Noir, Desolate Space, 龍王 (Dragon King), Royal Paladin, The Battlestar, Global Offensive, Tooth Fairy, Desert-Strike, Griffin, Evil Daimyo, Spider Lily, Converter), M4A1-S (Emphorosaur-S, Welcome to the Jungle, Imminent Danger, Knight, Hot Rod, Icarus Fell, Blue Phosphor, Printstream, Master Piece, Dark Water, Golden Coil, Bright Water, Player Two, Atomic Alloy, Guardian, Chantico's Fire, Hyper Beast, Mecha Industries, Cyrex, Control Panel, Moss Quartz, Nightmare, Decimator, Leaded Glass, Basilisk, Blood Tiger, Briefing, Night Terror, Nitro, VariCamo, Flashback), SG 553 (Cyberforce, Hazard Pay, Bulldozer, Integrale, Dragon Tech, Ultraviolet, Colony IV, Hypnotic, Cyrex, Candy Apple, Barricade, Pulse), SSG 08 (Death Strike, Sea Calico, Blood in the Water, Orange Filigree, Dragonfire, Big Iron, Bloodshot, Detour, Turbo Peek, Red Stone), AUG (Akihabara Accept, Flame Jörmungandr, Hot Rod, Midnight Lily, Sand Storm, Carved Jade, Wings, Anodized Navy, Death by Puppy, Torque, Bengal Tiger, Chameleon, Fleet Flock, Random Access, Momentum, Syd Mead, Stymphalian, Arctic Wolf, Aristocrat, Navy Murano), G3SG1 (Chronos, Violet Murano, Flux, Demeter, Orange Kimono, The Executioner, Green Apple, Arctic Polar Camo, Contractor), SMGs - P90 (ScaraB Rush, Neoqueen, Astral Jörmungandr, Run and Hide, Emerald Dragon, Cold Blooded, Death by Kitty, Baroque Red, Vent Rush, Blind Spot, Asiimov, Trigon, Sunset Lily, Death Grip, Leather, Nostalgia, Fallout Warning, Tiger Pit, Schermatic, Virus, Shapewood, Glacier Mesh, Shallow Grave, Chopper, Desert Warfare), MAC-10 (Sakkaku, Hot Snakes, Copper Borre, Red Filigree, Gold Brick, Graven, Case Hardened, Stalker, Amber Fade, Neon Rider, Tatter, Curse, Propaganda, Nuclear Garden, Disco Tech, Toybox, Heat, Indigo), UMP-45 (Wild Child, Fade, Blaze, Day Lily, Minotaur's Labyrinth, Crime Scene, Caramel, Bone Pile, Momentum, Primal Saber), MP7 (Teal Blossom, Fade, Nemesis, Whiteout, Asterion, Bloosport, Abyssal Apparition, Full Stop, Special Delivery, Neon Ply, Asterion, Ocean Foam, Powercore, Scorched, Impire), PP-Bizon (Modern Hunter, Rust Coat, Forest Leaves, Antique, High Roller, Blue Streak, Seabird, Judgement of Anubis, Bamboo Print, Embargo, Chemical Green, Coblat Halftone, Fuel Rod, Photic Zone, Irradiated Alert, Carbon Fiber), MP9 (Featherweight, Wild Lily, Pandora's Box, Stained Glass, Bulldozer, Dark Age, Hot Rod, Hypnotic, Hydra, Rose Iron, Music Box, Setting Sun, Food Chain, Airlock, Mount Fuji, Starlight Protector, Ruby Poison Dart, Deadly Poison), MP5-SD (Liquidation, Oxide Oasis, Phosphor, Nitro, Agent, Autumn Twilly), Shotguns, Machineguns - Sawed-Off (Kiss♥Love, First Class, Orange DDPAT, Rust Coat, The Kraken, Devourer, Mosaico, Wasteland Princess, Bamboo Shadow, Copper, Serenity, Limelight, Apocalypto), XM1014 (Frost Borre, Ancient Lore, Red Leather, Elegant Vines, Banana Leaf, Jungle, Urban Perforated, Grassland, Blaze Orange, Heaven Guard, VariCamo Blue, Entombed, XOXO, Seasons, Tranquility, Bone Machine, Incinegator, Teclu Burner, Black Tie, Zombie Offensive, Watchdog), Nova (Sobek's Bite, Baroque Orange, Hyper Beast, Green Apple, Antique, Modern Hunter, Walnut, Forest Leaves, Graphite, Blaze Orange, Rising Skull, Tempest, Bloomstick, Interlock, Quick Sand, Moon in Libra, Clean Polymer, Red Quartz, Toy Soldier), MAG-7 (Copper Coated, Insomnia, Cinqueda, Counter Terrace, Prism Terrace, Memento, Chainmail, Hazard, Justice, Bulldozer, Silver, Core Breach, Firestarter, Praetorian, Heat, Hard Water, Monster Call, BI83 Spectrum, SWAG-7), M249 (Humidor, Shipping Forecast, Blizzard Marbleized, Downtown, Jungle DDPAT, Nebula Crusader, Impact Drill, Emerald Poison Dart), Negev (Mjölnir, Anodized Navy, Palm, Power Loader, Bratatat, CaliCamo, Phoenix Stencil, Infrastructure, Boroque Sand), Wear - Factory New (FN), Minimal Wear (MW), Field-Tested (FT), Well-Worn (WW), Battle-Scarred (BS), Stickers Holo/Foil/Gold - Katowice 2014, Krakow 2017, Howling Dawn, Katowice 2015, Crown, London 2018, Cologne 2014, Boston 2018, Atlanta 2017, Cluj-Napoca 2015, DreamHack 2014, King on the Field, Harp of War, Winged Difuser, Cologne 2016, Cologne 2015, MLG Columbus 2016, Katowice 2019, Berlin 2019, RMR 2020, Stockholm 2021, Antwerp 2022, Paris 2023, Swag Foil, Flammable foil, Others - Souvenirs, Agents, Pins, Passes, Gifts, Music Kits, Cases, Keys, Capsules, Packages, Patches

Some items on the list may no longer be available or are still locked, visit My Inventory for more details.

Send a Trade Offer for fastest response. I consider all offers.

Add me for discuss if there is a serious offer that needs to be discussed.

submitted by _Triple_ to GlobalOffensiveTrade [link] [comments]


2024.05.21 18:49 eugeniox After nearly 3 years, a new major release of DaDaBIK low-code/no-code has been released. New User Interface, AI-Powered App Building, Beta mode for testing & more. Build CRUD, internal tools, admin panels, dashboards in minutes with no-code. Add your own custom PHP & Javascript code, if needed.

Hi!
A new major release of DaDaBIK is out (founder here) and I think this might be of interest to this subreddit.
V. 12 brings, among other new features:
🚀 A new Graphical User Interface for generated apps, addressing what some users saw as the main limitation of DaDaBIK. New, modern, look and feel.
🔄 The new BETA development mode, that allows to privately (admins + trusted users) test your changes and custom code in BETA mode and deploy them LIVE in one click, optionally using two separated (Beta Vs. Live) DBs.
👩‍💻 AI-Powered App Building: simply describe your app in plain English and let AI create it, then refine your app with DaDaBIK.
💾 Export your app in one click
A quick overview, if you are not familiar with DaDaBIK: it has been a pioneer in the low-code and no-code space since 2001, being one of the very first no-code low-code Web platform, typically used for internal tools, business process automation, online databases.
Users include individuals, small and large business and many universities.
Some of the main features:
You can also add your own PHP / Javascript code, if needed, through a unique low-code integration approach. This includes custom buttons, hooks, custom validation functions, calculated fields, custom PHP pages and more. Your code remain completely separated from the DaDaBIK core code but fully integrated with the application, you can use vanilla PHP / Javascript and/or take advantage of the DaDABIK API.
No artificial limits on users, tables, records: if you need to scale, just power up your server.

Integration capabilities:

Licensing Options:

Both lifetime and monthly subscription licenses are available. You can start your free trial at dadabik.com/download
If you want to see DaDaBIK in action, here are some apps created with it: dadabik.com/demo
Any feedback is welcome, thanks!
Eugenio
submitted by eugeniox to nocode [link] [comments]


2024.05.21 18:45 JoeyJoeJoe1996 Question for those born in 1997

Do you guys feel like you're the quintessential Zillennial?
Obviously all of us are on the cusp, and I'm not 'denying' anyone that identity. However I'd like to hear in the comments about your experiences growing up. I tend to find that those born in 1997 are the true core of Zillennials.
Here are some interesting things I've noticed for example on American 1997 Zillennials:
- Likely has little or no memory of 9/11 however remembers the 'aftershock' and culture immediately after the event. Iraq War, Terrorism, George W. Bush, etc.
- Graduated college (using a traditional 4 year program) before COVID and was likely not affected the same way that off cusp Gen Z were.
- Started high school in 2011; 2 years before smartphones became ubiquitous. The 2013 smartphone shift really marks a start of a new era of technology and culture in my opinion.
- Experienced constant changes and upgrades to technology during their childhood and adolescence. There's a trend of younger people being technologically illiterate; ironically I find that those born in the 90's entirely are some of the most tech-savvy people. I think it's because of how much exposure to different formats and mediums growing up (cassette tapes -> cds -> mp3s -> streaming as an example).
- Likely have used as far back as 4th generation gaming consoles (if exposed from older siblings) and definitely grew up using PS2/Xbox/GameCube as their main bulk of childhood. Adolescence is marked by Xbox 360/PS3/Wii
- Came of age before Donald Trump was elected; I think Trump/2016 marked a huge shift in our society in America.
Feel free to add more as well.
submitted by JoeyJoeJoe1996 to Zillennials [link] [comments]


2024.05.21 18:45 WolfWatchman render thread crash-please help

---- Minecraft Crash Report ----
// Don't be sad, have a hug! <3
Time: 2024-05-21 11:29:11
Description: Initializing game
java.lang.RuntimeException: null
at net.minecraftforge.fml.DeferredWorkQueue.runTasks(DeferredWorkQueue.java:58) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {} at net.minecraftforge.fml.core.ParallelTransition.lambda$finalActivityGenerator$2(ParallelTransition.java:35) \~\[forge-1.20.1-47.2.20-universal.jar%231267!/:?\] {re:classloading} at java.util.concurrent.CompletableFuture$UniApply.tryFire(CompletableFuture.java:646) \~\[?:?\] {} at java.util.concurrent.CompletableFuture$Completion.run(CompletableFuture.java:482) \~\[?:?\] {} at net.minecraftforge.fml.ModWorkManager$SyncExecutor.driveOne(ModWorkManager.java:43) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {} at net.minecraftforge.fml.ModWorkManager$DrivenExecutor.drive(ModWorkManager.java:28) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {} at net.minecraftforge.fml.ModLoader.waitForTransition(ModLoader.java:224) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {re:mixin} at net.minecraftforge.fml.ModLoader.lambda$dispatchAndHandleError$20(ModLoader.java:210) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {re:mixin} at java.util.Optional.ifPresent(Optional.java:178) \~\[?:?\] {re:mixin} at net.minecraftforge.fml.ModLoader.dispatchAndHandleError(ModLoader.java:210) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {re:mixin} at net.minecraftforge.fml.ModLoader.lambda$gatherAndInitializeMods$13(ModLoader.java:183) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {re:mixin} at java.lang.Iterable.forEach(Iterable.java:75) \~\[?:?\] {re:mixin} at net.minecraftforge.fml.ModLoader.gatherAndInitializeMods(ModLoader.java:183) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {re:mixin} at net.minecraftforge.client.loading.ClientModLoader.lambda$begin$1(ClientModLoader.java:70) \~\[forge-1.20.1-47.2.20-universal.jar%231267!/:?\] {re:classloading,pl:runtimedistcleaner:A} at net.minecraftforge.client.loading.ClientModLoader.lambda$createRunnableWithCatch$4(ClientModLoader.java:90) \~\[forge-1.20.1-47.2.20-universal.jar%231267!/:?\] {re:classloading,pl:runtimedistcleaner:A} at net.minecraftforge.client.loading.ClientModLoader.begin(ClientModLoader.java:70) \~\[forge-1.20.1-47.2.20-universal.jar%231267!/:?\] {re:classloading,pl:runtimedistcleaner:A} at net.minecraft.client.Minecraft.(Minecraft.java:459) \~\[client-1.20.1-20230612.114412-srg.jar%231262!/:?\] {re:mixin,pl:accesstransformer:B,pl:runtimedistcleaner:A,re:classloading,pl:accesstransformer:B,pl:mixin:APP:alexscaves.mixins.json:client.MinecraftMixin,pl:mixin:APP:kubejs-common.mixins.json:MinecraftClientMixin,pl:mixin:APP:mixins.hammerlib.json:client.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:feature.measure\_time.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:perf.dedicated\_reload\_executor.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:perf.blast\_search\_trees.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:bugfix.concurrency.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:bugfix.world\_leaks.MinecraftMixin,pl:mixin:APP:modernfix-forge.mixins.json:feature.measure\_time.MinecraftMixin\_Forge,pl:mixin:APP:botania\_xplat.mixins.json:client.MinecraftAccessor,pl:mixin:APP:mixins.oculus.json:MixinMinecraft\_PipelineManagement,pl:mixin:APP:cgm.mixins.json:client.MinecraftMixin,pl:mixin:APP:ae2.mixins.json:PickColorMixin,pl:mixin:APP:corgilib.mixins.json:client.MinecraftMixin,pl:mixin:APP:ding.mixins.json:MinecraftMixin,pl:mixin:APP:flywheel.mixins.json:PausedPartialTickAccessor,pl:mixin:APP:bookshelf.common.mixins.json:accessors.client.AccessorMinecraft,pl:mixin:APP:carryon.mixins.json:MinecraftMixin,pl:mixin:APP:konkrete.mixin.json:MixinMinecraft,pl:mixin:APP:brewery-common.mixins.json:rope.PickMixin,pl:mixin:APP:mixins.ipnext.json:MixinMinecraftClient,pl:mixin:APP:mixins.irons\_spellbooks.json:MinecraftMixin,pl:mixin:APP:fancymenu.mixins.json:client.IMixinMinecraft,pl:mixin:APP:fancymenu.mixins.json:client.MixinMinecraft,pl:mixin:APP:dynamiclightsreforged.mixins.json:MinecraftClientMixin,pl:mixin:APP:balm.mixins.json:MinecraftMixin,pl:mixin:APP:fallingleaves.mixins.json:MinecraftClientMixin,pl:mixin:APP:ars\_nouveau.mixins.json:light.ClientMixin,pl:mixin:APP:mixins/common/nochatreports.mixins.json:client.MixinMinecraft,pl:mixin:APP:railways-common.mixins.json:conductor\_possession.MixinMinecraft,pl:mixin:APP:architectury.mixins.json:MixinMinecraft,pl:mixin:APP:mixin.dynamic\_asset\_generator.json:MinecraftMixin,pl:mixin:APP:configuration.mixins.json:MinecraftMixin,pl:mixin:APP:iceberg.mixins.json:MinecraftMixin,pl:mixin:APP:quark.mixins.json:client.MinecraftMixin,pl:mixin:APP:create.mixins.json:client.WindowResizeMixin,pl:mixin:APP:embeddium.mixins.json:core.MinecraftClientMixin,pl:mixin:APP:securitycraft.mixins.json:camera.MinecraftMixin,pl:mixin:APP:ars\_nouveau.mixins.json:camera.MinecraftMixin,pl:mixin:A,pl:runtimedistcleaner:A} at net.minecraft.client.main.Main.main(Main.java:182) \~\[forge-47.2.20.jar:?\] {re:mixin,pl:runtimedistcleaner:A,re:classloading,pl:mixin:APP:flywheel.mixins.json:ClientMainMixin,pl:mixin:A,pl:runtimedistcleaner:A} at jdk.internal.reflect.NativeMethodAccessorImpl.invoke0(Native Method) \~\[?:?\] {} at jdk.internal.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:77) \~\[?:?\] {} at jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) \~\[?:?\] {} at java.lang.reflect.Method.invoke(Method.java:568) \~\[?:?\] {re:mixin} at net.minecraftforge.fml.loading.targets.CommonLaunchHandler.runTarget(CommonLaunchHandler.java:111) \~\[fmlloader-1.20.1-47.2.20.jar:?\] {} at net.minecraftforge.fml.loading.targets.CommonLaunchHandler.clientService(CommonLaunchHandler.java:99) \~\[fmlloader-1.20.1-47.2.20.jar:?\] {} at net.minecraftforge.fml.loading.targets.CommonClientLaunchHandler.lambda$makeService$0(CommonClientLaunchHandler.java:25) \~\[fmlloader-1.20.1-47.2.20.jar:?\] {} at cpw.mods.modlauncher.LaunchServiceHandlerDecorator.launch(LaunchServiceHandlerDecorator.java:30) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.LaunchServiceHandler.launch(LaunchServiceHandler.java:53) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.LaunchServiceHandler.launch(LaunchServiceHandler.java:71) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.Launcher.run(Launcher.java:108) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.Launcher.main(Launcher.java:78) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.BootstrapLaunchConsumer.accept(BootstrapLaunchConsumer.java:26) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.BootstrapLaunchConsumer.accept(BootstrapLaunchConsumer.java:23) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.bootstraplauncher.BootstrapLauncher.main(BootstrapLauncher.java:141) \~\[bootstraplauncher-1.1.2.jar:?\] {} Suppressed: java.lang.IllegalStateException: missing pattern while creating multiblock advanced\_large\_chemical\_reactor at com.gregtechceu.gtceu.api.registry.registrate.MultiblockMachineBuilder.register(MultiblockMachineBuilder.java:352) \~\[gtceu-1.20.1-1.2.2.a.jar%23944!/:?\] {re:classloading} at com.gregtechceu.gtceu.api.registry.registrate.MultiblockMachineBuilder.register(MultiblockMachineBuilder.java:58) \~\[gtceu-1.20.1-1.2.2.a.jar%23944!/:?\] {re:classloading} at com.gregtechceu.gtceu.integration.kjs.GTRegistryInfo.registerFor(GTRegistryInfo.java:152) \~\[gtceu-1.20.1-1.2.2.a.jar%23944!/:?\] {re:classloading} at com.gregtechceu.gtceu.common.data.GTMachines.init(GTMachines.java:2203) \~\[gtceu-1.20.1-1.2.2.a.jar%23944!/:?\] {re:classloading} at com.gregtechceu.gtceu.common.CommonProxy.init(CommonProxy.java:120) \~\[gtceu-1.20.1-1.2.2.a.jar%23944!/:?\] {re:classloading} at java.util.concurrent.CompletableFuture$AsyncRun.run(CompletableFuture.java:1804) \~\[?:?\] {} at net.minecraftforge.fml.DeferredWorkQueue.lambda$makeRunnable$2(DeferredWorkQueue.java:81) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {} at net.minecraftforge.fml.DeferredWorkQueue.makeRunnable(DeferredWorkQueue.java:76) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {} at net.minecraftforge.fml.DeferredWorkQueue.lambda$runTasks$0(DeferredWorkQueue.java:60) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {} at java.util.concurrent.ConcurrentLinkedDeque.forEach(ConcurrentLinkedDeque.java:1650) \~\[?:?\] {re:mixin} at net.minecraftforge.fml.DeferredWorkQueue.runTasks(DeferredWorkQueue.java:60) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {} at net.minecraftforge.fml.core.ParallelTransition.lambda$finalActivityGenerator$2(ParallelTransition.java:35) \~\[forge-1.20.1-47.2.20-universal.jar%231267!/:?\] {re:classloading} at java.util.concurrent.CompletableFuture$UniApply.tryFire(CompletableFuture.java:646) \~\[?:?\] {} at java.util.concurrent.CompletableFuture$Completion.run(CompletableFuture.java:482) \~\[?:?\] {} at net.minecraftforge.fml.ModWorkManager$SyncExecutor.driveOne(ModWorkManager.java:43) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {} at net.minecraftforge.fml.ModWorkManager$DrivenExecutor.drive(ModWorkManager.java:28) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {} at net.minecraftforge.fml.ModLoader.waitForTransition(ModLoader.java:224) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {re:mixin} at net.minecraftforge.fml.ModLoader.lambda$dispatchAndHandleError$20(ModLoader.java:210) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {re:mixin} at java.util.Optional.ifPresent(Optional.java:178) \~\[?:?\] {re:mixin} at net.minecraftforge.fml.ModLoader.dispatchAndHandleError(ModLoader.java:210) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {re:mixin} at net.minecraftforge.fml.ModLoader.lambda$gatherAndInitializeMods$13(ModLoader.java:183) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {re:mixin} at java.lang.Iterable.forEach(Iterable.java:75) \~\[?:?\] {re:mixin} at net.minecraftforge.fml.ModLoader.gatherAndInitializeMods(ModLoader.java:183) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {re:mixin} at net.minecraftforge.client.loading.ClientModLoader.lambda$begin$1(ClientModLoader.java:70) \~\[forge-1.20.1-47.2.20-universal.jar%231267!/:?\] {re:classloading,pl:runtimedistcleaner:A} at net.minecraftforge.client.loading.ClientModLoader.lambda$createRunnableWithCatch$4(ClientModLoader.java:90) \~\[forge-1.20.1-47.2.20-universal.jar%231267!/:?\] {re:classloading,pl:runtimedistcleaner:A} at net.minecraftforge.client.loading.ClientModLoader.begin(ClientModLoader.java:70) \~\[forge-1.20.1-47.2.20-universal.jar%231267!/:?\] {re:classloading,pl:runtimedistcleaner:A} at net.minecraft.client.Minecraft.(Minecraft.java:459) \~\[client-1.20.1-20230612.114412-srg.jar%231262!/:?\] {re:mixin,pl:accesstransformer:B,pl:runtimedistcleaner:A,re:classloading,pl:accesstransformer:B,pl:mixin:APP:alexscaves.mixins.json:client.MinecraftMixin,pl:mixin:APP:kubejs-common.mixins.json:MinecraftClientMixin,pl:mixin:APP:mixins.hammerlib.json:client.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:feature.measure\_time.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:perf.dedicated\_reload\_executor.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:perf.blast\_search\_trees.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:bugfix.concurrency.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:bugfix.world\_leaks.MinecraftMixin,pl:mixin:APP:modernfix-forge.mixins.json:feature.measure\_time.MinecraftMixin\_Forge,pl:mixin:APP:botania\_xplat.mixins.json:client.MinecraftAccessor,pl:mixin:APP:mixins.oculus.json:MixinMinecraft\_PipelineManagement,pl:mixin:APP:cgm.mixins.json:client.MinecraftMixin,pl:mixin:APP:ae2.mixins.json:PickColorMixin,pl:mixin:APP:corgilib.mixins.json:client.MinecraftMixin,pl:mixin:APP:ding.mixins.json:MinecraftMixin,pl:mixin:APP:flywheel.mixins.json:PausedPartialTickAccessor,pl:mixin:APP:bookshelf.common.mixins.json:accessors.client.AccessorMinecraft,pl:mixin:APP:carryon.mixins.json:MinecraftMixin,pl:mixin:APP:konkrete.mixin.json:MixinMinecraft,pl:mixin:APP:brewery-common.mixins.json:rope.PickMixin,pl:mixin:APP:mixins.ipnext.json:MixinMinecraftClient,pl:mixin:APP:mixins.irons\_spellbooks.json:MinecraftMixin,pl:mixin:APP:fancymenu.mixins.json:client.IMixinMinecraft,pl:mixin:APP:fancymenu.mixins.json:client.MixinMinecraft,pl:mixin:APP:dynamiclightsreforged.mixins.json:MinecraftClientMixin,pl:mixin:APP:balm.mixins.json:MinecraftMixin,pl:mixin:APP:fallingleaves.mixins.json:MinecraftClientMixin,pl:mixin:APP:ars\_nouveau.mixins.json:light.ClientMixin,pl:mixin:APP:mixins/common/nochatreports.mixins.json:client.MixinMinecraft,pl:mixin:APP:railways-common.mixins.json:conductor\_possession.MixinMinecraft,pl:mixin:APP:architectury.mixins.json:MixinMinecraft,pl:mixin:APP:mixin.dynamic\_asset\_generator.json:MinecraftMixin,pl:mixin:APP:configuration.mixins.json:MinecraftMixin,pl:mixin:APP:iceberg.mixins.json:MinecraftMixin,pl:mixin:APP:quark.mixins.json:client.MinecraftMixin,pl:mixin:APP:create.mixins.json:client.WindowResizeMixin,pl:mixin:APP:embeddium.mixins.json:core.MinecraftClientMixin,pl:mixin:APP:securitycraft.mixins.json:camera.MinecraftMixin,pl:mixin:APP:ars\_nouveau.mixins.json:camera.MinecraftMixin,pl:mixin:A,pl:runtimedistcleaner:A} at net.minecraft.client.main.Main.main(Main.java:182) \~\[forge-47.2.20.jar:?\] {re:mixin,pl:runtimedistcleaner:A,re:classloading,pl:mixin:APP:flywheel.mixins.json:ClientMainMixin,pl:mixin:A,pl:runtimedistcleaner:A} at jdk.internal.reflect.NativeMethodAccessorImpl.invoke0(Native Method) \~\[?:?\] {} at jdk.internal.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:77) \~\[?:?\] {} at jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) \~\[?:?\] {} at java.lang.reflect.Method.invoke(Method.java:568) \~\[?:?\] {re:mixin} at net.minecraftforge.fml.loading.targets.CommonLaunchHandler.runTarget(CommonLaunchHandler.java:111) \~\[fmlloader-1.20.1-47.2.20.jar:?\] {} at net.minecraftforge.fml.loading.targets.CommonLaunchHandler.clientService(CommonLaunchHandler.java:99) \~\[fmlloader-1.20.1-47.2.20.jar:?\] {} at net.minecraftforge.fml.loading.targets.CommonClientLaunchHandler.lambda$makeService$0(CommonClientLaunchHandler.java:25) \~\[fmlloader-1.20.1-47.2.20.jar:?\] {} at cpw.mods.modlauncher.LaunchServiceHandlerDecorator.launch(LaunchServiceHandlerDecorator.java:30) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.LaunchServiceHandler.launch(LaunchServiceHandler.java:53) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.LaunchServiceHandler.launch(LaunchServiceHandler.java:71) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.Launcher.run(Launcher.java:108) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.Launcher.main(Launcher.java:78) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.BootstrapLaunchConsumer.accept(BootstrapLaunchConsumer.java:26) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.BootstrapLaunchConsumer.accept(BootstrapLaunchConsumer.java:23) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.bootstraplauncher.BootstrapLauncher.main(BootstrapLauncher.java:141) \~\[bootstraplauncher-1.1.2.jar:?\] {} 
A detailed walkthrough of the error, its code path and all known details is as follows:
-- Head --
Thread: Render thread
Suspected Mods: NONE
Stacktrace:
at net.minecraftforge.fml.DeferredWorkQueue.runTasks(DeferredWorkQueue.java:58) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {} at net.minecraftforge.fml.core.ParallelTransition.lambda$finalActivityGenerator$2(ParallelTransition.java:35) \~\[forge-1.20.1-47.2.20-universal.jar%231267!/:?\] {re:classloading} at java.util.concurrent.CompletableFuture$UniApply.tryFire(CompletableFuture.java:646) \~\[?:?\] {} at java.util.concurrent.CompletableFuture$Completion.run(CompletableFuture.java:482) \~\[?:?\] {} at net.minecraftforge.fml.ModWorkManager$SyncExecutor.driveOne(ModWorkManager.java:43) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {} at net.minecraftforge.fml.ModWorkManager$DrivenExecutor.drive(ModWorkManager.java:28) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {} at net.minecraftforge.fml.ModLoader.waitForTransition(ModLoader.java:224) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {re:mixin} at net.minecraftforge.fml.ModLoader.lambda$dispatchAndHandleError$20(ModLoader.java:210) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {re:mixin} at java.util.Optional.ifPresent(Optional.java:178) \~\[?:?\] {re:mixin} at net.minecraftforge.fml.ModLoader.dispatchAndHandleError(ModLoader.java:210) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {re:mixin} at net.minecraftforge.fml.ModLoader.lambda$gatherAndInitializeMods$13(ModLoader.java:183) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {re:mixin} at java.lang.Iterable.forEach(Iterable.java:75) \~\[?:?\] {re:mixin} at net.minecraftforge.fml.ModLoader.gatherAndInitializeMods(ModLoader.java:183) \~\[fmlcore-1.20.1-47.2.20.jar%231263!/:?\] {re:mixin} at net.minecraftforge.client.loading.ClientModLoader.lambda$begin$1(ClientModLoader.java:70) \~\[forge-1.20.1-47.2.20-universal.jar%231267!/:?\] {re:classloading,pl:runtimedistcleaner:A} at net.minecraftforge.client.loading.ClientModLoader.lambda$createRunnableWithCatch$4(ClientModLoader.java:90) \~\[forge-1.20.1-47.2.20-universal.jar%231267!/:?\] {re:classloading,pl:runtimedistcleaner:A} at net.minecraftforge.client.loading.ClientModLoader.begin(ClientModLoader.java:70) \~\[forge-1.20.1-47.2.20-universal.jar%231267!/:?\] {re:classloading,pl:runtimedistcleaner:A} at net.minecraft.client.Minecraft.(Minecraft.java:459) \~\[client-1.20.1-20230612.114412-srg.jar%231262!/:?\] {re:mixin,pl:accesstransformer:B,pl:runtimedistcleaner:A,re:classloading,pl:accesstransformer:B,pl:mixin:APP:alexscaves.mixins.json:client.MinecraftMixin,pl:mixin:APP:kubejs-common.mixins.json:MinecraftClientMixin,pl:mixin:APP:mixins.hammerlib.json:client.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:feature.measure\_time.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:perf.dedicated\_reload\_executor.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:perf.blast\_search\_trees.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:bugfix.concurrency.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:bugfix.world\_leaks.MinecraftMixin,pl:mixin:APP:modernfix-forge.mixins.json:feature.measure\_time.MinecraftMixin\_Forge,pl:mixin:APP:botania\_xplat.mixins.json:client.MinecraftAccessor,pl:mixin:APP:mixins.oculus.json:MixinMinecraft\_PipelineManagement,pl:mixin:APP:cgm.mixins.json:client.MinecraftMixin,pl:mixin:APP:ae2.mixins.json:PickColorMixin,pl:mixin:APP:corgilib.mixins.json:client.MinecraftMixin,pl:mixin:APP:ding.mixins.json:MinecraftMixin,pl:mixin:APP:flywheel.mixins.json:PausedPartialTickAccessor,pl:mixin:APP:bookshelf.common.mixins.json:accessors.client.AccessorMinecraft,pl:mixin:APP:carryon.mixins.json:MinecraftMixin,pl:mixin:APP:konkrete.mixin.json:MixinMinecraft,pl:mixin:APP:brewery-common.mixins.json:rope.PickMixin,pl:mixin:APP:mixins.ipnext.json:MixinMinecraftClient,pl:mixin:APP:mixins.irons\_spellbooks.json:MinecraftMixin,pl:mixin:APP:fancymenu.mixins.json:client.IMixinMinecraft,pl:mixin:APP:fancymenu.mixins.json:client.MixinMinecraft,pl:mixin:APP:dynamiclightsreforged.mixins.json:MinecraftClientMixin,pl:mixin:APP:balm.mixins.json:MinecraftMixin,pl:mixin:APP:fallingleaves.mixins.json:MinecraftClientMixin,pl:mixin:APP:ars\_nouveau.mixins.json:light.ClientMixin,pl:mixin:APP:mixins/common/nochatreports.mixins.json:client.MixinMinecraft,pl:mixin:APP:railways-common.mixins.json:conductor\_possession.MixinMinecraft,pl:mixin:APP:architectury.mixins.json:MixinMinecraft,pl:mixin:APP:mixin.dynamic\_asset\_generator.json:MinecraftMixin,pl:mixin:APP:configuration.mixins.json:MinecraftMixin,pl:mixin:APP:iceberg.mixins.json:MinecraftMixin,pl:mixin:APP:quark.mixins.json:client.MinecraftMixin,pl:mixin:APP:create.mixins.json:client.WindowResizeMixin,pl:mixin:APP:embeddium.mixins.json:core.MinecraftClientMixin,pl:mixin:APP:securitycraft.mixins.json:camera.MinecraftMixin,pl:mixin:APP:ars\_nouveau.mixins.json:camera.MinecraftMixin,pl:mixin:A,pl:runtimedistcleaner:A} 
-- Initialization --
Details:
Modules: ADVAPI32.dll:Advanced Windows 32 Base API:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation COMCTL32.dll:User Experience Controls Library:6.10 (WinBuild.160101.0800):Microsoft Corporation CRYPT32.dll:Crypto API32:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation CRYPTBASE.dll:Base cryptographic API DLL:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation CRYPTSP.dll:Cryptographic Service Provider API:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation ColorAdapterClient.dll:Microsoft Color Adapter Client:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation CoreMessaging.dll:Microsoft CoreMessaging Dll:10.0.19041.4355:Microsoft Corporation CoreUIComponents.dll:Microsoft Core UI Components Dll:10.0.19041.3636:Microsoft Corporation DBGHELP.DLL:Windows Image Helper:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation DEVOBJ.dll:Device Information Set DLL:10.0.19041.4355 (WinBuild.160101.0800):Microsoft Corporation DNSAPI.dll:DNS Client API DLL:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation GDI32.dll:GDI Client DLL:10.0.19041.3996 (WinBuild.160101.0800):Microsoft Corporation GLU32.dll:OpenGL Utility Library DLL:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation IMM32.DLL:Multi-User Windows IMM32 API Client DLL:10.0.19041.4355 (WinBuild.160101.0800):Microsoft Corporation IPHLPAPI.DLL:IP Helper API:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation KERNEL32.DLL:Windows NT BASE API Client DLL:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation KERNELBASE.dll:Windows NT BASE API Client DLL:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation MSCTF.dll:MSCTF Server DLL:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation MpOav.dll:IOfficeAntiVirus Module:4.18.24040.4 (aa69a05caa955e1cebcc4d2dd249082d41b510c2):Microsoft Corporation NLAapi.dll:Network Location Awareness 2:10.0.19041.4123 (WinBuild.160101.0800):Microsoft Corporation NSI.dll:NSI User-mode interface DLL:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation NTASN1.dll:Microsoft ASN.1 API:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation OLEAUT32.dll:OLEAUT32.DLL:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation POWRPROF.dll:Power Profile Helper DLL:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation PROPSYS.dll:Microsoft Property System:7.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation PSAPI.DLL:Process Status Helper:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation RPCRT4.dll:Remote Procedure Call Runtime:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation SHCORE.dll:SHCORE:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation SHELL32.dll:Windows Shell Common Dll:10.0.19041.4123 (WinBuild.160101.0800):Microsoft Corporation UMPDC.dll USER32.dll:Multi-User Windows USER API Client DLL:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation USERENV.dll:Userenv:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation VCRUNTIME140.dll:Microsoft® C Runtime Library:14.29.30139.0 built by: vcwrkspc:Microsoft Corporation VERSION.dll:Version Checking and File Installation Libraries:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation WINHTTP.dll:Windows HTTP Services:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation WINMM.dll:MCI API DLL:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation WS2\_32.dll:Windows Socket 2.0 32-Bit DLL:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation WSOCK32.dll:Windows Socket 32-Bit DLL:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation WTSAPI32.dll:Windows Remote Desktop Session Host Server SDK APIs:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation Wldp.dll:Windows Lockdown Policy:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation amsi.dll:Anti-Malware Scan Interface:10.0.19041.4355 (WinBuild.160101.0800):Microsoft Corporation apphelp.dll:Application Compatibility Client Library:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation awt.dll:OpenJDK Platform binary:17.0.8.0:Microsoft bcrypt.dll:Windows Cryptographic Primitives Library:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation bcryptPrimitives.dll:Windows Cryptographic Primitives Library:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation cfgmgr32.dll:Configuration Manager DLL:10.0.19041.3996 (WinBuild.160101.0800):Microsoft Corporation clbcatq.dll:COM+ Configuration Catalog:2001.12.10941.16384 (WinBuild.160101.0800):Microsoft Corporation combase.dll:Microsoft COM for Windows:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation dbgcore.DLL:Windows Core Debugging Helpers:10.0.19041.4355 (WinBuild.160101.0800):Microsoft Corporation dhcpcsvc.DLL:DHCP Client Service:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation dhcpcsvc6.DLL:DHCPv6 Client:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation dinput8.dll:Microsoft DirectInput:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation dwmapi.dll:Microsoft Desktop Window Manager API:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation dxcore.dll:DXCore:10.0.19041.4355 (WinBuild.160101.0800):Microsoft Corporation dxgi.dll:DirectX Graphics Infrastructure:10.0.19041.4355 (WinBuild.160101.0800):Microsoft Corporation fwpuclnt.dll:FWP/IPsec User-Mode API:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation gdi32full.dll:GDI Client DLL:10.0.19041.4355 (WinBuild.160101.0800):Microsoft Corporation glfw.dll:GLFW 3.4.0 DLL:3.4.0:GLFW icm32.dll:Microsoft Color Management Module (CMM):10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation iertutil.dll:Run time utility for Internet Explorer:11.00.19041.1 (WinBuild.160101.0800):Microsoft Corporation ig9icd64.dll:OpenGL(R) Driver for Intel(R) Graphics Accelerator:23.20.16.4905:Intel Corporation igc64.dll:Intel Graphics Shader Compiler for Intel(R) Graphics Accelerator:23.20.16.4905:Intel Corporation inputhost.dll:InputHost:10.0.19041.4355 (WinBuild.160101.0800):Microsoft Corporation java.dll:OpenJDK Platform binary:17.0.8.0:Microsoft javaw.exe:OpenJDK Platform binary:17.0.8.0:Microsoft jemalloc.dll jimage.dll:OpenJDK Platform binary:17.0.8.0:Microsoft jli.dll:OpenJDK Platform binary:17.0.8.0:Microsoft jna12386235645562469463.dll:JNA native library:6.1.4:Java(TM) Native Access (JNA) jsvml.dll:OpenJDK Platform binary:17.0.8.0:Microsoft jvm.dll:OpenJDK 64-Bit server VM:17.0.8.0:Microsoft kernel.appcore.dll:AppModel API Host:10.0.19041.3758 (WinBuild.160101.0800):Microsoft Corporation lwjgl.dll lwjgl\_opengl.dll lwjgl\_stb.dll management.dll:OpenJDK Platform binary:17.0.8.0:Microsoft management\_ext.dll:OpenJDK Platform binary:17.0.8.0:Microsoft mscms.dll:Microsoft Color Matching System DLL:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation msvcp140.dll:Microsoft® C Runtime Library:14.29.30139.0 built by: vcwrkspc:Microsoft Corporation msvcp\_win.dll:Microsoft® C Runtime Library:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation msvcrt.dll:Windows NT CRT DLL:7.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation mswsock.dll:Microsoft Windows Sockets 2.0 Service Provider:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation n64hooks.dll:NielsenOnline:9.9.0.7016r:The Nielsen Company (US), LLC. napinsp.dll:E-mail Naming Shim Provider:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation ncrypt.dll:Windows NCrypt Router:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation net.dll:OpenJDK Platform binary:17.0.8.0:Microsoft nio.dll:OpenJDK Platform binary:17.0.8.0:Microsoft nscore64.dll:NielsenOnline:9.9.0.7016r:The Nielsen Company (US), LLC. ntdll.dll:NT Layer DLL:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation ntmarta.dll:Windows NT MARTA provider:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation ole32.dll:Microsoft OLE for Windows:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation opengl32.dll:OpenGL Client DLL:10.0.19041.4355 (WinBuild.160101.0800):Microsoft Corporation pdh.dll:Windows Performance Data Helper DLL:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation perfos.dll:Windows System Performance Objects DLL:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation perfproc.dll:Windows System Process Performance Objects DLL:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation pnrpnsp.dll:PNRP Name Space Provider:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation profapi.dll:User Profile Basic API:10.0.19041.4355 (WinBuild.160101.0800):Microsoft Corporation rasadhlp.dll:Remote Access AutoDial Helper:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation rsaenh.dll:Microsoft Enhanced Cryptographic Provider:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation sechost.dll:Host for SCM/SDDL/LSA Lookup APIs:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation shlwapi.dll:Shell Light-weight Utility Library:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation sunmscapi.dll:OpenJDK Platform binary:17.0.8.0:Microsoft textinputframework.dll:"TextInputFramework.DYNLINK":10.0.19041.4355 (WinBuild.160101.0800):Microsoft Corporation ucrtbase.dll:Microsoft® C Runtime Library:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation uxtheme.dll:Microsoft UxTheme Library:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation vcruntime140\_1.dll:Microsoft® C Runtime Library:14.29.30139.0 built by: vcwrkspc:Microsoft Corporation verify.dll:OpenJDK Platform binary:17.0.8.0:Microsoft win32u.dll:Win32u:10.0.19041.4412 (WinBuild.160101.0800):Microsoft Corporation windows.storage.dll:Microsoft WinRT Storage API:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation winrnr.dll:LDAP RnR Provider DLL:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation wintypes.dll:Windows Base Types DLL:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation wshbth.dll:Windows Sockets Helper DLL:10.0.19041.3636 (WinBuild.160101.0800):Microsoft Corporation wshunix.dll:AF\_UNIX Winsock2 Helper DLL:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation xinput1\_4.dll:Microsoft Common Controller API:10.0.19041.1 (WinBuild.160101.0800):Microsoft Corporation zip.dll:OpenJDK Platform binary:17.0.8.0:Microsoft 
Stacktrace:
at net.minecraft.client.main.Main.main(Main.java:182) \~\[forge-47.2.20.jar:?\] {re:mixin,pl:runtimedistcleaner:A,re:classloading,pl:mixin:APP:flywheel.mixins.json:ClientMainMixin,pl:mixin:A,pl:runtimedistcleaner:A} at jdk.internal.reflect.NativeMethodAccessorImpl.invoke0(Native Method) \~\[?:?\] {} at jdk.internal.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:77) \~\[?:?\] {} at jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) \~\[?:?\] {} at java.lang.reflect.Method.invoke(Method.java:568) \~\[?:?\] {re:mixin} at net.minecraftforge.fml.loading.targets.CommonLaunchHandler.runTarget(CommonLaunchHandler.java:111) \~\[fmlloader-1.20.1-47.2.20.jar:?\] {} at net.minecraftforge.fml.loading.targets.CommonLaunchHandler.clientService(CommonLaunchHandler.java:99) \~\[fmlloader-1.20.1-47.2.20.jar:?\] {} at net.minecraftforge.fml.loading.targets.CommonClientLaunchHandler.lambda$makeService$0(CommonClientLaunchHandler.java:25) \~\[fmlloader-1.20.1-47.2.20.jar:?\] {} at cpw.mods.modlauncher.LaunchServiceHandlerDecorator.launch(LaunchServiceHandlerDecorator.java:30) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.LaunchServiceHandler.launch(LaunchServiceHandler.java:53) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.LaunchServiceHandler.launch(LaunchServiceHandler.java:71) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.Launcher.run(Launcher.java:108) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.Launcher.main(Launcher.java:78) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.BootstrapLaunchConsumer.accept(BootstrapLaunchConsumer.java:26) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.modlauncher.BootstrapLaunchConsumer.accept(BootstrapLaunchConsumer.java:23) \~\[modlauncher-10.0.9.jar:?\] {} at cpw.mods.bootstraplauncher.BootstrapLauncher.main(BootstrapLauncher.java:141) \~\[bootstraplauncher-1.1.2.jar:?\] {} 
-- System Details --
Details:
Minecraft Version: 1.20.1 Minecraft Version ID: 1.20.1 Operating System: Windows 10 (amd64) version 10.0 Java Version: 17.0.8, Microsoft Java VM Version: OpenJDK 64-Bit Server VM (mixed mode), Microsoft Memory: 1251608224 bytes (1193 MiB) / 2587885568 bytes (2468 MiB) up to 8422162432 bytes (8032 MiB) CPUs: 4 Processor Vendor: GenuineIntel Processor Name: Intel(R) Core(TM) i7-6600U CPU @ 2.60GHz Identifier: Intel64 Family 6 Model 78 Stepping 3 Microarchitecture: Skylake (Client) Frequency (GHz): 2.81 Number of physical packages: 1 Number of physical CPUs: 2 Number of logical CPUs: 4 Graphics card #0 name: Intel(R) HD Graphics 520 Graphics card #0 vendor: Intel Corporation (0x8086) Graphics card #0 VRAM (MB): 1024.00 Graphics card #0 deviceId: 0x1916 Graphics card #0 versionInfo: DriverVersion=23.20.16.4905 Memory slot #0 capacity (MB): 4096.00 Memory slot #0 clockSpeed (GHz): 2.13 Memory slot #0 type: DDR4 Memory slot #1 capacity (MB): 16384.00 Memory slot #1 clockSpeed (GHz): 2.13 Memory slot #1 type: DDR4 Virtual memory max (MB): 23427.23 Virtual memory used (MB): 14603.94 Swap memory total (MB): 3072.00 Swap memory used (MB): 591.42 JVM Flags: 4 total; -XX:HeapDumpPath=MojangTricksIntelDriversForPerformance\_javaw.exe\_minecraft.exe.heapdump -Xss1M -Xmx8032m -Xms256m Loaded Shaderpack: ComplementaryUnbound\_r5.1.1.zip Profile: Custom (+15 options changed by user) Launched Version: forge-47.2.20 Backend library: LWJGL version 3.3.1 build 7 Backend API: Intel(R) HD Graphics 520 GL version 4.5.0 - Build 23.20.16.4905, Intel Window size:  GL Caps: Using framebuffer using OpenGL 3.2 GL debug messages: Using VBOs: Yes Is Modded: Definitely; Client brand changed to 'forge' Type: Client (map\_client.txt) CPU: 4x Intel(R) Core(TM) i7-6600U CPU @ 2.60GHz ModLauncher: 10.0.9+10.0.9+main.dcd20f30 ModLauncher launch target: forgeclient ModLauncher naming: srg ModLauncher services: mixin-0.8.5.jar mixin PLUGINSERVICE eventbus-6.0.5.jar eventbus PLUGINSERVICE fmlloader-1.20.1-47.2.20.jar slf4jfixer PLUGINSERVICE fmlloader-1.20.1-47.2.20.jar object\_holder\_definalize PLUGINSERVICE fmlloader-1.20.1-47.2.20.jar runtime\_enum\_extender PLUGINSERVICE fmlloader-1.20.1-47.2.20.jar capability\_token\_subclass PLUGINSERVICE accesstransformers-8.0.4.jar accesstransformer PLUGINSERVICE fmlloader-1.20.1-47.2.20.jar runtimedistcleaner PLUGINSERVICE modlauncher-10.0.9.jar jcplugin TRANSFORMATIONSERVICE modlauncher-10.0.9.jar mixin TRANSFORMATIONSERVICE modlauncher-10.0.9.jar fml TRANSFORMATIONSERVICE FML Language Providers: minecraft@1.0 javafml@null kotlinforforge@4.10.0 lowcodefml@null kotori\_scala@3.3.1-build-0 Flywheel Backend: Uninitialized Crash Report UUID: 6ca7a5c2-6c10-4478-8866-87eb97ec3785 FML: 47.2 Forge: net.minecraftforge:47.2.20 
submitted by WolfWatchman to MinecraftForge [link] [comments]


2024.05.21 18:42 azonenberg Looking for MCU with memory mapped QSPI/OSPI peripheral that supports uncached access

I'm trying to create a memory mapped interface between a MCU and external FPGA.
Right now I'm using STM32H7, but running into a lot of annoyances because its OCTOSPI peripheral is intended for XIP from external flash and has aggressive prefetching and caching that you can't turn off (I opened a support ticket, ST engineering confirmed there is no chicken bit to disable prefetch or cache).
Anybody here know of a MCU where you can memory map an external device via QSPI/OSPI and have AXI/AHB transactions from the MCU be bridged 1:1 to bus transactions with no prefetching or caching? In other words, every LDSTR instruction issued to the memory mapped IO region should be converted directly to a 32-bit QSPI/OSPI read/write, with the bus idle unless I explicitly read or write to it. (It's OK if there's no support for unaligned access or 16/8 bit access, I can live with 32-bit aligned registers only).
Other desired requirements:
I've considered I.MX RT 1170 which checks most of my boxes: 1 GHz M7 with 2 MB of RAM, but no on die flash (which I can live with in a pinch), 289 pin 0.8mm BGA. Crypto accelerator register docs seem to be NDA-walled, but there is an openly available library on github that I think will be sufficient. Datasheet talks about using it to interface to FPGAs. It has prefetch but appears to have a flag allowing it to be disabled. It supports use of the DQS pin as a write mask for partial word writes.
Another candidate so far is Renesas RA8M1 which has 2 MB of flash and 1 MB of RAM, a similar (NDA-walled registers but obfuscated library available). OctoSPI has prefetch disable bit, and appears to map directly from AXI transactions to xSPI frames.
Anyone have other options to suggest, or experiences (good/bad) with the chips I mentioned above?
submitted by azonenberg to embedded [link] [comments]


2024.05.21 18:41 vaish34rana Resume help for UX research internships and entry level ux researcher jobs

Had to attach as two different images, since the quality was terrible with just one image.
Background: I just graduated this month with bachelor's degree in psychology. The top 3 projects are personal ux-related projects that i conducted. The last project is not UX but is research so I still included it. I don't have any professional ux research experience, so projects is all I have. I was a teaching assistant in college which I included in experience, I am not sure if I should keep it or not.
This is the resume I have been using to applying to ux research internships and ux researcher jobs. I have either been declined or have not heard back so far. So, any advice on how to improve this resume helps. Thanks.
https://preview.redd.it/eertm3uk5t1d1.png?width=846&format=png&auto=webp&s=56ad0f45b3a401daea15756b4f47369347a57fe5
https://preview.redd.it/tci5tmal5t1d1.png?width=838&format=png&auto=webp&s=c7843731b9fcb1a14ee61a4b14efbd5ecb240a95
submitted by vaish34rana to resumes [link] [comments]


2024.05.21 18:38 Gunefhaids Questions about Cave Only Worlds in Minecraft Java relating to: generation of cave biomes (1.17 to 1.20.X updating); bonus chest spawning issues; Caves World option mods/modpacks for 1.20.X

Hey, people! So I have some questions relating to the no longer available Caves only world generation in Java Edition. I will separate them here in topics: * Generation of cave biomes (1.17 to 1.120.X updating): I'm generating the cave worlds in 1.17 with render distance configured at 2 (the simulation distance was configure at 12, because I forgot to change it while generating lol). After the world generates, I quit and update the world in 1.20.6. I'm doing it because I'm guessing that the dripstone and lush caves biomes would generate in unloaded chuncks after updating the versions. But I'm not sure. Does it really help? * Bonus Chest Spawning issues: I tried to generate some cave worlds in 1.17 and tried to add the bonus chest too. But it didn't spawn right near me and I cound't be able to find. Does anyone know if there is any bug relating to bonus chest spawning in this version (or if it is a bug with bonus chest spawning in caves ony worlds)? I'm guessing it's generating in different Y levels and, if so, I would love to know if there is any way of customizing the bonus chest spawning coordenates/mechanics (preferably through mods, but if any of you know any fancy code and have the patience to teach for a layman, it would help too) * Cave World option mods/modpacks for 1.20.X: And my last question is about mods or modpacks that add the Caves only generation option for the latest updates (mainly 1.20.X, but any update from 1.18 and beyond would do), since it was removed since Caves and Cliffs. I have a feeling this would be, BY FAR, the most simple way of playing in this world type without any major problems lmao
Edit: also, I forgot to add this question too. Along with the bonus chest problem, I'm not able to see any mineshafts near around the world spawn. I did that 1.17 –> 1.20.6 thing. The current cave world that I'm playing generated me in Y=35, so could the mineshafts not being generated at my current Y level? (Which would be a strange thing to happen, since it was supposed to be a cave world, and I guess that mineshafts would be more commom). Or could it be a problem with updating the world?
submitted by Gunefhaids to Minecraft [link] [comments]


2024.05.21 18:34 nc_cobblers Building for lynx: got an error in the "checking out the code" section

I'm back again trying to build for lynx, only this time it's a supported device. I've hit an error in the early stages that I cannot figure out how to solve. It's in the Checking out the code section; issue command:
source build/envsetup.sh && breakfast lineage_lynx-user && make -j20 generate_verity_key
Fails to build some targets with:
error: external/hardened_malloc/Android.bp:76:27: unrecognized property "product_variables.device_has_arm_mte"
Do you know how to continue, please?
Reason I'm building again is to see if anything may have changed with regards to enabling vowifi in the init.sh.
submitted by nc_cobblers to DivestOS [link] [comments]


2024.05.21 18:32 ElegantMedicine1838 GenXers : how many computers do you own?

I must confess I'm a computer addict. Ever since I started learning to code BASIC on a C64 in first grade, I loved computers. My first computer was an XT DOS PC.
I bit the bullet and ordered a Mac Studio with 196GB of RAM/VRAM to run LLMs (Mixtral 7b).
I have - Windows 11 Workstation with Intel core i9/RTX 4090, mostly for work - MacBookAir M3, work and play. Work with Parallels Windows 11 Pro - Asus gaming laptop RTX 4060 - Mac Studio 196GB RAM/VRAM
I feel I have too many but I love machines! Can't wait to put a chip on my head to stream music without pesky earphones.
submitted by ElegantMedicine1838 to GenX [link] [comments]


2024.05.21 18:32 marcoxnt93 [H] A lot games [W] Offers

https://www.reddit.com/IGSRep/comments/cg1p8marcoxnt93s_igs_rep_page/
7 Wonders: Magical Mystery Tour
7 Wonders: Treasures of Seven
9 Years of Shadows
12 is Better Than 6
911 Operator
A Blind Legend
Aarklash: Legacy
Acorn Assault: Rodent Revolution
Achtung! Cthulhu Tactics
Afterimage
Agatha Christie - The ABC Murders
Agent in Depth
age of wonders 3
Agents of Mayhem
Alien Spidy
AI War 2
A Juggler's Tale
Alchemist's Castle
Alchemy Garden
Almost There: The Platformer
ALLTYNEX Second"
Alter Army"
Akka Arrh
American Fugitive
A Musical Story
Ancestors Legacy
Ancient Enemy
An Elder Scrolls Legend: Battlespire
Anomaly Defenders
Anomaly: Warzone Earth
Aragami 2
Arboria
Arcade Spirits
Arena Renovation
Armada 2526 Gold Edition
Arma X
Arx Fatalis
Ary and the Secret of Seasons
Ascension to the Throne
Ashina: The Red Witch
Astronarch
Atari Vault
Attack of the Earthlings
Attractio
Automachef
Axiom Verge
Backbone
Back 4 Blood - Only for good offers
Band of Defenders"
Banners of Ruin
Batman: Arkham Knight Premium Edition
Batman: Arkham Origins
Battle Academy 2: Eastern Front
Battle vs Chess
BEAUTIFUL DESOLATION
Belladonna
Beyond the Long Night
Bionic Commando: Rearmed
BioShock Infinite
Biped
Bizango Blast
Backfirewall
BLACKHOLE: Complete Edition
BLADE ASSAULT
Blacksad: Under the Skin
Blitzkrieg Anthology
Blood Bowl 2
Borderlands Game of the Year Enhanced
Borderlands handsome collection
Bosorka
Bots Are Stupid
Bot Vice
Breakout: Recharged
Breathedge
Brunch Club
Broken Age
Brothers: A Tale of Two Sons
Bunker Punks
Calico
Call of Cthulhu®: Dark Corners of the Earth
Call of Juarez
Caravan
Carmageddon max damage
Cats and the Other Lives
Caveblazers
Caverns of Mars: Recharged
Caveman World: Mountains of Unga Boonga
Centipede: Recharged
Chambers of Devious Design
Chess Ultra
Chicken Assassin: Reloaded
Children of Morta
CHAOS CODE -NEW SIGN OF CATASTROPHE-
Chaos on Deponia
Chariot
Circuit Breakers
City Siege: Faction Island
Close to the Sun
Clunky Hero
Colt Canyon
Constructor Classic 1997
Convoy
Conglomerate 451
Cookie Cutter
Cook Serve Delicious
Cook Serve Delicious! 3?!
Corridor Z
Cosmic Express
Craft Keep VR
Crazy Belts
Creeping Terror
Creepy Tale
Crewsaders
Crown Champion: Legends of the Arena
Crumble
CryoFall
CTU: Counter Terrorism Unit
Cubicle Quest
Cursed Sight
Cybarian: The Time Travelling Warrior
Darkest Dungeon
DARK FUTURE: BLOOD RED STATES
Dark Strokes The Legend of the Snow Kingdom Collectors Edition
Darkness Within 2: The Dark Lineage
Danger Scavenger
Day of Infamy
Dead Age
Dead Age 2
Dead by daylight
Dead End Job
Deadlight: Director's Cut
Dead Island Definitive Edition
Dead Space 3 Origin key
Dear Esther: Landmark Edition
DESERT CHILD
DEATHRUN TV
Death Squared
Death to Spies: Moment of Truth
Degrees of Separation
Demon Pit
DESOLATE
Detached: Non-VR Edition
Deus Ex: Invisible War
Devil Daggers
Devil's Hunt
Devil May Cry 4 Special Edition
DIG - Deep In Galaxies
Dimension Drifter
Dirt Rally 2.0 - Only for good offers
DIRT SHOWDOWN
dirt 5 - Only for good offers
Distrust
Divide By Sheep
DmC Devil May Cry
Doodle Derby
DOOM (1993)
DOOM II
DOOM 64
Dorke and Ymp
Doorways: Holy Mountains of Flesh
Double
Double Dragon IV
Doughlings Arcade
Doughlings Invasion
Draw Slasher
Dreamscaper
DreamWorks Dragons: Legends of the Nine Realms
Driftland: The Magic Revival
Drink More Glurp
Dub Dash
Duke Nukem Forever
Dungeons 3
Dust to the End
DV: Rings of Saturn
Eagle Island
Elderand
Elven Legacy Collection
Endless Fables 3: Dark Moor
Epistory - Typing Chronicles
Escape Dead Island
Escape Game Fort Boyard
Escape from Naraka
Eternal Edge +
Eternity: The Last Unicorn
Etherlords I & II
Eventide 3: Legacy of Legends
Evergarden
Everhood
Exorder
eXperience 112
Explodemon
Extinction
Evoland
F1 2012 - ONLY FOR VERY GOOD OFFERS
f1 2019 Anniversary - ONLY FOR VERY GOOD OFFERS
Family Mysteries 3: Criminal Mindset
Family Mysteries: Poisonous Promises
Fantasy Blacksmith
Farabel
Farming World
Farm Frenzy: Refreshed
Figment
Final Doom
Fire
Firegirl
FIRST CLASS TROUBLE
Flashing Lights Police Fire EMS
Filthy Animals Heist Simulator
Flying Tigers: Shadows Over China - Deluxe Edition
Fractured Minds
FRAMED COLLECTION
Freaking Meatbags
Frog Detective 2: The Case of the Invisible Wizard
FRONTIERS
Frick, Inc.
For the People
Formula Carr Racing
Funk of Titans
Furious Angels
Fury Unleashed
Gamedec
GameGuru
Game Dev Studio
Garbage
Gas Station Simulator
Generation Zero
GetsuFumaDen: Undying Moon
Ghost Files: The Face of Guilt
Ghost Files 2: Memory of a Crime
Ghost Files: The Face of Guilt
Gigantosaurus: Dino Kart
Gigapocalypse
GOAT OF DUTY
God’s Trigger
Goetia
Go Home Dinosaurs
Godstrike
Going Under
Golden Light
Golfie
Golf Gang
Goodbye Deponia
Grand Mountain Adventure: Wonderlands
Grey Goo Definitive Edition
Grotto
Grid Ultimate Edition
Grim Legends 2: Song of the Dark Swan
Grim Legends: The Forsaken Bride
GRIP: Combat Racing
GRIP: Combat Racing - Cygon Garage Kit
GRIP: Combat Racing - Nyvoss Garage Kit
GRIP: Combat Racing - Terra Garage Kit
GRIP: Combat Racing - Vintek Garage Kit
Groundhog Day: Like Father Like Son
GTA VICE CITY - only for very good offers
Guilty Gear X2 #Reload
Gunscape
Guns & Fishes
Guns of Icarus Alliance
Hacknet
Hack 'n' Slash
Haegemonia: The Solon Heritage
Hauma - A Detective Noir Story
Headsnatchers
Hero of the Kingdom
Hero of the Kingdom III
Hero of the Kingdom: The Lost Tales 1
Hero of the Kingdom: The Lost Tales 2
Heroes of the Monkey Tavern
Heroes of Hellas 3: Athens
Heroes of Hellas Origins: Part One
HEAVEN'S VAULT
Hexologic
Hidden Memory - Neko's Life
Hidden Object 6in1 bundle
Hidden Object Bundle 5 in 1
Hidden Shapes - Trick or Cats
HIVESWAP: Act 1
Hiveswap Friendsim
Hitman Absolution
Holiday Bonus GOLD
Holy Potatoes! A Weapon Shop?!
Homebrew - Patent Unknown
Homefront
Home Sweet Home
Home Sweet Home EP2
Horizon Shift
Hospital Tycoon
How 2 Escape
Hyperdrive Massacre
Hyperspace Invaders II: Pixel Edition
I am not a Monster: First Contact
ICBM
Icewind Dale: Enhanced Edition
Impulsion
In Between
Innerspace
Inside My Radio
Internet Cafe Simulator
Interrogation: You will be deceived
Interplanetary: Enhanced Edition
Into the Pit
Insurgency
In Other Waters
Iratus
Ironcast
Iron Commando - Koutetsu no Senshi
Iron Danger
Iron Lung
Iron Marines
Island Tribe
Izmir: An Independence Simulator
Jalopy
Jane Angel: Templar Mystery
Jewel Match Atlantis Solitaire - Collector's Edition
Jewel Match Solitaire 2 Collector's Edition
Jewel Match Solitaire L'Amour
Jewel Match Solitaire Winterscapes
Joggernauts
Just Cause 3
Just Die Already
Just Ignore Them
Kaichu - The Kaiju Dating Sim
Kao the Kangaroo (2000 re-release)
KarmaZoo
Kerbal Space Program
Killing Floor 2
Killer is Dead - Nightmare Edition
Kitaria Fables
Kingdom Rush
King Oddball
Knight's Retreat
Knightin'+
Koala Kids
Konung 2
Lacuna – A Sci-Fi Noir Adventure
Landlord's Super
Lamentum
Laser Disco Defenders
Last Oasis
Last Word
Lead and Gold: Gangs of the Wild West
Legend of Keepers: Career of a Dungeon Manager
Lego Marvel 2 Deluxe
LEVELHEAD
Lila’s Sky Ark
Livelock
Looking for Aliens
Looterkings
Lost Words: Beyond the Page
Lovecraft's Untold Stories + OST + Artbook
Lords and Villeins
Ludus
Lumberhill
Lust for Darkness
Lust from Beyond - M Edition
Luxor 3
Machinika Museum
Mad Experiments: Escape Room
Mad Max
Mad Tracks
MageQuit
Magenta Horizon
Magrunner: Dark Pulse
MAIN ASSEMBLY
Mahjong
MARSUPILAMI - HOOBADVENTURE
Mask of the Rose
Mass Effect 2
Mechs & Mercs: Black Talons
Medieval Kingdom Wars
Men of War: Assault Squad - Game of the Year Edition
Men of War: Red Tide
Meow Express
Metal Unit
Metro last light redux
Metro Redux Bundle
Micro Machines World Series
Middle-earth : Shadow of Mordor Goty
Middle-earth: Shadow of War Definitive Edition
Midnight Mysteries 3: Devil on the Mississippi
Midnight Protocol
Mini Ninjas
Mini Thief
Minute of Islands
MirrorMoon EP
Mob Rule Classic
Modern Tales: Age of Invention
Moon Hunters
Monaco
Moss Destruction
MotoGP 15
MORKREDD
Mortal Kombat XL
Mortal Kombat 11 Ultimate
Mount & blade
Mr. Run and Jump
MXGP - The Official Motocross Videogame
My Big Sister
Nadia Was Here
NEON ABYSS
Nigate Tale
Nihilumbra
Nippon Marathon
NecroWorm
Neon Chrome
Neurodeck : Psychological Deckbuilder
Neverout
NEXT JUMP: Shmup Tactics
Ninjin: Clash of Carrots
Nobodies: Murder Cleaner
Noir Chronicles: City of Crime
Noitu Love 2: Devolution
Nongunz: Doppelganger Edition
Northern Tale
Non-Stop Raiders
Now You See - A Hand Painted Horror Adventure
Old School Musical
Omen Exitio: Plague
Orbital Bullet
Orbital Racer
Oriental Empires
Orn the tiny forest sprite
Orwell: Ignorance is Strength
Outcast - Second Contact
Out of Reach: Treasure Royale
Out of Space
OUT OF THE BOX
Overcooked
Overloop
Overlord
Overlord: Ultimate Evil Collection
Overture
Pang Adventures
Painkiller Hell & Damnation
Paperbark
Paper Beast - Folded Edition
Paper Fire Rookie
Paper Planet
Pathfinder: Kingmaker
Paradigm
Persian Nights 2: The Moonlight Veil
Pathfinder Wrath
Pathway
Paw Patrol: On A Roll!
Paw Paw Paw
PAYDAY 2
Peachleaf Pirates
Persian Nights: Sands of Wonders
Pickers
pillars of eternity
Pill Baby
Pirate Pop Plus
Pizza Express
Pixel Heroes: Byte & Magic
PixelJunk™ Monsters Ultimate + Shooter Bundle
Pixplode
Pixross
Planet TD
Plebby Quest: The Crusades
Planet Zoo
Police Stories
Post Master
Porcunipine
portal knights
Post Void
Prehistoric Tales
Primal Carnage: Extinction
pro cycling manager 2019
Project Chemistry
Professor Lupo: Ocean
Prophecy I - The Viking Child
Pushover
qomp
Quantum Replica
Quake 2
Rage in Peace
RAIDEN V: DIRECTOR'S CUT
Raining Blobs
Rainbow Billy: The Curse of the Leviathan
Railway Empire
Radio Commander
Rebel Galaxy
Rebel Galaxy Outlaw
Rebel Inc
Recon Control
Red Faction
Red Faction®: Armageddon™
Red Faction Guerrilla Re-Mars-tered
Red Line
Regency Solitaire
Regular Human Basketball
Regions of Ruin
Re-Legion
Retimed
Remnants of Naezith
Rencounter
Renfield: Bring Your Own Blood
Replica
Resident Evil 0 HD REMASTER
Resident Evil Revelations 2 Deluxe Edition
Resort Boss: Golf
Return to Mysterious Island
Reventure
REZ PLZ
Richard & Alice
Rise of Insanity
Risen
Rising Dusk
River City Girls
River City Melee Mach
ROAD 96
Road to Guangdong
Roads of Rome 3
Roarr! Jurassic Edition
Rogue Heroes: Ruins of Tasos
RRRR
RUNOUT
Rym 9000
S.W.I.N.E. HD Remaster
Safety First!
Sanitarium
Satellite Reign
Satellite Rush
Savage Lands
Save Jesus
Say No! More
Scheming Through The Zombie Apocalypse: The Beginning
ScourgeBringer
Sea Horizon
Serial Cleaner
Sentience: The Android's Tale
SEARCH PARTY: Director's Cut
SEUM: Speedrunners from Hell
Severed Steel
Shadowrun Returns
Shadows: Awakening
Shantae: Risky's Revenge - Director's Cut
SHENMUE III
Shing!
Shooting Stars!
Shoppe Keep
SHOPPE KEEP 2
Shutter 2
Shred! 2 - ft Sam Pilgrim
Sid Meier Civilization V
Sid Meier Civilization VI
Siege Survival: Gloria Victis
sim city 4
Sir Whoopass™: Immortal Death
Sky Break
SKULLY
Slain: Back from Hell
Slinger VR
Smart Factory Tycoon
Sniper Elite 4 Deluxe Edition
Songbird Symphony
SONG OF HORROR COMPLETE EDITION
sonic all stars transformed collection
Sonic and SEGA All Stars Racing
Sonic Forces
Sonic the Hedgehog 4 - Episode I
Sonic the Hedgehog 4 - Episode II
Sorry, James
Soul Searching
Soulblight
Soulflow
SPACECOM
Space Robinson: Hardcore Roguelike Actio
Sparkle 2
SpeedRunners
Spidersaurs
Spiritual Warfare & Wisdom Tree Collection
Spirit of the Isand
Splasher
Spooky Bonus
Spring Bonus
Stacking
Stalingrad
S.T.A.L.K.E.R.: Clear Sky
Starbound
Starpoint Gemini Warlords
Star Wars Knights of the old Republic 2
Star Wars The Force Unleashed
Star Wolves
star trek bridge crew
State of Decay 2: Juggernaut Edition - only for good offers
Stealth 2: A Game of Clones
Steamburg
Steel Rats
Stick it to The Man!
Stick Fight: The Game
Stikir
Stirring Abyss
Strikey Sisters
Stronghold Crusader 2
Slime-san
Strategic Mind: The Pacific
Stygian: Reign of the Old Ones
Styx: Master of Shadows
SWAG AND SORCERY
Sudden Strike 4
Suffer The Night
Sunlight
Summer in Mara
Superhot VR
Super 3-D Noah's Ark
Super Mutant Alien Assault
Super Panda Adventures
Super Rude Bear Resurrection
Super Star Path
SurrounDead
Survivalist: Invisible Strain
Switchball HD
Sword of the Necromancer
Syberia 3
Symmetry
Syberia 3
System Shock Enhanced Edition
Talk to Strangers
tannenberg
Tiny Tales: Heart of the Forest
Team Sonic Racing
tekken 7
Telefrag VR
TERRACOTTA
Tesla Force
Teslagrad Remastered
Testament of Sherlock Holmes
Tharsis
The Adventure Pals
The Amazing American Circus
The Assembly
The Big Con
The Black Heart
The Coma 2: Vicious Sisters
The Crow's Eye
The Darkside Detective
The Deed
The Deed II
The Deed: Dynasty
The Dungeon Beneath
The Emerald Maiden: Symphony of Dream
The Escapists
The Fan
The Final Station
The Flame in the Flood
The Free Ones - ONLY FOR VERY GOOD OFFERS
The Horror Of Salazar House
The Inner World
The Invisible Hand
The Last Crown: Midnight Horror
The Last Tinker: City of Colors
The Long Dark: Survival Edition
The Lost Crown
The Long Reach
The Knight Witch
The Magister
The Metronomicon - The Deluxe Edition
The Myth Seekers 2: The Sunken City
The Myth Seekers: The Legacy of Vulcan
The Next Penelope
The Oil Blue: Steam Legacy Edition
The Secret Order 5: The Buried Kingdom
The Secret Order 6: Bloodline
The Secret Order 7: Shadow Breach
The Smurfs - Mission Vileaf
The Spectrum Retreat
THE SWORDS OF DITTO: MORMO'S CURSEa
The Textorcist: The Story of Ray Bibbia
The Town of Light
The Walking Dead: A New Frontier
The Walking Dead – Season 1
The Walking Dead: 400 Days DLC
The Walking Dead: Season Two
The Walking Dead: The Final Season
The Wild Eight
The Whispered World Special Edition
They Always Run
They Bleed Pixels
Think of the Children
This War of Mine
Through the Woods
The USB Stick Found in the Grass
Ticket to Ride
Tilt Brush
TIN CAN
Time on Frog Island
Time Loader
Time Mysteries 3: The Final Enigma
Tiny Tales: Heart of the Forest
tiny & Tall: Gleipnir
Titan Quest Anniversary Edition
Toejam & Earl: Back in the Groove
Toki
Tomb Raider GOTY Edition
Tom Clancy's The Division Uplay + Survival dlc
Total War: MEDIEVAL II Definitive Edition
Totally Reliable Delivery Service
Tower of Time
Total War: ROME II - Caesar in Gaul
TRUBERBROOK
Toybox Turbos
Toy Tinker Simulator
Tracks - The Train Set Game
Treasure Hunter Simulator
Trine 2: Complete Story
Trine 3
Trine 4
Tropico 4
Tunche
Tumblestone
Turmoil
Tyrant's Blessing
UFO: Afterlight
Ultimate Zombie Defense
Undead Horde
UNDETECTED
Unloved
Unexplored 2: The Wayfarer's Legacy
Unhack
Unloved
Unmemory
Unto The End
Valfaris
Vambrace: Cold Soul
Vampire of the Sands
Vampire: The Masquerade – Swansong
Vampire Survivors
VANE
Vanishing Realms
Velocity Ultra
Viking Saga New World
Viking Saga The Cursed Ring
Voidship: The Long Journey
walking dead the new frontier
WARBORN
WARHAMMER 40,000: GLADIUS - RELICS OF WAR
Warpips
War Solution - Casual Math Game
Wandersong
Wargroove
war tech fighters
Wasteland 2: Director s Cut - Classic Edition
Wayout
Wayout 2: Hex
Wayward Souls
We Are Alright
When In Rome
WHERE THE WATER TASTES LIKE WINE
White Night
White Noise 2
Witch it
Without Within 3
WizardChess
World Keepers Last Resort
World Ship Simulator
Worms Blast
Worms Crazy Golf
Worms Pinball
Worms Revolution
Worms Rumble
Wounded - The Beginning
Verdant Skies
XBlaze Code: Embryo
X-Com 2
XEL
XLarn
X-Morph: Defense Complete Pack
Xpand Rally
Yakuza Kiwami 2
Yakuza 3 Remastered
Yesterday Origins"
Yet Another Zombie Defense HD
Yoku's Island Express
Yono and the Celestial Elephants
Yooka-Laylee
Zarya-1: Mystery on the Moon
Zombie Derby 2
Zombie Night Terror
submitted by marcoxnt93 to indiegameswap [link] [comments]


2024.05.21 18:31 marcoxnt93 [H] A lot games [W] Offers

7 Wonders: Magical Mystery Tour
7 Wonders: Treasures of Seven
9 Years of Shadows
12 is Better Than 6
911 Operator
A Blind Legend
Aarklash: Legacy
Acorn Assault: Rodent Revolution
Achtung! Cthulhu Tactics
Afterimage
Agatha Christie - The ABC Murders
Agent in Depth
age of wonders 3
Agents of Mayhem
Alien Spidy
AI War 2
A Juggler's Tale
Alchemist's Castle
Alchemy Garden
Almost There: The Platformer
ALLTYNEX Second"
Alter Army"
Akka Arrh
American Fugitive
A Musical Story
Ancestors Legacy
Ancient Enemy
An Elder Scrolls Legend: Battlespire
Anomaly Defenders
Anomaly: Warzone Earth
Aragami 2
Arboria
Arcade Spirits
Arena Renovation
Armada 2526 Gold Edition
Arma X
Arx Fatalis
Ary and the Secret of Seasons
Ascension to the Throne
Ashina: The Red Witch
Astronarch
Atari Vault
Attack of the Earthlings
Attractio
Automachef
Axiom Verge
Backbone
Back 4 Blood - Only for good offers
Band of Defenders"
Banners of Ruin
Batman: Arkham Knight Premium Edition
Batman: Arkham Origins
Battle Academy 2: Eastern Front
Battle vs Chess
BEAUTIFUL DESOLATION
Belladonna
Beyond the Long Night
Bionic Commando: Rearmed
BioShock Infinite
Biped
Bizango Blast
Backfirewall
BLACKHOLE: Complete Edition
BLADE ASSAULT
Blacksad: Under the Skin
Blitzkrieg Anthology
Blood Bowl 2
Borderlands Game of the Year Enhanced
Borderlands handsome collection
Bosorka
Bots Are Stupid
Bot Vice
Breakout: Recharged
Breathedge
Brunch Club
Broken Age
Brothers: A Tale of Two Sons
Bunker Punks
Calico
Call of Cthulhu®: Dark Corners of the Earth
Call of Juarez
Caravan
Carmageddon max damage
Cats and the Other Lives
Caveblazers
Caverns of Mars: Recharged
Caveman World: Mountains of Unga Boonga
Centipede: Recharged
Chambers of Devious Design
Chess Ultra
Chicken Assassin: Reloaded
Children of Morta
CHAOS CODE -NEW SIGN OF CATASTROPHE-
Chaos on Deponia
Chariot
Circuit Breakers
City Siege: Faction Island
Close to the Sun
Clunky Hero
Colt Canyon
Constructor Classic 1997
Convoy
Conglomerate 451
Cookie Cutter
Cook Serve Delicious
Cook Serve Delicious! 3?!
Corridor Z
Cosmic Express
Craft Keep VR
Crazy Belts
Creeping Terror
Creepy Tale
Crewsaders
Crown Champion: Legends of the Arena
Crumble
CryoFall
CTU: Counter Terrorism Unit
Cubicle Quest
Cursed Sight
Cybarian: The Time Travelling Warrior
Darkest Dungeon
DARK FUTURE: BLOOD RED STATES
Dark Strokes The Legend of the Snow Kingdom Collectors Edition
Darkness Within 2: The Dark Lineage
Danger Scavenger
Day of Infamy
Dead Age
Dead Age 2
Dead by daylight
Dead End Job
Deadlight: Director's Cut
Dead Island Definitive Edition
Dead Space 3 Origin key
Dear Esther: Landmark Edition
DESERT CHILD
DEATHRUN TV
Death Squared
Death to Spies: Moment of Truth
Degrees of Separation
Demon Pit
DESOLATE
Detached: Non-VR Edition
Deus Ex: Invisible War
Devil Daggers
Devil's Hunt
Devil May Cry 4 Special Edition
DIG - Deep In Galaxies
Dimension Drifter
Dirt Rally 2.0 - Only for good offers
DIRT SHOWDOWN
dirt 5 - Only for good offers
Distrust
Divide By Sheep
DmC Devil May Cry
Doodle Derby
DOOM (1993)
DOOM II
DOOM 64
Dorke and Ymp
Doorways: Holy Mountains of Flesh
Double
Double Dragon IV
Doughlings Arcade
Doughlings Invasion
Draw Slasher
Dreamscaper
DreamWorks Dragons: Legends of the Nine Realms
Driftland: The Magic Revival
Drink More Glurp
Dub Dash
Duke Nukem Forever
Dungeons 3
Dust to the End
DV: Rings of Saturn
Eagle Island
Elderand
Elven Legacy Collection
Endless Fables 3: Dark Moor
Epistory - Typing Chronicles
Escape Dead Island
Escape Game Fort Boyard
Escape from Naraka
Eternal Edge +
Eternity: The Last Unicorn
Etherlords I & II
Eventide 3: Legacy of Legends
Evergarden
Everhood
Exorder
eXperience 112
Explodemon
Extinction
Evoland
F1 2012 - ONLY FOR VERY GOOD OFFERS
f1 2019 Anniversary - ONLY FOR VERY GOOD OFFERS
Family Mysteries 3: Criminal Mindset
Family Mysteries: Poisonous Promises
Fantasy Blacksmith
Farabel
Farming World
Farm Frenzy: Refreshed
Figment
Final Doom
Fire
Firegirl
FIRST CLASS TROUBLE
Flashing Lights Police Fire EMS
Filthy Animals Heist Simulator
Flying Tigers: Shadows Over China - Deluxe Edition
Fractured Minds
FRAMED COLLECTION
Freaking Meatbags
Frog Detective 2: The Case of the Invisible Wizard
FRONTIERS
Frick, Inc.
For the People
Formula Carr Racing
Funk of Titans
Furious Angels
Fury Unleashed
Gamedec
GameGuru
Game Dev Studio
Garbage
Gas Station Simulator
Generation Zero
GetsuFumaDen: Undying Moon
Ghost Files: The Face of Guilt
Ghost Files 2: Memory of a Crime
Ghost Files: The Face of Guilt
Gigantosaurus: Dino Kart
Gigapocalypse
GOAT OF DUTY
God’s Trigger
Goetia
Go Home Dinosaurs
Godstrike
Going Under
Golden Light
Golfie
Golf Gang
Goodbye Deponia
Grand Mountain Adventure: Wonderlands
Grey Goo Definitive Edition
Grotto
Grid Ultimate Edition
Grim Legends 2: Song of the Dark Swan
Grim Legends: The Forsaken Bride
GRIP: Combat Racing
GRIP: Combat Racing - Cygon Garage Kit
GRIP: Combat Racing - Nyvoss Garage Kit
GRIP: Combat Racing - Terra Garage Kit
GRIP: Combat Racing - Vintek Garage Kit
Groundhog Day: Like Father Like Son
GTA VICE CITY - only for very good offers
Guilty Gear X2 #Reload
Gunscape
Guns & Fishes
Guns of Icarus Alliance
Hacknet
Hack 'n' Slash
Haegemonia: The Solon Heritage
Hauma - A Detective Noir Story
Headsnatchers
Hero of the Kingdom
Hero of the Kingdom III
Hero of the Kingdom: The Lost Tales 1
Hero of the Kingdom: The Lost Tales 2
Heroes of the Monkey Tavern
Heroes of Hellas 3: Athens
Heroes of Hellas Origins: Part One
HEAVEN'S VAULT
Hexologic
Hidden Memory - Neko's Life
Hidden Object 6in1 bundle
Hidden Object Bundle 5 in 1
Hidden Shapes - Trick or Cats
HIVESWAP: Act 1
Hiveswap Friendsim
Hitman Absolution
Holiday Bonus GOLD
Holy Potatoes! A Weapon Shop?!
Homebrew - Patent Unknown
Homefront
Home Sweet Home
Home Sweet Home EP2
Horizon Shift
Hospital Tycoon
How 2 Escape
Hyperdrive Massacre
Hyperspace Invaders II: Pixel Edition
I am not a Monster: First Contact
ICBM
Icewind Dale: Enhanced Edition
Impulsion
In Between
Innerspace
Inside My Radio
Internet Cafe Simulator
Interrogation: You will be deceived
Interplanetary: Enhanced Edition
Into the Pit
Insurgency
In Other Waters
Iratus
Ironcast
Iron Commando - Koutetsu no Senshi
Iron Danger
Iron Lung
Iron Marines
Island Tribe
Izmir: An Independence Simulator
Jalopy
Jane Angel: Templar Mystery
Jewel Match Atlantis Solitaire - Collector's Edition
Jewel Match Solitaire 2 Collector's Edition
Jewel Match Solitaire L'Amour
Jewel Match Solitaire Winterscapes
Joggernauts
Just Cause 3
Just Die Already
Just Ignore Them
Kaichu - The Kaiju Dating Sim
Kao the Kangaroo (2000 re-release)
KarmaZoo
Kerbal Space Program
Killing Floor 2
Killer is Dead - Nightmare Edition
Kitaria Fables
Kingdom Rush
King Oddball
Knight's Retreat
Knightin'+
Koala Kids
Konung 2
Lacuna – A Sci-Fi Noir Adventure
Landlord's Super
Lamentum
Laser Disco Defenders
Last Oasis
Last Word
Lead and Gold: Gangs of the Wild West
Legend of Keepers: Career of a Dungeon Manager
Lego Marvel 2 Deluxe
LEVELHEAD
Lila’s Sky Ark
Livelock
Looking for Aliens
Looterkings
Lost Words: Beyond the Page
Lovecraft's Untold Stories + OST + Artbook
Lords and Villeins
Ludus
Lumberhill
Lust for Darkness
Lust from Beyond - M Edition
Luxor 3
Machinika Museum
Mad Experiments: Escape Room
Mad Max
Mad Tracks
MageQuit
Magenta Horizon
Magrunner: Dark Pulse
MAIN ASSEMBLY
Mahjong
MARSUPILAMI - HOOBADVENTURE
Mask of the Rose
Mass Effect 2
Mechs & Mercs: Black Talons
Medieval Kingdom Wars
Men of War: Assault Squad - Game of the Year Edition
Men of War: Red Tide
Meow Express
Metal Unit
Metro last light redux
Metro Redux Bundle
Micro Machines World Series
Middle-earth : Shadow of Mordor Goty
Middle-earth: Shadow of War Definitive Edition
Midnight Mysteries 3: Devil on the Mississippi
Midnight Protocol
Mini Ninjas
Mini Thief
Minute of Islands
MirrorMoon EP
Mob Rule Classic
Modern Tales: Age of Invention
Moon Hunters
Monaco
Moss Destruction
MotoGP 15
MORKREDD
Mortal Kombat XL
Mortal Kombat 11 Ultimate
Mount & blade
Mr. Run and Jump
MXGP - The Official Motocross Videogame
My Big Sister
Nadia Was Here
NEON ABYSS
Nigate Tale
Nihilumbra
Nippon Marathon
NecroWorm
Neon Chrome
Neurodeck : Psychological Deckbuilder
Neverout
NEXT JUMP: Shmup Tactics
Ninjin: Clash of Carrots
Nobodies: Murder Cleaner
Noir Chronicles: City of Crime
Noitu Love 2: Devolution
Nongunz: Doppelganger Edition
Northern Tale
Non-Stop Raiders
Now You See - A Hand Painted Horror Adventure
Old School Musical
Omen Exitio: Plague
Orbital Bullet
Orbital Racer
Oriental Empires
Orn the tiny forest sprite
Orwell: Ignorance is Strength
Outcast - Second Contact
Out of Reach: Treasure Royale
Out of Space
OUT OF THE BOX
Overcooked
Overloop
Overlord
Overlord: Ultimate Evil Collection
Overture
Pang Adventures
Painkiller Hell & Damnation
Paperbark
Paper Beast - Folded Edition
Paper Fire Rookie
Paper Planet
Pathfinder: Kingmaker
Paradigm
Persian Nights 2: The Moonlight Veil
Pathfinder Wrath
Pathway
Paw Patrol: On A Roll!
Paw Paw Paw
PAYDAY 2
Peachleaf Pirates
Persian Nights: Sands of Wonders
Pickers
pillars of eternity
Pill Baby
Pirate Pop Plus
Pizza Express
Pixel Heroes: Byte & Magic
PixelJunk™ Monsters Ultimate + Shooter Bundle
Pixplode
Pixross
Planet TD
Plebby Quest: The Crusades
Planet Zoo
Police Stories
Post Master
Porcunipine
portal knights
Post Void
Prehistoric Tales
Primal Carnage: Extinction
pro cycling manager 2019
Project Chemistry
Professor Lupo: Ocean
Prophecy I - The Viking Child
Pushover
qomp
Quantum Replica
Quake 2
Rage in Peace
RAIDEN V: DIRECTOR'S CUT
Raining Blobs
Rainbow Billy: The Curse of the Leviathan
Railway Empire
Radio Commander
Rebel Galaxy
Rebel Galaxy Outlaw
Rebel Inc
Recon Control
Red Faction
Red Faction®: Armageddon™
Red Faction Guerrilla Re-Mars-tered
Red Line
Regency Solitaire
Regular Human Basketball
Regions of Ruin
Re-Legion
Retimed
Remnants of Naezith
Rencounter
Renfield: Bring Your Own Blood
Replica
Resident Evil 0 HD REMASTER
Resident Evil Revelations 2 Deluxe Edition
Resort Boss: Golf
Return to Mysterious Island
Reventure
REZ PLZ
Richard & Alice
Rise of Insanity
Risen
Rising Dusk
River City Girls
River City Melee Mach
ROAD 96
Road to Guangdong
Roads of Rome 3
Roarr! Jurassic Edition
Rogue Heroes: Ruins of Tasos
RRRR
RUNOUT
Rym 9000
S.W.I.N.E. HD Remaster
Safety First!
Sanitarium
Satellite Reign
Satellite Rush
Savage Lands
Save Jesus
Say No! More
Scheming Through The Zombie Apocalypse: The Beginning
ScourgeBringer
Sea Horizon
Serial Cleaner
Sentience: The Android's Tale
SEARCH PARTY: Director's Cut
SEUM: Speedrunners from Hell
Severed Steel
Shadowrun Returns
Shadows: Awakening
Shantae: Risky's Revenge - Director's Cut
SHENMUE III
Shing!
Shooting Stars!
Shoppe Keep
SHOPPE KEEP 2
Shutter 2
Shred! 2 - ft Sam Pilgrim
Sid Meier Civilization V
Sid Meier Civilization VI
Siege Survival: Gloria Victis
sim city 4
Sir Whoopass™: Immortal Death
Sky Break
SKULLY
Slain: Back from Hell
Slinger VR
Smart Factory Tycoon
Sniper Elite 4 Deluxe Edition
Songbird Symphony
SONG OF HORROR COMPLETE EDITION
sonic all stars transformed collection
Sonic and SEGA All Stars Racing
Sonic Forces
Sonic the Hedgehog 4 - Episode I
Sonic the Hedgehog 4 - Episode II
Sorry, James
Soul Searching
Soulblight
Soulflow
SPACECOM
Space Robinson: Hardcore Roguelike Actio
Sparkle 2
SpeedRunners
Spidersaurs
Spiritual Warfare & Wisdom Tree Collection
Spirit of the Isand
Splasher
Spooky Bonus
Spring Bonus
Stacking
Stalingrad
S.T.A.L.K.E.R.: Clear Sky
Starbound
Starpoint Gemini Warlords
Star Wars Knights of the old Republic 2
Star Wars The Force Unleashed
Star Wolves
star trek bridge crew
State of Decay 2: Juggernaut Edition - only for good offers
Stealth 2: A Game of Clones
Steamburg
Steel Rats
Stick it to The Man!
Stick Fight: The Game
Stikir
Stirring Abyss
Strikey Sisters
Stronghold Crusader 2
Slime-san
Strategic Mind: The Pacific
Stygian: Reign of the Old Ones
Styx: Master of Shadows
SWAG AND SORCERY
Sudden Strike 4
Suffer The Night
Sunlight
Summer in Mara
Superhot VR
Super 3-D Noah's Ark
Super Mutant Alien Assault
Super Panda Adventures
Super Rude Bear Resurrection
Super Star Path
SurrounDead
Survivalist: Invisible Strain
Switchball HD
Sword of the Necromancer
Syberia 3
Symmetry
Syberia 3
System Shock Enhanced Edition
Talk to Strangers
tannenberg
Tiny Tales: Heart of the Forest
Team Sonic Racing
tekken 7
Telefrag VR
TERRACOTTA
Tesla Force
Teslagrad Remastered
Testament of Sherlock Holmes
Tharsis
The Adventure Pals
The Amazing American Circus
The Assembly
The Big Con
The Black Heart
The Coma 2: Vicious Sisters
The Crow's Eye
The Darkside Detective
The Deed
The Deed II
The Deed: Dynasty
The Dungeon Beneath
The Emerald Maiden: Symphony of Dream
The Escapists
The Fan
The Final Station
The Flame in the Flood
The Free Ones - ONLY FOR VERY GOOD OFFERS
The Horror Of Salazar House
The Inner World
The Invisible Hand
The Last Crown: Midnight Horror
The Last Tinker: City of Colors
The Long Dark: Survival Edition
The Lost Crown
The Long Reach
The Knight Witch
The Magister
The Metronomicon - The Deluxe Edition
The Myth Seekers 2: The Sunken City
The Myth Seekers: The Legacy of Vulcan
The Next Penelope
The Oil Blue: Steam Legacy Edition
The Secret Order 5: The Buried Kingdom
The Secret Order 6: Bloodline
The Secret Order 7: Shadow Breach
The Smurfs - Mission Vileaf
The Spectrum Retreat
THE SWORDS OF DITTO: MORMO'S CURSEa
The Textorcist: The Story of Ray Bibbia
The Town of Light
The Walking Dead: A New Frontier
The Walking Dead – Season 1
The Walking Dead: 400 Days DLC
The Walking Dead: Season Two
The Walking Dead: The Final Season
The Wild Eight
The Whispered World Special Edition
They Always Run
They Bleed Pixels
Think of the Children
This War of Mine
Through the Woods
The USB Stick Found in the Grass
Ticket to Ride
Tilt Brush
TIN CAN
Time on Frog Island
Time Loader
Time Mysteries 3: The Final Enigma
Tiny Tales: Heart of the Forest
tiny & Tall: Gleipnir
Titan Quest Anniversary Edition
Toejam & Earl: Back in the Groove
Toki
Tomb Raider GOTY Edition
Tom Clancy's The Division Uplay + Survival dlc
Total War: MEDIEVAL II Definitive Edition
Totally Reliable Delivery Service
Tower of Time
Total War: ROME II - Caesar in Gaul
TRUBERBROOK
Toybox Turbos
Toy Tinker Simulator
Tracks - The Train Set Game
Treasure Hunter Simulator
Trine 2: Complete Story
Trine 3
Trine 4
Tropico 4
Tunche
Tumblestone
Turmoil
Tyrant's Blessing
UFO: Afterlight
Ultimate Zombie Defense
Undead Horde
UNDETECTED
Unloved
Unexplored 2: The Wayfarer's Legacy
Unhack
Unloved
Unmemory
Unto The End
Valfaris
Vambrace: Cold Soul
Vampire of the Sands
Vampire: The Masquerade – Swansong
Vampire Survivors
VANE
Vanishing Realms
Velocity Ultra
Viking Saga New World
Viking Saga The Cursed Ring
Voidship: The Long Journey
walking dead the new frontier
WARBORN
WARHAMMER 40,000: GLADIUS - RELICS OF WAR
Warpips
War Solution - Casual Math Game
Wandersong
Wargroove
war tech fighters
Wasteland 2: Director s Cut - Classic Edition
Wayout
Wayout 2: Hex
Wayward Souls
We Are Alright
When In Rome
WHERE THE WATER TASTES LIKE WINE
White Night
White Noise 2
Witch it
Without Within 3
WizardChess
World Keepers Last Resort
World Ship Simulator
Worms Blast
Worms Crazy Golf
Worms Pinball
Worms Revolution
Worms Rumble
Wounded - The Beginning
Verdant Skies
XBlaze Code: Embryo
X-Com 2
XEL
XLarn
X-Morph: Defense Complete Pack
Xpand Rally
Yakuza Kiwami 2
Yakuza 3 Remastered
Yesterday Origins"
Yet Another Zombie Defense HD
Yoku's Island Express
Yono and the Celestial Elephants
Yooka-Laylee
Zarya-1: Mystery on the Moon
Zombie Derby 2
Zombie Night Terror
submitted by marcoxnt93 to SteamGameSwap [link] [comments]


2024.05.21 18:30 marcoxnt93 [H] A lot games [W] Offers

7 Wonders: Magical Mystery Tour
7 Wonders: Treasures of Seven
12 is Better Than 6
911 Operator
A Blind Legend
Aarklash: Legacy
Acorn Assault: Rodent Revolution
Achtung! Cthulhu Tactics
Afterimage
Agatha Christie - The ABC Murders
Agent in Depth
age of wonders 3
Agents of Mayhem
Alien Spidy
AI War 2
A Juggler's Tale
Alchemist's Castle
Alchemy Garden
Almost There: The Platformer
ALLTYNEX Second"
Alter Army"
Akka Arrh
American Fugitive
A Musical Story
Ancestors Legacy
Ancient Enemy
An Elder Scrolls Legend: Battlespire
Anomaly Defenders
Anomaly: Warzone Earth
Aragami 2
Arboria
Arcade Spirits
Arena Renovation
Armada 2526 Gold Edition
Arma X
Arx Fatalis
Ary and the Secret of Seasons
Ascension to the Throne
Ashina: The Red Witch
Astronarch
Atari Vault
Attack of the Earthlings
Attractio
Automachef
Axiom Verge
Backbone
Back 4 Blood - Only for good offers
Band of Defenders"
Banners of Ruin
Batman: Arkham Knight Premium Edition
Batman: Arkham Origins
Battle Academy 2: Eastern Front
Battle vs Chess
BEAUTIFUL DESOLATION
Belladonna
Beyond the Long Night
Bionic Commando: Rearmed
BioShock Infinite
Biped
Bizango Blast
Backfirewall
BLACKHOLE: Complete Edition
BLADE ASSAULT
Blacksad: Under the Skin
Blitzkrieg Anthology
Blood Bowl 2
Borderlands Game of the Year Enhanced
Borderlands handsome collection
Bosorka
Bots Are Stupid
Bot Vice
Breakout: Recharged
Breathedge
Brunch Club
Broken Age
Brothers: A Tale of Two Sons
Bunker Punks
Calico
Call of Cthulhu®: Dark Corners of the Earth
Call of Juarez
Caravan
Carmageddon max damage
Cats and the Other Lives
Caveblazers
Caverns of Mars: Recharged
Caveman World: Mountains of Unga Boonga
Centipede: Recharged
Chambers of Devious Design
Chess Ultra
Chicken Assassin: Reloaded
Children of Morta
CHAOS CODE -NEW SIGN OF CATASTROPHE-
Chaos on Deponia
Chariot
Circuit Breakers
City Siege: Faction Island
Close to the Sun
Clunky Hero
Colt Canyon
Constructor Classic 1997
Convoy
Conglomerate 451
Cookie Cutter
Cook Serve Delicious
Cook Serve Delicious! 3?!
Corridor Z
Cosmic Express
Craft Keep VR
Crazy Belts
Creeping Terror
Creepy Tale
Crewsaders
Crown Champion: Legends of the Arena
Crumble
CryoFall
CTU: Counter Terrorism Unit
Cubicle Quest
Cursed Sight
Cybarian: The Time Travelling Warrior
Darkest Dungeon
DARK FUTURE: BLOOD RED STATES
Dark Strokes The Legend of the Snow Kingdom Collectors Edition
Darkness Within 2: The Dark Lineage
Danger Scavenger
Day of Infamy
Dead Age
Dead Age 2
Dead by daylight
Dead End Job
Deadlight: Director's Cut
Dead Island Definitive Edition
Dead Space 3 Origin key
Dear Esther: Landmark Edition
DESERT CHILD
DEATHRUN TV
Death Squared
Death to Spies: Moment of Truth
Degrees of Separation
Demon Pit
DESOLATE
Detached: Non-VR Edition
Deus Ex: Invisible War
Devil Daggers
Devil's Hunt
Devil May Cry 4 Special Edition
DIG - Deep In Galaxies
Dimension Drifter
Dirt Rally 2.0 - Only for good offers
DIRT SHOWDOWN
dirt 5 - Only for good offers
Distrust
Divide By Sheep
DmC Devil May Cry
Doodle Derby
DOOM (1993)
DOOM II
DOOM 64
Dorke and Ymp
Doorways: Holy Mountains of Flesh
Double
Double Dragon IV
Doughlings Arcade
Doughlings Invasion
Draw Slasher
Dreamscaper
DreamWorks Dragons: Legends of the Nine Realms
Driftland: The Magic Revival
Drink More Glurp
Dub Dash
Duke Nukem Forever
Dungeons 3
Dust to the End
DV: Rings of Saturn
Eagle Island
Elderand
Elven Legacy Collection
Endless Fables 3: Dark Moor
Epistory - Typing Chronicles
Escape Dead Island
Escape Game Fort Boyard
Escape from Naraka
Eternal Edge +
Eternity: The Last Unicorn
Etherlords I & II
Eventide 3: Legacy of Legends
Evergarden
Everhood
Exorder
eXperience 112
Explodemon
Extinction
Evoland
F1 2012 - ONLY FOR VERY GOOD OFFERS
f1 2019 Anniversary - ONLY FOR VERY GOOD OFFERS
Family Mysteries 3: Criminal Mindset
Family Mysteries: Poisonous Promises
Fantasy Blacksmith
Farabel
Farming World
Farm Frenzy: Refreshed
Figment
Final Doom
Fire
Firegirl
FIRST CLASS TROUBLE
Flashing Lights Police Fire EMS
Filthy Animals Heist Simulator
Flying Tigers: Shadows Over China - Deluxe Edition
Fractured Minds
FRAMED COLLECTION
Freaking Meatbags
Frog Detective 2: The Case of the Invisible Wizard
FRONTIERS
Frick, Inc.
For the People
Formula Carr Racing
Funk of Titans
Furious Angels
Fury Unleashed
Gamedec
GameGuru
Game Dev Studio
Garbage
Gas Station Simulator
Generation Zero
GetsuFumaDen: Undying Moon
Ghost Files: The Face of Guilt
Ghost Files 2: Memory of a Crime
Ghost Files: The Face of Guilt
Gigantosaurus: Dino Kart
Gigapocalypse
GOAT OF DUTY
God’s Trigger
Goetia
Go Home Dinosaurs
Godstrike
Going Under
Golden Light
Golfie
Golf Gang
Goodbye Deponia
Grand Mountain Adventure: Wonderlands
Grey Goo Definitive Edition
Grotto
Grid Ultimate Edition
Grim Legends 2: Song of the Dark Swan
Grim Legends: The Forsaken Bride
GRIP: Combat Racing
GRIP: Combat Racing - Cygon Garage Kit
GRIP: Combat Racing - Nyvoss Garage Kit
GRIP: Combat Racing - Terra Garage Kit
GRIP: Combat Racing - Vintek Garage Kit
Groundhog Day: Like Father Like Son
GTA VICE CITY - only for very good offers
Guilty Gear X2 #Reload
Gunscape
Guns & Fishes
Guns of Icarus Alliance
Hacknet
Hack 'n' Slash
Haegemonia: The Solon Heritage
Hauma - A Detective Noir Story
Headsnatchers
Hero of the Kingdom
Hero of the Kingdom III
Hero of the Kingdom: The Lost Tales 1
Hero of the Kingdom: The Lost Tales 2
Heroes of the Monkey Tavern
Heroes of Hellas 3: Athens
Heroes of Hellas Origins: Part One
HEAVEN'S VAULT
Hexologic
Hidden Memory - Neko's Life
Hidden Object 6in1 bundle
Hidden Object Bundle 5 in 1
Hidden Shapes - Trick or Cats
HIVESWAP: Act 1
Hiveswap Friendsim
Hitman Absolution
Holiday Bonus GOLD
Holy Potatoes! A Weapon Shop?!
Homebrew - Patent Unknown
Homefront
Home Sweet Home
Home Sweet Home EP2
Horizon Shift
Hospital Tycoon
How 2 Escape
Hyperdrive Massacre
Hyperspace Invaders II: Pixel Edition
I am not a Monster: First Contact
ICBM
Icewind Dale: Enhanced Edition
Impulsion
In Between
Innerspace
Inside My Radio
Internet Cafe Simulator
Interrogation: You will be deceived
Interplanetary: Enhanced Edition
Into the Pit
Insurgency
In Other Waters
Iratus
Ironcast
Iron Commando - Koutetsu no Senshi
Iron Danger
Iron Lung
Iron Marines
Island Tribe
Izmir: An Independence Simulator
Jalopy
Jane Angel: Templar Mystery
Jewel Match Atlantis Solitaire - Collector's Edition
Jewel Match Solitaire 2 Collector's Edition
Jewel Match Solitaire L'Amour
Jewel Match Solitaire Winterscapes
Joggernauts
Just Cause 3
Just Die Already
Just Ignore Them
Kaichu - The Kaiju Dating Sim
Kao the Kangaroo (2000 re-release)
KarmaZoo
Kerbal Space Program
Killing Floor 2
Killer is Dead - Nightmare Edition
Kitaria Fables
Kingdom Rush
King Oddball
Knight's Retreat
Knightin'+
Koala Kids
Konung 2
Lacuna – A Sci-Fi Noir Adventure
Landlord's Super
Lamentum
Laser Disco Defenders
Last Oasis
Last Word
Lead and Gold: Gangs of the Wild West
Legend of Keepers: Career of a Dungeon Manager
Lego Marvel 2 Deluxe
LEVELHEAD
Lila’s Sky Ark
Livelock
Looking for Aliens
Looterkings
Lost Words: Beyond the Page
Lovecraft's Untold Stories + OST + Artbook
Lords and Villeins
Ludus
Lumberhill
Lust for Darkness
Lust from Beyond - M Edition
Luxor 3
Machinika Museum
Mad Experiments: Escape Room
Mad Max
Mad Tracks
MageQuit
Magenta Horizon
Magrunner: Dark Pulse
MAIN ASSEMBLY
Mahjong
MARSUPILAMI - HOOBADVENTURE
Mask of the Rose
Mass Effect 2
Mechs & Mercs: Black Talons
Medieval Kingdom Wars
Men of War: Assault Squad - Game of the Year Edition
Men of War: Red Tide
Meow Express
Metal Unit
Metro last light redux
Metro Redux Bundle
Micro Machines World Series
Middle-earth : Shadow of Mordor Goty
Middle-earth: Shadow of War Definitive Edition
Midnight Mysteries 3: Devil on the Mississippi
Midnight Protocol
Mini Ninjas
Mini Thief
Minute of Islands
MirrorMoon EP
Mob Rule Classic
Modern Tales: Age of Invention
Moon Hunters
Monaco
Moss Destruction
MotoGP 15
MORKREDD
Mortal Kombat XL
Mortal Kombat 11 Ultimate
Mount & blade
Mr. Run and Jump
MXGP - The Official Motocross Videogame
My Big Sister
Nadia Was Here
NEON ABYSS
Nigate Tale
Nihilumbra
Nippon Marathon
NecroWorm
Neon Chrome
Neurodeck : Psychological Deckbuilder
Neverout
NEXT JUMP: Shmup Tactics
Ninjin: Clash of Carrots
Nobodies: Murder Cleaner
Noir Chronicles: City of Crime
Noitu Love 2: Devolution
Nongunz: Doppelganger Edition
Northern Tale
Non-Stop Raiders
Now You See - A Hand Painted Horror Adventure
Old School Musical
Omen Exitio: Plague
Orbital Bullet
Orbital Racer
Oriental Empires
Orn the tiny forest sprite
Orwell: Ignorance is Strength
Outcast - Second Contact
Out of Reach: Treasure Royale
Out of Space
OUT OF THE BOX
Overcooked
Overloop
Overlord
Overlord: Ultimate Evil Collection
Overture
Pang Adventures
Painkiller Hell & Damnation
Paperbark
Paper Beast - Folded Edition
Paper Fire Rookie
Paper Planet
Pathfinder: Kingmaker
Paradigm
Persian Nights 2: The Moonlight Veil
Pathfinder Wrath
Pathway
Paw Patrol: On A Roll!
Paw Paw Paw
PAYDAY 2
Peachleaf Pirates
Persian Nights: Sands of Wonders
Pickers
pillars of eternity
Pill Baby
Pirate Pop Plus
Pizza Express
Pixel Heroes: Byte & Magic
PixelJunk™ Monsters Ultimate + Shooter Bundle
Pixplode
Pixross
Planet TD
Plebby Quest: The Crusades
Planet Zoo
Police Stories
Post Master
Porcunipine
portal knights
Post Void
Prehistoric Tales
Primal Carnage: Extinction
pro cycling manager 2019
Project Chemistry
Professor Lupo: Ocean
Prophecy I - The Viking Child
Pushover
qomp
Quantum Replica
Quake 2
Rage in Peace
RAIDEN V: DIRECTOR'S CUT
Raining Blobs
Rainbow Billy: The Curse of the Leviathan
Railway Empire
Radio Commander
Rebel Galaxy
Rebel Galaxy Outlaw
Rebel Inc
Recon Control
Red Faction
Red Faction®: Armageddon™
Red Faction Guerrilla Re-Mars-tered
Red Line
Regency Solitaire
Regular Human Basketball
Regions of Ruin
Re-Legion
Retimed
Remnants of Naezith
Rencounter
Renfield: Bring Your Own Blood
Replica
Resident Evil 0 HD REMASTER
Resident Evil Revelations 2 Deluxe Edition
Resort Boss: Golf
Return to Mysterious Island
Reventure
REZ PLZ
Richard & Alice
Rise of Insanity
Risen
Rising Dusk
River City Girls
River City Melee Mach
ROAD 96
Road to Guangdong
Roads of Rome 3
Roarr! Jurassic Edition
Rogue Heroes: Ruins of Tasos
RRRR
RUNOUT
Rym 9000
S.W.I.N.E. HD Remaster
Safety First!
Sanitarium
Satellite Reign
Satellite Rush
Savage Lands
Save Jesus
Say No! More
Scheming Through The Zombie Apocalypse: The Beginning
ScourgeBringer
Sea Horizon
Serial Cleaner
Sentience: The Android's Tale
SEARCH PARTY: Director's Cut
SEUM: Speedrunners from Hell
Severed Steel
Shadowrun Returns
Shadows: Awakening
Shantae: Risky's Revenge - Director's Cut
SHENMUE III
Shing!
Shooting Stars!
Shoppe Keep
SHOPPE KEEP 2
Shutter 2
Shred! 2 - ft Sam Pilgrim
Sid Meier Civilization V
Sid Meier Civilization VI
Siege Survival: Gloria Victis
sim city 4
Sir Whoopass™: Immortal Death
Sky Break
SKULLY
Slain: Back from Hell
Slinger VR
Smart Factory Tycoon
Sniper Elite 4 Deluxe Edition
Songbird Symphony
SONG OF HORROR COMPLETE EDITION
sonic all stars transformed collection
Sonic and SEGA All Stars Racing
Sonic Forces
Sonic the Hedgehog 4 - Episode I
Sonic the Hedgehog 4 - Episode II
Sorry, James
Soul Searching
Soulblight
Soulflow
SPACECOM
Space Robinson: Hardcore Roguelike Actio
Sparkle 2
SpeedRunners
Spidersaurs
Spiritual Warfare & Wisdom Tree Collection
Spirit of the Isand
Splasher
Spooky Bonus
Spring Bonus
Stacking
Stalingrad
S.T.A.L.K.E.R.: Clear Sky
Starbound
Starpoint Gemini Warlords
Star Wars Knights of the old Republic 2
Star Wars The Force Unleashed
Star Wolves
star trek bridge crew
State of Decay 2: Juggernaut Edition - only for good offers
Stealth 2: A Game of Clones
Steamburg
Steel Rats
Stick it to The Man!
Stick Fight: The Game
Stikir
Stirring Abyss
Strikey Sisters
Stronghold Crusader 2
Slime-san
Strategic Mind: The Pacific
Stygian: Reign of the Old Ones
Styx: Master of Shadows
SWAG AND SORCERY
Sudden Strike 4
Suffer The Night
Sunlight
Summer in Mara
Superhot VR
Super 3-D Noah's Ark
Super Mutant Alien Assault
Super Panda Adventures
Super Rude Bear Resurrection
Super Star Path
SurrounDead
Survivalist: Invisible Strain
Switchball HD
Sword of the Necromancer
Syberia 3
Symmetry
Syberia 3
System Shock Enhanced Edition
Talk to Strangers
tannenberg
Tiny Tales: Heart of the Forest
Team Sonic Racing
tekken 7
Telefrag VR
TERRACOTTA
Tesla Force
Teslagrad Remastered
Testament of Sherlock Holmes
Tharsis
The Adventure Pals
The Amazing American Circus
The Assembly
The Big Con
The Black Heart
The Coma 2: Vicious Sisters
The Crow's Eye
The Darkside Detective
The Deed
The Deed II
The Deed: Dynasty
The Dungeon Beneath
The Emerald Maiden: Symphony of Dream
The Escapists
The Fan
The Final Station
The Flame in the Flood
The Free Ones - ONLY FOR VERY GOOD OFFERS
The Horror Of Salazar House
The Inner World
The Invisible Hand
The Last Crown: Midnight Horror
The Last Tinker: City of Colors
The Long Dark: Survival Edition
The Lost Crown
The Long Reach
The Knight Witch
The Magister
The Metronomicon - The Deluxe Edition
The Myth Seekers 2: The Sunken City
The Myth Seekers: The Legacy of Vulcan
The Next Penelope
The Oil Blue: Steam Legacy Edition
The Secret Order 5: The Buried Kingdom
The Secret Order 6: Bloodline
The Secret Order 7: Shadow Breach
The Smurfs - Mission Vileaf
The Spectrum Retreat
THE SWORDS OF DITTO: MORMO'S CURSEa
The Textorcist: The Story of Ray Bibbia
The Town of Light
The Walking Dead: A New Frontier
The Walking Dead – Season 1
The Walking Dead: 400 Days DLC
The Walking Dead: Season Two
The Walking Dead: The Final Season
The Wild Eight
The Whispered World Special Edition
They Always Run
They Bleed Pixels
Think of the Children
This War of Mine
Through the Woods
The USB Stick Found in the Grass
Ticket to Ride
Tilt Brush
TIN CAN
Time on Frog Island
Time Loader
Time Mysteries 3: The Final Enigma
Tiny Tales: Heart of the Forest
tiny & Tall: Gleipnir
Titan Quest Anniversary Edition
Toejam & Earl: Back in the Groove
Toki
Tomb Raider GOTY Edition
Tom Clancy's The Division Uplay + Survival dlc
Total War: MEDIEVAL II Definitive Edition
Totally Reliable Delivery Service
Tower of Time
Total War: ROME II - Caesar in Gaul
TRUBERBROOK
Toybox Turbos
Toy Tinker Simulator
Tracks - The Train Set Game
Treasure Hunter Simulator
Trine 2: Complete Story
Trine 3
Trine 4
Tropico 4
Tunche
Tumblestone
Turmoil
Tyrant's Blessing
UFO: Afterlight
Ultimate Zombie Defense
Undead Horde
UNDETECTED
Unloved
Unexplored 2: The Wayfarer's Legacy
Unhack
Unloved
Unmemory
Unto The End
Valfaris
Vambrace: Cold Soul
Vampire of the Sands
Vampire: The Masquerade – Swansong
Vampire Survivors
VANE
Vanishing Realms
Velocity Ultra
Viking Saga New World
Viking Saga The Cursed Ring
Voidship: The Long Journey
walking dead the new frontier
WARBORN
WARHAMMER 40,000: GLADIUS - RELICS OF WAR
Warpips
War Solution - Casual Math Game
Wandersong
Wargroove
war tech fighters
Wasteland 2: Director s Cut - Classic Edition
Wayout
Wayout 2: Hex
Wayward Souls
We Are Alright
When In Rome
WHERE THE WATER TASTES LIKE WINE
White Night
White Noise 2
Witch it
Without Within 3
WizardChess
World Keepers Last Resort
World Ship Simulator
Worms Blast
Worms Crazy Golf
Worms Pinball
Worms Revolution
Worms Rumble
Wounded - The Beginning
Verdant Skies
XBlaze Code: Embryo
X-Com 2
XEL
XLarn
X-Morph: Defense Complete Pack
Xpand Rally
Yakuza Kiwami 2
Yakuza 3 Remastered
Yesterday Origins"
Yet Another Zombie Defense HD
Yoku's Island Express
Yono and the Celestial Elephants
Yooka-Laylee
Zarya-1: Mystery on the Moon
Zombie Derby 2
Zombie Night Terror
submitted by marcoxnt93 to GameTrade [link] [comments]


2024.05.21 18:16 L3zmAWydRtf3779lVOra Synology Drive bulk link sharing?

Suppose that I have a folder with 500 files, and I want to share and generate an individual link to each file, how would I go about doing this?
Normally I would add all files to 1 folder and share the folder, but this is a business use-case that needs individual links to the files. I'm having trouble finding a way to bulk create/fetch links for a large number of files. I'm comfortable with developing my own code solution if needed, but just curious if anyone has experience with this.
submitted by L3zmAWydRtf3779lVOra to synology [link] [comments]


2024.05.21 18:04 Ok-Appointment-9434 Unlock Your LinkedIn Superpowers with Kanbox: unseen features inside

Hey, fellow growth hackers! 👋
Are you tired of manually sifting through LinkedIn profiles, trying to find the perfect leads for your business? Look no further! Allow me to introduce you to Kanbox, the game-changing platform designed specifically for professionals like you who rely on LinkedIn for lead generation and recruitment.

What Is Kanbox?

Kanbox is more than just a LinkedIn scraper. It’s a comprehensive tool that empowers you to:
  1. Prospect with Precision: Say goodbye to endless scrolling. Kanbox helps you identify and connect with potential clients, partners, and influencers in your niche.
  2. Network Like a Pro: Whether you’re a salesperson, marketer, recruiter, influencer, or CEO, Kanbox simplifies networking. Grow and manage your LinkedIn connections effortlessly.
  3. Streamline Communication: Communicate seamlessly within Kanbox’s user-friendly interface. No more switching between tabs or losing track of conversations.

Why Choose Kanbox?

How to Get Started:

  1. Visit Kanbox.io and explore its features.
  2. Install the Kanbox Chrome extension.
  3. Start prospecting, networking, and communicating like a pro!
Remember, growth hacking is all about data-driven experimentation. With Kanbox, you’ll discover new ways to grow—whether it’s user acquisition, activation, or retention.
Let’s level up our LinkedIn game together! 🚀
submitted by Ok-Appointment-9434 to GrowthHacking [link] [comments]


2024.05.21 18:01 hackintosh-expert [SUCCESS] High Sierra 10.13.6 on Gigabyte Z370 AORUS Gaming 5 with i7-8700K and GTX 1080Ti, Opencore 0.9.9

[SUCCESS] High Sierra 10.13.6 on Gigabyte Z370 AORUS Gaming 5 with i7-8700K and GTX 1080Ti, Opencore 0.9.9

https://preview.redd.it/i70yjmhyak0d1.jpg?width=1200&format=pjpg&auto=webp&s=9e7968b115fdaf7a66a7f6a7ee43ee9c2cba55f5
OpenCore: 0.9.9 macOS: High Sierra 10.13.6
Mainboard: Gigabyte Z370 AORUS Gaming 5 Processor: i7-8700K Graphics: GTX 1080Ti Network: I219-V Audio: ALC1220
Known issues: Our customer has reported zero issues with this setup.
This installation was done using OpenCore 0.9.9 as the bootloader, running macOS High Sierra 10.13.6
The SMBIOS our technician chose was iMacPro 1,1. We recommend using iMacPro 1,1 when generating your own SMBIOS.
Geekbench 5 Scores:
Single-core: 1108 Multi-core: 6098
Download this EFI folder here or check out our other tested prebuilt EFI folders for Desktops, Laptops EFI, and Workstations.
If you want to know if your PC or laptop is compatible with Hackintosh, you can get a free Hackintosh compatibility check from me. I usually reply within a few hours ;)
submitted by hackintosh-expert to Hackintosh_Expert [link] [comments]


2024.05.21 17:55 calvin324hk [H] 1000+ Games / DLCs / VR Games [W] Paypal / Wishlist / Offers

https://www.reddit.com/IGSRep/comments/pikmri/calvin324hks_igs_rep_page/
https://www.reddit.com/sgsflaicomments/of2wzu/flair_profile_ucalvin324hk/
Wishlist
Region: NA (Canada)
Fees on buyer if any, currency is USD unless specified
CTRL + F to find your games in terms of name
  • 10 Second Ninja X
  • 11-11 Memories Retold
  • 112 Operator
  • 12 is Better Than 6
  • 198X
  • 1993 Space Machine
  • 60 Parsecs
  • 7 Billion Humans
  • 8 DOORS
  • 8-bit Adventure Anthology: Volume I
  • 9 Years of Shadows
  • 911 Operator
  • A Game of Thrones: The Board Game
  • A Hat in Time
  • A Hole New World
  • A JUGGLER'S TALE
  • A Long Way Down
  • A PLAGUE TALE: INNOCENCE
  • A Robot Named Fight!
  • A Tale for Anna
  • A.I.M.2 Clan Wars
  • Abalon (Summoners Fate)
  • Ace Combat Assault Horizon Enhanced Edition
  • Adore
  • Aeterna Noctis
  • AETHERIS
  • Agatha Christie Hercule Poirot The First Cases
  • AIdol
  • Airborne Kingdom
  • Alba: A Wildlife Adventure
  • Alder's Blood: Definitive Edition
  • Alfred Hitchcock - Vertigo
  • Alien Breed Trilogy
  • Aliens vs. Predator™ Collection
  • All-Star Fruit Racing
  • Almost There: The Platformer
  • American Fugitive
  • American Truck Simulator
  • Amerzone: The Explorer’s Legacy
  • AMID EVIL
  • Amnesia rebirth
  • Amnesia: The Dark Descent + Amnesia: A Machine for Pigs
  • Anomalous
  • Another World – 20th Anniversary Edition
  • Antigraviator
  • Anuchard
  • APICO
  • APICO
  • Aragami
  • Aragami 2
  • Arboria
  • Arcade Paradise
  • Arcade Paradise - Arcade Paradise EP
  • Arcade Spirits
  • Arkham Horror: Mother's Embrace
  • Armada 2526 Gold Edition
  • Army Men RTS
  • army of ruin
  • Arto
  • Ary and the Secret of Seasons
  • As Far as the Eye
  • Ascension to the Throne
  • Assemble With Care
  • Assetto Corsa Competizione
  • Assetto Corsa Ultimate Edition
  • Astebreed Definitive Edition
  • Astro Colony
  • Astronarch
  • Attack of the Earthlings
  • Automachef
  • Automobilista
  • Automobilista 2
  • AUTONAUTS
  • AUTONAUTS VS PIRATEBOTS
  • Avatar: Frontiers of Pandora™ - Ubisoft Connect
  • AVICII Invector: Encore Edition
  • Awesomenauts All Nauts pack
  • Axiom Verge
  • Axiom Verge 2
  • Baba is you
  • Back 4 Blood
  • Back 4 blood (EU)
  • Backbone
  • Baldur's Gate II: Enhanced Edition
  • Baldur's Gate: Enhanced Edition
  • Banners of Ruin
  • Bartlow's Dread Machine
  • BASEMENT
  • Batbarian: Testament of the Primordials
  • Batman: Arkham Asylum Game of the Year Edition
  • Batman: Arkham Origins
  • Battle Royale Tycoon
  • Battlecruisers
  • Battlestar Galactica Deadlock
  • BATTLESTAR GALACTICA DEADLOCK SEASON ONE
  • Battlestar Galactica Deadlock: Complete
  • BATTLETECH MERCENARY COLLECTION
  • BATTLETECH Shadow Hawk Pack
  • BEAUTIFUL DESOLATION
  • BEFORE WE LEAVE
  • Beholder 2
  • Ben 10
  • Ben 10: Power Trip
  • Bendy and the Ink Machine™
  • Between the Stars
  • Beyond a Steel Sky
  • Beyond The Edge Of Owlsgard
  • BEYOND THE WIRE
  • Beyond: Two Souls
  • BIOMUTANT
  • Bionic Commando
  • Bionic Commando Rearmed
  • BioShock: The Collection
  • BLACK BOOK
  • Black Moon Chronicles
  • Black Paradox
  • BLACK SKYLANDS
  • BLACKHOLE: Complete Edition
  • Blacksad: Under the Skin
  • Blade of Darkness
  • Blasphemous
  • Blazing Chrome
  • Blightbound
  • Blood And Zombies
  • Blood Rage: Digital Edition
  • Bloodstained: Ritual of the Night
  • Bomber Crew
  • Boneless Zombie
  • Boomerang Fu
  • Borderlands 3
  • Borderlands 3 Super Deluxe
  • Borderlands 3 Super Deluxe Edition
  • Borderlands: The Handsome Collection
  • Bot Vice
  • Bounty of One
  • Brawlout
  • Breakout: Recharged
  • Breathedge
  • bridge constructor
  • Bridge constructor medieval
  • bridge constructor stunts
  • Broken Lines
  • Brothers: A Tale of Two Sons
  • Brutal Legend
  • Bug Fables: The Everlasting Sapling
  • Buggos
  • BUILDER SIMULATOR
  • calico
  • Call of Duty® Modern Warfare 3™ (2011)
  • Call of Juarez: Gunslinger
  • Car Mechanic 2018
  • Car Mechanic Simulator 2015
  • Car Mechanic Simulator 2018
  • Cardboard Town
  • Castle Morihisa
  • Castle on the Coast
  • castle storm
  • CastleStorm
  • Cat Cafe Manager
  • Caveblazers
  • Celeste
  • Centipede: Recharged
  • CHANGE: A Homeless Survival Experience
  • Charlie's Adventure
  • Chenso Club
  • Chernobylite: Enhanced Edition
  • Chess Ultra
  • Chicago 1930 : The Prohibition
  • Chivalry 2
  • Chop Goblins
  • Chorus
  • Circuit Superstars
  • Cities Skylines + After Dark
  • Cities: Skylines
  • City of Beats
  • CivCity: Rome
  • Click and Slay
  • Cloud Gardens
  • Cloudpunk
  • Code Vein
  • Coffee Talk
  • Comedy Night
  • Command & Conquer Remastered (Origin)
  • Complete Dread X Collection
  • Conarium
  • Construction Simulator (2015) Deluxe Edition
  • Constructor Plus
  • Control
  • Cook, Serve, Delicious! 3?!
  • Cookie Cutter
  • cornucopia
  • Corridor Z
  • Cosmic Osmo and the Worlds Beyond the Mackerel
  • Cosmonautica
  • Crash Drive 2
  • Crash Drive 3
  • Creaks
  • Creepy Tale
  • Crookz the big heist
  • CROSSBOW: Bloodnight
  • Crush Your Enemies
  • Cube Runner
  • Cultist Simulator: Anthology Edition
  • Curse: The Eye of Isis
  • Cyber Ops
  • Cybercube
  • Danger Scavenger
  • Dark Deity
  • DARK PICTURES ANTHOLOGY: HOUSE OF ASHES
  • Darkwood
  • DARQ: Complete Edition
  • Day of the Tentacle Remastered
  • days of war definitive edition
  • Dead by Daylight
  • Dead Estate
  • Dead Rising 2
  • Dear Esther: Landmark Edition
  • Death Stranding Directors Cut
  • DEATH STRANDING DIRECTOR'S CUT
  • Death's Gambit
  • Deceased
  • DECEIVE INC.
  • Degrees of Separation
  • Delicious! Pretty Girls Mahjong Solitaire
  • Deliver Us The Moon
  • Demetrios - Deluxe Edition
  • Depraved
  • DESCENDERS
  • DESOLATE
  • Destiny 2: Beyond Light
  • DESTROYER: THE U-BOAT HUNTER
  • Detention
  • Devil May Cry HD Collection
  • Devilated
  • Dicey Dungeons
  • Dirt 5
  • dirt rally
  • Dirt Rally 2.0
  • Disaster Band
  • Disciples III: Reincarnation
  • Discolored
  • DISTRAINT 2
  • Distrust
  • DmC: Devil May Cry
  • Do Not Feed the Monkeys
  • Don't Be Afraid
  • Doomed Lands
  • Door Kickers: Action Squad
  • Doorways: Prelude
  • Downfall
  • Dragons Dogma Dark Arisen
  • Dragon's Dogma: Dark Arisen
  • Draugen
  • Draw Slasher
  • Drawful 2
  • Dreams in the Witch House
  • Dreamscaper
  • DreamWorks Dragons: Dawn of New Riders
  • DRIFT21
  • Driftland: The Magic Revival
  • drive!drive!drive!
  • Drone Swarm
  • Due Process
  • Duke Nukem: Manhattan Project
  • Duke of Alpha Centauri
  • Dungeon Rushers
  • Dungeons 2
  • Dungeons 3
  • DUSK
  • Dusk Diver
  • Dust to the End
  • Dynopunk
  • Earth Defense Force 4.1 The Shadow of New Despair
  • Eastern Exorcist
  • Eiyuden Chronicle: Rising
  • El Matador
  • Elderand
  • ELDEST SOULS
  • Electrician Simulator
  • Elemental Survivors
  • Elex
  • Elex II
  • Elite Dangerous
  • Embr
  • Empire: Total War - Definitive Edition
  • Empyrion - Galactic Survival
  • ENCASED: A SCI-FI POST-APOCALYPTIC RPG
  • Endless Space 2
  • Endless Space 2 - Digital Deluxe Edition
  • Endless Space® 2 - Digital Deluxe Edition
  • Endzone - A World Apart
  • Epistory - Typing Chronicles
  • Escape the backrooms
  • Eternal Threads
  • Europa Universalis IV
  • European Ship Simulator
  • Everdream Valley
  • Evil Genius 2: World Domination
  • Exorder
  • EXPEDITIONS: ROME
  • Explosionade
  • F1 2018
  • F1 2019 Anniversary Edition
  • F1 2020
  • F1 RACE STARS Complete Edition Include DLC
  • Fable Anniversary
  • Factory Town
  • Fallback uprising
  • FALLOUT 1
  • Family Mysteries 3: Criminal Mindset
  • FANTASY BLACKSMITH
  • FARMER'S DYNASTY
  • Farming Simulator 17
  • Farming Simulator 19
  • Fictorum
  • Field of Glory II
  • Fights in Tight Spaces
  • Filthy Animals Heist Simulator
  • Firefighting Simulator - The Squad
  • Fishing Adventure
  • Flashback
  • FLATLAND Vol.2
  • FlatOut
  • FLING TO THE FINISH
  • Floppy Knights
  • Fluffy Horde
  • FOBIA - ST. DINFNA HOTEL
  • For the King
  • Forgive me Father
  • Forts
  • Fred3ric
  • Fresh Start Cleaning Simulator
  • Friends vs Friends
  • Frogun
  • From Space
  • Frostpunk: Game of the Year Edition
  • Frozenheim
  • Fun with Ragdolls: The Game
  • Funtasia
  • Gamedec
  • Gamedec - Definitive Edition
  • Gang Beasts
  • GARAGE bad trip
  • Garden Story
  • Garfield Kart
  • GAS STATION SIMULATOR
  • Gelly Break Deluxe
  • Genesis Alpha One Deluxe Edition
  • Gevaudan
  • Ghost Song
  • Ghostrunner
  • Giana Sisters 2D
  • GIGA WRECKER
  • Gigantosaurus: Dino Kart
  • Glitch Busters: Stuck On You
  • Gloria Victis
  • Go Home Dinosaurs
  • GOAT OF DUTY
  • GOD EATER 3
  • Godlike Burger
  • Godstrike
  • Going Under
  • Golf Gang
  • Golf It!
  • Gone Home + Original Soundtrack
  • Good Knight
  • Gotham Knights
  • GREAK: MEMORIES OF AZUR
  • GREEDFALL
  • Gremlins, inc
  • grey goo
  • GRID - 2019
  • grid ultimate
  • GRIP: Combat Racing
  • Gungrave G.O.R.E
  • Guppy
  • Guts and glory
  • GYLT
  • Hacknet
  • Haegemonia: Legions of Iron
  • Hamilton's Great Adventure
  • Hammerwatch
  • Hands of Necromancy
  • Havsala: Into the Soul Palace
  • Headsnatchers
  • Heartwood Heroes
  • Heat Signature
  • Helheim Hassle
  • Hell Let Loose
  • Hellblade: Senua's Sacrifice
  • Hellbound
  • Hellslave
  • Hellstuck: Rage With Your Friends
  • Hero of the Kingdom III
  • Hero of the Kingdom: The Lost Tales 2
  • Heroes of Hammerwatch
  • Heros hour
  • Hexologic
  • Hidden & Dangerous 2: Courage Under Fire
  • Hidden & Dangerous: Action Pack
  • Hidden Deep
  • High On Life
  • Hitman (2016) Game of the Year Edition
  • HITMAN 2 - Gold Edition
  • Hoa
  • Hob
  • Hollow Knight
  • Holy Potatoes! A Spy Story?!
  • Home Sweet Home
  • Home Sweet Home EP2
  • Homestead Arcana
  • Hood: Outlaws & Legends
  • Hoplegs
  • Hot Tin Roof: The Cat That Wore A Fedora
  • HOT WHEELS UNLEASHED ™
  • Hotshot Racing
  • House Flipper
  • How to Survive 2
  • Hue
  • Human: Fall Flat
  • HUMANKIND DEFINITIVE EDITION
  • Hungry Flame
  • Hyper Knights
  • I am Bread
  • I Am Fish
  • I am not a Monster: First Contact
  • I Hate Running Backwards
  • ibb & obb Double Pack
  • ICBM
  • Ice Age Scrat's Nutty Adventure
  • Ice Lakes
  • Impostor Factory
  • IN SOUND MIND
  • Indivisible
  • INDUSTRIA
  • Infectonator 3: Apocalypse
  • Infinite Beyond The Mind
  • Injustice 2 Legendary Edition
  • Insane 2
  • INSOMNIA: The Ark
  • Internet Cafe Simulator
  • Internet Cafe Simulator 2
  • Interstellar Space: Genesis
  • Iron Fisticle
  • Iron Harvest
  • Ittle Dew
  • Ittle Dew 2+
  • Jack Move
  • Jackbox party pack 2
  • Jackbox party pack 5
  • JANITOR BLEEDS
  • Joint Task Force
  • Jotun: Valhalla Edition
  • Journey For Elysium
  • Journey to the Savage Planet
  • JUMANJI: The Video Game
  • JumpJet Rex
  • Jupiter Hell
  • Jurassic Park: The Game
  • Jurassic World Evolution
  • Jurassic World Evolution 2
  • JUST CAUSE 4: COMPLETE EDITION
  • Just Die Already
  • Kardboard Kings: Card Shop Simulator
  • Keep Talking and Nobody Explodes
  • Ken Follett's The Pillars of the Earth
  • Kentucky Route Zero - Season Pass Edition
  • Kerbal Space Program
  • Killing Floor 2 Digital Deluxe Edition
  • Killing Room
  • Kingdom Two Crowns
  • Kingdom: New Lands
  • King's Bounty: Crossworlds
  • Knights of Pen & Paper 2
  • Knock-knock
  • Koi-Koi Japan [Hanafuda playing cards] *Koi-Koi Japan : UKIYOE tours Vol.1 DLC *Koi-Koi Japan : UKIYOE tours Vol.2 DLC *Koi-Koi Japan : UKIYOE tours Vol.3 DLC
  • Konung 2
  • KungFu Kickball
  • Labyrinthine
  • Lair of the Clockwork God
  • Laserlife
  • LAST OASIS
  • Lawn Mowing Simulator
  • Layers of Fear: Masterpiece Edition
  • Lead and Gold: Gangs of the Wild West
  • Learn Japanese To Survive! Hiragana Battle
  • Learn Japanese To Survive! Katakana War
  • Learn Japanese to Survive! Trilogy
  • Legend of Keepers
  • LEGION TD 2 - MULTIPLAYER TOWER DEFENSE
  • LEGION TD 2 - MULTIPLAYER TOWER DEFENSE.
  • Leisure Suit Larry - Wet Dreams Don't Dry
  • Leisure Suit Larry 1-7
  • Lemnis Gate
  • Lemon Cake
  • lethal league blaze
  • Let's School
  • Levelhead
  • Liberated (GOG)
  • Life is Strange Complete Season (Episodes 1-5)
  • Light Fairytale Episode 1
  • Light Fairytale Episode 2
  • LIGHTMATTER
  • Little dragons cafe
  • Little Hope
  • Little Inner Monsters - Card Game
  • Little Nightmares
  • Little Nightmares Complete Edition
  • Livelock
  • Loop Hero
  • Loot River
  • Looterkings
  • Lornsword Winter Chronicle
  • Lost Castle
  • Love Letter
  • Lovecraft's Untold Stories
  • Lovely planet arcade
  • Lucius2
  • Lucius3
  • Ludus
  • Lumberhill
  • Lunacid
  • LunarLux
  • Lust for Darkness
  • Lust from Beyond: M Edition
  • Mad Experiments: Escape Room
  • Mad Max
  • Mafia Definitive Edition
  • Mafia: Definitive Edition
  • Magenta Horizon
  • Mahjong Pretty Girls Battle
  • Mahjong Pretty Girls Battle : School Girls Edition
  • Mail Time
  • Maize
  • Maneater
  • Marooners
  • MARSUPILAMI - HOOBADVENTURE
  • Marvel's Avengers - The Definitive Edition
  • Mato Anomalies
  • Max Payne 3
  • Mechs & Mercs: Black Talons
  • Medieval II: Total War - Definitive Edition
  • Medieval: Total War Collection
  • MEEPLE STATION
  • Men of War
  • MERCHANT OF THE SKIES
  • METAL HELLSINGER
  • Metal Hellsinger
  • Metro Exodus
  • Metro last light
  • Metro: Last Light Redux
  • Middle-earth: Shadow of Mordor GOTY
  • Middle-earth: Shadow of Mordor GOTY
  • Middle-Earth: Shadow of War Definitive Edition
  • MIDNIGHT PROTOCOL
  • Mighty Switch Force! Collection
  • MIND SCANNERS
  • Ministry of Broadcast
  • Minute of Islands
  • Miscreated
  • Mists of Noyah
  • MKXL
  • Mob Factory
  • Mob Rule Classic
  • Monaco
  • Monster Hunter: Rise
  • Monster Slayers - Complete Edition
  • Monstrum
  • Monstrum 2
  • Moon Hunters
  • Moons of Madness
  • MORDHAU
  • Mordheim: City of the Damned
  • Mortal Kombat 11 Ultimate Edition
  • MORTAL KOMBAT XL
  • Mortal Shell
  • Motorcycle Mechanic Simulator 2021
  • Mr. Run and Jump
  • MudRunner
  • Murder Mystery Machine
  • My Big Sister
  • My Friend Peppa Pig
  • My Lovely Wife
  • My Summer Adventure: Memories of Another Life
  • My Time At Portia
  • Mythforce
  • N++ (NPLUSPLUS)
  • Napoleon: Total War - Definitive Edition
  • Narcos: Rise of the Cartels
  • NARUTO TO BORUTO: SHINOBI STRIKER
  • NECROMUNDA: HIRED GUN
  • Necronator: Dead Wrong
  • NecroVisioN: Lost Company
  • NecroWorm
  • Neighbours back From Hell
  • Nelly Cootalot: Spoonbeaks Ahoy! HD
  • Neon Space
  • Neon Space 2
  • Neon Sundown
  • Nephise: Ascension
  • Neurodeck : Psychological Deckbuilder
  • Never Alone Arctic Collection (w/ Foxtales DLC and FREE Soundtrack)
  • Neverinth
  • Neverout
  • Neverwinter Nights: Complete Adventures
  • Newt One
  • Nexomon: Extinction
  • Nigate Tale
  • Nine Parchments
  • Nine Witches: Family Disruption
  • Nioh 2: The Complete Collection
  • No Straight Roads: Encore Edition
  • No Time to Relax
  • Nomad Survival
  • Nongunz: Doppelganger Edition
  • Noosphere
  • Northgard
  • Northmark: Hour of the Wolf
  • Nostradamus: The Last Prophecy
  • not the robots
  • Nurse Love Addiction
  • Nurse Love Syndrome
  • Nusakana
  • Obduction
  • Obey Me
  • Observer: System Redux
  • Occultus - Mediterranean Cabal
  • Odallus: The Dark Call
  • Oddworld: New 'n' Tasty
  • One Finger Death Punch 2
  • One Hand Clapping
  • One More Island
  • One Step From Eden
  • One Step From Eden (Region locked)
  • Orbital Racer
  • Organs Please
  • Out of Reach: Treasure Royale
  • Out of Space
  • Overclocked: A History of Violence
  • Overlord: Ultimate Evil Collection
  • Overpass
  • Overruled
  • OZYMANDIAS: BRONZE AGE EMPIRE SIM
  • Pac-Man Museum +
  • Pan'Orama
  • Panty Party
  • Panzer Corps 2
  • Papo & Yo
  • PARADISE LOST
  • Parkan 2
  • PARTISANS 1941
  • Passpartout 2: The Lost Artist
  • Pathfinder: Wrath of the Righteous
  • Patron
  • Paw Patrol: On A Roll!
  • Paws of Coal
  • Payday 2
  • PAYDAY 2
  • Peaky Blinders: Mastermind
  • PER ASPERA
  • Perfect
  • PGA 2K21
  • PGA Tour 2K21
  • Pharaonic
  • Pixplode
  • Pizza Connection 3
  • Plague tale
  • Planescape: Torment Enhanced Edition
  • Planet Alcatraz
  • PLANET ZOO
  • PlateUp!
  • Pogostuck: Rage With Your Friends
  • Poker Pretty Girls Battle: Texas Hold'em
  • Police Stories
  • Poly Island
  • Post Void
  • Power Rangers: Battle for the Grid
  • Prank Call
  • Prehistoric Kingdom
  • Pretty Girls Mahjong Solitaire
  • Pretty Girls Panic!
  • Prey
  • Primal Carnage: Extinction
  • Princess Kaguya: Legend of the Moon Warrior
  • Pro Cycling Manager 2020
  • Prodeus
  • Project CARS - GOTY Edition
  • Project Warlock
  • Project Wingman (EU)
  • PROJECT WINTER
  • Propnight
  • PULSAR: The Lost Colony
  • qomp
  • Quadrilateral Cowboy
  • Quake II
  • Quantum Break
  • Quern - Undying Thoughts
  • Radio Commander
  • RAGE
  • RAILROAD CORPORATION
  • Railroad Tycoon 3
  • Railroad Tycoon II Platinum
  • Railway Empire
  • Rain World
  • Rayon Riddles - Rise of the Goblin King
  • Re: Legend
  • REBEL COPS
  • Rebel Galaxy
  • Rebel Galaxy Outlaw
  • Recipe For Disaster
  • Red Faction Guerrilla Re-Mars-tered
  • Red Faction: Armageddon
  • Red Riding Hood - Star Crossed Lovers
  • Red Ronin
  • RED SOLSTICE 2: SURVIVORS
  • Redout Complete Bundle
  • Redout: Enhanced Edition
  • Redout: Enhanced Edition + DLC pack
  • Regular Human Basketball
  • REKT! High Octane Stunts
  • Relicta
  • REMNANT: FROM THE ASHES - COMPLETE EDITION
  • Republique
  • Rescue Party: Live!
  • Resident Evil 0 HD REMASTER
  • Resident Evil 5 Gold Edition
  • Resident Evil 7 Biohazard
  • Resident Evil Revelations
  • Resort Boss: Golf
  • RETROWAVE
  • rFactor 2
  • RiME
  • Ring of Pain
  • Rise of Industry + 2130 DLC
  • Rise of the Slime
  • Rising Storm 2: Vietnam + 2 DLCs
  • Riven: The Sequel to MYST
  • River City Girls
  • River City Ransom: Underground
  • Roarr! Jurassic Edition
  • Roboquest
  • Robot Squad Simulator 2017
  • Rogue : Genesia
  • ROGUE HEROES: RUINS OF TASOS
  • ROGUE LORDS
  • Rogue Stormers
  • rollercoaster tycoon 2
  • ROTASTIC
  • Roundguard
  • ROUNDS
  • RUNNING WITH RIFLES
  • Rustler
  • Ryse: Son of Rome
  • S.W.I.N.E. HD Remaster
  • Sailing Era
  • Saint Row
  • Saints Row 2
  • Saints Row: Gat Out of Hell
  • Sam and Max Devil's Playhouse
  • SAMUDRA
  • Sands of Aura
  • Sands of Salzaar
  • Saturday Morning RPG
  • Save Room - Organization Puzzle
  • Scarlet Tower
  • Scorn
  • SCP: 5K
  • SCUM
  • SEARCH PARTY: Director's Cut
  • Second Extinction
  • Secret Government
  • Serious Sam 3 Bonus Content DLC, Serious Sam 3: Jewel of the Nile, and Serious Sam 3: BFE
  • SEUM speedrunners from hell
  • SEUM: Speedrunners from Hell
  • Severed Steel
  • Shadow Tactics: Aiko's Choice
  • Shadowgate
  • SHADOWS: AWAKENING
  • Shape of the World
  • She Sees Red - Interactive Movie
  • Shenmue I & II
  • SHENZHEN I/O
  • Shift Happens
  • Shing!
  • Shoppe Keep 2 - Business and Agriculture RPG Simulation
  • Shotgun King: The Final Checkmate
  • Sid Meier's Civilization VI
  • Sid Meier's Railroads!
  • Sifu Deluxe Edition Upgrade Bundle (EPIC)
  • Silver Chains
  • SimCity 4 Deluxe Edition
  • Sinking Island
  • SINNER: Sacrifice for Redemption
  • Siralim Ultimate
  • Skautfold Chapters 1-4
  • Skullgirls 2nd Encore
  • Slain: Back from Hell
  • Slap City
  • Slash It
  • Slash It 2
  • Slash It Ultimate
  • Slay the Spire
  • Small World
  • Smart Factory Tycoon
  • Smile For Me
  • Smoke and Sacrifice
  • Smoke and Sacrifice
  • Smushi Come Home
  • Snail bob 2 tiny troubles
  • Sniper Elite 3
  • Sniper Elite 3 + Season Pass DLC
  • Sniper Elite 4 Deluxe Edition
  • Sniper Ghost Warrior 3 - Season Pass Edition
  • Sniper Ghost Warrior Contracts
  • Snooker 19
  • SONG OF HORROR COMPLETE EDITION
  • Songs of Conquest
  • Sonic Adventure 2
  • Sonic Adventure DX
  • Sonic and SEGA All Stars Racing
  • Sonic Generations Collection
  • Soulblight
  • Souldiers
  • SOULSTICE
  • Soundfall
  • Source of Madness
  • Spartan Fist
  • Spec Ops
  • Speed Limit
  • Spelunx and the Caves of Mr. Seudo
  • Spidersaurs
  • Spin Rush
  • Spirit Hunter: Death Mark
  • Spirit of the Island
  • Spirit of the North
  • Spring Bonus
  • Stairs
  • STAR WARS - Knights of the Old Republic
  • STAR WARS - The Force Unleashed Ultimate Sith Edition
  • Star Wolves
  • Starsand
  • STASIS: Bone Totem
  • State of Decay 2: Juggernaut Edition
  • Steel Rats™
  • Stick Fight: The Game
  • Still Life
  • Still Life 2
  • Stirring Abyss
  • STONE
  • Strange Brigade
  • Strange Brigade Deluxe Edition
  • STRANGER
  • Strategic Command: World War I
  • Strategic Mind: Blitzkrieg
  • Strategic Mind: Fight for Freedom
  • Strategic Mind: Spectre of Communism
  • Strategic Mind: Spirit of Liberty
  • Strategy & Tactics: Wargame Collection
  • Streamer Life Simulator
  • Street Fighter V
  • Strider
  • Strikey Sisters
  • Stygian: Reign of the Old Ones
  • Styx: Master of Shadows
  • Styx: Shards of Darkness
  • SuchArt
  • Sudden Strike Gold
  • Suite 776
  • Sumoman
  • Sunblaze
  • SUNLESS BUNDLE
  • Sunset Overdrive
  • Super Buff HD
  • Super Mag Bot
  • Superbugs: Awaken
  • Superhot
  • Surgeon Simulator 2
  • Survive the Nights
  • Surviving Mars
  • Surviving Mars
  • Surviving The Aftermath
  • Swag and Sorcery
  • Sword Legacy Omen
  • Sword of the Necromancer
  • Swords and Soldiers 2 Shawarmageddon
  • Syberia 3
  • Symphonic Rain
  • Symphony of War: The Nephilim Saga
  • Synthwave Dream '85
  • Tacoma
  • Take Off - The Flight Simulator
  • Tales
  • Tales from the Borderlands
  • Tales of Vesperia™: Definitive Edition
  • Talk to Strangers
  • Tallowmere
  • Tangledeep
  • Tank Mechanic Simulator
  • Tannenberg
  • Team Sonic Racing
  • TEKKEN 7
  • TEMTEM
  • Terminus: Zombie Survivors
  • Terror of Hemasaurus
  • Textorcist
  • Tharsis
  • The Adventure Pals
  • The Amazing American Circus
  • The Anacrusis
  • The Ascent
  • The Battle of Polytopia
  • The Battle of Polytopia *DLC1. Cymanti Tribe *DLC2. ∑∫ỹriȱŋ Tribe *DLC3. Aquarion Tribe *DLC4. Polaris Tribe
  • The Blackout Club
  • The Callisto Protocol™
  • The Chess Variants Club
  • The Citadel
  • The Colonists
  • The Dark Pictures Anthology: House of Ashes
  • THE DARK PICTURES ANTHOLOGY: LITTLE HOPE
  • The Darkest Tales
  • The Dungeon Beneath
  • The Dungeon of Naheulbeuk: The Amulet of Chaos
  • The Elder Scrolls Adventures: Redguard
  • The Elder Scrolls III: Morrowind® Game of the Year Edition
  • The Elder Scrolls IV: Oblivion® Game of the Year Edition
  • The Elder Scrolls Online
  • The Escapists 2
  • THE GAME OF LIFE 2
  • The Golf Club™ 2019 featuring PGA TOUR
  • The Haunted Island, a Frog Detective Game
  • The Hong Kong Massacre
  • The Horror Of Salazar House
  • The Innsmouth Case
  • The Invisible Hours
  • The Jackbox Party Pack 9
  • The Knight Witch
  • The Last Campfire
  • The LEGO Movie 2 Videogame
  • The Letter - Horror Visual Novel
  • The Long Dark
  • The Manhole: Masterpiece Edition
  • The Mortuary Assistant
  • The Mummy Demastered
  • The Outer Worlds
  • THE OUTER WORLDS: SPACER'S CHOICE EDITION
  • THE PALE BEYOND
  • The Quarry
  • The Quarry deluxe
  • The Ramp
  • The Red Lantern
  • The Rewinder
  • The Sacred Tears TRUE
  • The Sexy Brutale
  • The Tarnishing of Juxtia
  • The Tenants
  • The Uncertain - The Last Quiet Day
  • THE UNCERTAIN: LAST QUIET DAY
  • The Uncertain: Light At The End
  • The USB Stick Found in the Grass
  • The Walking Dead
  • The Walking Dead - 400 Days
  • The Walking Dead Saints and Sinners
  • The Walking Dead: A New Frontier
  • The Walking Dead: Final Season
  • The Walking Dead: Michonne - A Telltale Miniseries
  • The Walking Dead: Saints & Sinners
  • The Walking Dead: Season 1
  • The Walking Dead: Season Two
  • The Way
  • The Wild At Heart
  • The Wild Eight
  • The Witness
  • Them and Us
  • They Bleed Pixels
  • Thief of Thieves
  • This War of Mine
  • This Way Madness Lies
  • Three Kingdom: The Journey
  • Time on Frog Island
  • Tinkertown
  • Tiny Tina’s Wonderland(EU)
  • TINY TINA'S WONDERLANDS CHAOTIC GREAT EDITION
  • Tiny Troopers
  • Tinykin
  • Tinytopia
  • TIS-100
  • Titan Quest
  • Tokyo Xanadu eX+
  • Tools up
  • Tooth and Tail
  • Torchlight
  • Total Tank Simulator
  • Tour de France 2020
  • Tower Unite
  • Trail Out
  • Trailblazers
  • Trailmakers
  • Train Sim World 3: Standard Edition
  • Train Simulator Classic
  • Train Valley 1
  • Transport INC
  • Treasure Hunter Simulator
  • TRIBES OF MIDGARD
  • Trine 4
  • Trinity Fusion
  • Trombone Champ
  • Tropico 5 - Complete Collection
  • Trover Saves the Universe
  • Tunche
  • Turmoil
  • Turok 2: Seeds of Evil
  • Twin Mirror
  • Two Point Campus
  • Two Point Hospital
  • TYPECAST
  • Tyrant's Blessing
  • Ultimate Chicken Horse
  • Ultimate Zombie Defense
  • Ultra Space Battle Brawl
  • Unavowed
  • Undead Horde
  • Unexplored 2: The Wayfarer's Legacy
  • Unity of Command: Stalingrad Campaign
  • Universim
  • UNLOVED
  • Unpacking
  • Until I have you
  • Unto The End
  • Upside Down
  • URU: Complete Chronicles
  • Vagante
  • Valfaris
  • Valfaris: Mecha Therion
  • Valkryia Chronicles 4 Complete Edition
  • Valkyria Chronicles 4 Complete Edition
  • Valkyria Chronicles 4: Complete Edition
  • Vambrace: Cold Soul
  • Vampire Survivors
  • Vectronom
  • Velocity Noodle
  • Venba
  • Verne: The Shape of Fantasy
  • Victoria 3
  • Victoria II
  • Viking: Battle For Asgard
  • Virgo Versus The Zodiac
  • VirtuaVerse
  • Visage
  • Viscerafest
  • Void Bastards
  • VOIDIGO
  • Volcanoids
  • Voltage High Society
  • V-Rally 4
  • Wanderlust: Travel Stories (GOG)
  • Wargroove
  • Warhammer 40,000 Sanctus Reach - Complete Edition
  • Warhammer 40,000: Armageddon - Imperium Complete
  • Warhammer 40,000: Battlesector
  • Warhammer 40,000: Gladius - Relics of War
  • Warhammer 40,000: Mechanicus
  • Warhammer 40,000: Space Wolf Special Edition
  • WARHAMMER AGE OF SIGMAR: REALMS OF RUIN – ULTIMATE EDITION
  • Warhammer vermintide collector's edition
  • Warhammer: End Times - Vermintide
  • Warhammer: Vermintide 2
  • Warman
  • Wasteland 3
  • Wayward
  • WE NEED TO GO DEEPER
  • We should talk.
  • We Were Here Together
  • We Were Here Too
  • Webbed
  • What Lies in the Multiverse
  • When Ski Lifts Go Wrong
  • while True: learn()
  • Whos Your daddy
  • Wick
  • Windward
  • Witch It
  • Witchy Life Story
  • wizard of legends
  • Wolfenstein 3D
  • Worms Rumble
  • WRC 6 FIA World Rally Championship
  • WRC 7 FIA World Rally Championship
  • WWE 2K Battlegrounds
  • WWE 2K23
  • WWZ Aftermath
  • Wytchwood
  • X-COM: COMPLETE PACK
  • XCOM: ULTIMATE COLLECTION
  • XIII - Classic
  • X-Morph: Defense + European Assault, Survival of the Fittest, and Last Bastion DLC
  • X-Morph: Defense Complete Pack
  • Yakuza Kiwami
  • Yakuza: Like A Dragon
  • Yumeutsutsu Re:After
  • Yumeutsutsu Re:Master
  • Zen Chess: Mate in One, Mate in 2 , Mate in 3 , Mate in 4 , Champion's Moves (5 games)
  • Ziggurat
  • Zombie Army 4
  • Zombie Army Trilogy
  • Zool Redimensioned
DLCs and Softwares:
  • For The King: Lost Civilization Adventure Pack
  • Train Simulator: Isle of Wight Route Add-On
  • Train Simulator: Woodhead Electric Railway in Blue Route Add-On
  • Train Simulator: North Somerset Railway Route Add-On
  • Train Simulator: Union Pacific Heritage SD70ACes Loco Add-On
  • Train Simulator: London to Brighton Route Add-On
  • BR Class 170 'Turbostar' DMU Add-On
  • DB BR 648 Loco Add-On
  • Europa Universalis IV: Wealth of Nations
  • Expansion - Europa Universalis IV: Conquest of Paradise
  • Expansion - Europa Universalis IV: Res Publica
  • Grand Central Class 180 'Adelante' DMU Add-On
  • Peninsula Corridor: San Francisco - Gilroy Route Add-On
  • SONIC ADVENTURE 2: BATTLE
  • Small World - A Spider's Web
  • Small World - Cursed
  • Small World - Royal Bonus
  • The Dungeon Of Naheulbeuk: The Amulet Of Chaos - Goodies Pack
  • The Dungeon Of Naheulbeuk: The Amulet Of Chaos - OST
  • Thompson Class B1 Loco Add-On
  • Total War: Shogun 2 - Rise of the Samurai
  • Train Sim World® 3: Birmingham Cross-city line
  • Train Sim World®: BR Class 20 'Chopper' Loco
  • Train Sim World®: Brighton Main Line: London Victoria - Brighton
  • Train Sim World®: Caltrain MP36PH-3C 'Baby Bullet'
  • Train Sim World®: Cathcart Circle Line: Glasgow - Newton & Neilston
  • Train Sim World®: Clinchfield Railroad: Elkhorn - Dante
  • Train Sim World®: Great Western Express
  • Train Sim World®: Hauptstrecke Hamburg - Lubeck
  • Train Sim World®: LIRR M3 EMU
  • Train Sim World®: Long Island Rail Road: New York - Hicksville
  • Train Sim World®: Nahverkehr Dresden - Riesa
  • Train Sim World®: Northern Trans-Pennine: Manchester - Leeds
  • Train Sim World®: Peninsula Corridor: San Francisco - San Jose
  • Train Sim World®: Rhein-Ruhr Osten: Wuppertal - Hagen
  • Train Sim World®: Tees Valley Line: Darlington - Saltburn-by-the-sea
  • Worms Rumble - Armageddon Weapon Skin Pack
  • Worms Rumble - Captain & Shark Double Pack
  • Worms Rumble - Legends Pack
  • Worms Rumble - New Challengers Pack
  • Ashampoo Photo Optimizer 7
  • Dagon: by H. P. Lovecraft - The Eldritch Box DLC
  • Duke Nukem Forever Hail to the Icons
  • Duke Nukem Forever The Doctor Who Cloned Me
  • GRIP: Combat Racing - Cygon Garage Kit
  • GRIP: Combat Racing - Nyvoss Garage Kit
  • GRIP: Combat Racing - Terra Garage Kit
  • GRIP: Combat Racing - Vintek Garage Kit
  • GameGuru
  • GameMaker Studio 2 Creator 12 Months
  • Intro to Game Development with Unity
  • Music Maker EDM Edition
  • Neverwinter Nights: Darkness Over Daggerford
  • Neverwinter Nights: Enhanced Edition Dark Dreams of Furiae
  • Neverwinter Nights: Enhanced Edition Tyrants of the Moonsea
  • Neverwinter Nights: Enhanced Edition
  • Neverwinter Nights: Infinite Dungeons
  • Neverwinter Nights: Pirates of the Sword Coast
  • Neverwinter Nights: Wyvern Crown of Cormyr
  • PDF-Suite 1 Year License
  • Pathfinder Second Edition Core Rulebook and Starfinder Core Rulebook
  • RPG Maker VX
  • WWE 2K BATTLEGROUNDS - Ultimate Brawlers Pass
  • We Are Alright
  • The Outer Worlds Expansion Pass
  • A Hat in Time - Seal the Deal DLC
  • City Skylines:mass transit
  • A Game Of Thrones - A Dance With Dragons
  • A Game Of Thrones - A Feast For Crows
  • Blood Rage: Digital Edition - Gods of Asgard
  • Blood Rage: Digital Edition - Mythical Monsters
  • Blood Rage: Digital Edition - Mystics of Midgard
  • Carcassonne - The Princess and The Dragon DLC
  • Carcassonne - Traders & Builders DLC
  • Carcassonne - Winter & Gingerbread Man DLC
  • Carcassonne - Inns & Cathedrals
  • Carcassonne - The River
  • Splendor: The Trading Posts DLC
  • Splendor: The Strongholds DLC
  • Splendor: The Cities DLC
  • Small World - Be Not Afraid... DLC
  • Small World - Grand Dames DLC
  • Small World - Cursed!
  • Sands of Salzaar - The Ember Saga
  • Sands of Salzaar - The Tournament
  • Monster Train: The Last Divinity DLC
  • WARSAW
submitted by calvin324hk to indiegameswap [link] [comments]


2024.05.21 17:55 calvin324hk [H] 1000+ Games / DLCs / VR Games [W] Paypal / Wishlist / Offers

https://www.reddit.com/IGSRep/comments/pikmri/calvin324hks_igs_rep_page/
https://www.reddit.com/sgsflaicomments/of2wzu/flair_profile_ucalvin324hk/
Wishlist
Region: NA (Canada)
Fees on buyer if any, currency is USD unless specified
CTRL + F to find your games in terms of name
  • 10 Second Ninja X
  • 11-11 Memories Retold
  • 112 Operator
  • 12 is Better Than 6
  • 198X
  • 1993 Space Machine
  • 60 Parsecs
  • 7 Billion Humans
  • 8 DOORS
  • 8-bit Adventure Anthology: Volume I
  • 9 Years of Shadows
  • 911 Operator
  • A Game of Thrones: The Board Game
  • A Hat in Time
  • A Hole New World
  • A JUGGLER'S TALE
  • A Long Way Down
  • A PLAGUE TALE: INNOCENCE
  • A Robot Named Fight!
  • A Tale for Anna
  • A.I.M.2 Clan Wars
  • Abalon (Summoners Fate)
  • Ace Combat Assault Horizon Enhanced Edition
  • Adore
  • Aeterna Noctis
  • AETHERIS
  • Agatha Christie Hercule Poirot The First Cases
  • AIdol
  • Airborne Kingdom
  • Alba: A Wildlife Adventure
  • Alder's Blood: Definitive Edition
  • Alfred Hitchcock - Vertigo
  • Alien Breed Trilogy
  • Aliens vs. Predator™ Collection
  • All-Star Fruit Racing
  • Almost There: The Platformer
  • American Fugitive
  • American Truck Simulator
  • Amerzone: The Explorer’s Legacy
  • AMID EVIL
  • Amnesia rebirth
  • Amnesia: The Dark Descent + Amnesia: A Machine for Pigs
  • Anomalous
  • Another World – 20th Anniversary Edition
  • Antigraviator
  • Anuchard
  • APICO
  • APICO
  • Aragami
  • Aragami 2
  • Arboria
  • Arcade Paradise
  • Arcade Paradise - Arcade Paradise EP
  • Arcade Spirits
  • Arkham Horror: Mother's Embrace
  • Armada 2526 Gold Edition
  • Army Men RTS
  • army of ruin
  • Arto
  • Ary and the Secret of Seasons
  • As Far as the Eye
  • Ascension to the Throne
  • Assemble With Care
  • Assetto Corsa Competizione
  • Assetto Corsa Ultimate Edition
  • Astebreed Definitive Edition
  • Astro Colony
  • Astronarch
  • Attack of the Earthlings
  • Automachef
  • Automobilista
  • Automobilista 2
  • AUTONAUTS
  • AUTONAUTS VS PIRATEBOTS
  • Avatar: Frontiers of Pandora™ - Ubisoft Connect
  • AVICII Invector: Encore Edition
  • Awesomenauts All Nauts pack
  • Axiom Verge
  • Axiom Verge 2
  • Baba is you
  • Back 4 Blood
  • Back 4 blood (EU)
  • Backbone
  • Baldur's Gate II: Enhanced Edition
  • Baldur's Gate: Enhanced Edition
  • Banners of Ruin
  • Bartlow's Dread Machine
  • BASEMENT
  • Batbarian: Testament of the Primordials
  • Batman: Arkham Asylum Game of the Year Edition
  • Batman: Arkham Origins
  • Battle Royale Tycoon
  • Battlecruisers
  • Battlestar Galactica Deadlock
  • BATTLESTAR GALACTICA DEADLOCK SEASON ONE
  • Battlestar Galactica Deadlock: Complete
  • BATTLETECH MERCENARY COLLECTION
  • BATTLETECH Shadow Hawk Pack
  • BEAUTIFUL DESOLATION
  • BEFORE WE LEAVE
  • Beholder 2
  • Ben 10
  • Ben 10: Power Trip
  • Bendy and the Ink Machine™
  • Between the Stars
  • Beyond a Steel Sky
  • Beyond The Edge Of Owlsgard
  • BEYOND THE WIRE
  • Beyond: Two Souls
  • BIOMUTANT
  • Bionic Commando
  • Bionic Commando Rearmed
  • BioShock: The Collection
  • BLACK BOOK
  • Black Moon Chronicles
  • Black Paradox
  • BLACK SKYLANDS
  • BLACKHOLE: Complete Edition
  • Blacksad: Under the Skin
  • Blade of Darkness
  • Blasphemous
  • Blazing Chrome
  • Blightbound
  • Blood And Zombies
  • Blood Rage: Digital Edition
  • Bloodstained: Ritual of the Night
  • Bomber Crew
  • Boneless Zombie
  • Boomerang Fu
  • Borderlands 3
  • Borderlands 3 Super Deluxe
  • Borderlands 3 Super Deluxe Edition
  • Borderlands: The Handsome Collection
  • Bot Vice
  • Bounty of One
  • Brawlout
  • Breakout: Recharged
  • Breathedge
  • bridge constructor
  • Bridge constructor medieval
  • bridge constructor stunts
  • Broken Lines
  • Brothers: A Tale of Two Sons
  • Brutal Legend
  • Bug Fables: The Everlasting Sapling
  • Buggos
  • BUILDER SIMULATOR
  • calico
  • Call of Duty® Modern Warfare 3™ (2011)
  • Call of Juarez: Gunslinger
  • Car Mechanic 2018
  • Car Mechanic Simulator 2015
  • Car Mechanic Simulator 2018
  • Cardboard Town
  • Castle Morihisa
  • Castle on the Coast
  • castle storm
  • CastleStorm
  • Cat Cafe Manager
  • Caveblazers
  • Celeste
  • Centipede: Recharged
  • CHANGE: A Homeless Survival Experience
  • Charlie's Adventure
  • Chenso Club
  • Chernobylite: Enhanced Edition
  • Chess Ultra
  • Chicago 1930 : The Prohibition
  • Chivalry 2
  • Chop Goblins
  • Chorus
  • Circuit Superstars
  • Cities Skylines + After Dark
  • Cities: Skylines
  • City of Beats
  • CivCity: Rome
  • Click and Slay
  • Cloud Gardens
  • Cloudpunk
  • Code Vein
  • Coffee Talk
  • Comedy Night
  • Command & Conquer Remastered (Origin)
  • Complete Dread X Collection
  • Conarium
  • Construction Simulator (2015) Deluxe Edition
  • Constructor Plus
  • Control
  • Cook, Serve, Delicious! 3?!
  • Cookie Cutter
  • cornucopia
  • Corridor Z
  • Cosmic Osmo and the Worlds Beyond the Mackerel
  • Cosmonautica
  • Crash Drive 2
  • Crash Drive 3
  • Creaks
  • Creepy Tale
  • Crookz the big heist
  • CROSSBOW: Bloodnight
  • Crush Your Enemies
  • Cube Runner
  • Cultist Simulator: Anthology Edition
  • Curse: The Eye of Isis
  • Cyber Ops
  • Cybercube
  • Danger Scavenger
  • Dark Deity
  • DARK PICTURES ANTHOLOGY: HOUSE OF ASHES
  • Darkwood
  • DARQ: Complete Edition
  • Day of the Tentacle Remastered
  • days of war definitive edition
  • Dead by Daylight
  • Dead Estate
  • Dead Rising 2
  • Dear Esther: Landmark Edition
  • Death Stranding Directors Cut
  • DEATH STRANDING DIRECTOR'S CUT
  • Death's Gambit
  • Deceased
  • DECEIVE INC.
  • Degrees of Separation
  • Delicious! Pretty Girls Mahjong Solitaire
  • Deliver Us The Moon
  • Demetrios - Deluxe Edition
  • Depraved
  • DESCENDERS
  • DESOLATE
  • Destiny 2: Beyond Light
  • DESTROYER: THE U-BOAT HUNTER
  • Detention
  • Devil May Cry HD Collection
  • Devilated
  • Dicey Dungeons
  • Dirt 5
  • dirt rally
  • Dirt Rally 2.0
  • Disaster Band
  • Disciples III: Reincarnation
  • Discolored
  • DISTRAINT 2
  • Distrust
  • DmC: Devil May Cry
  • Do Not Feed the Monkeys
  • Don't Be Afraid
  • Doomed Lands
  • Door Kickers: Action Squad
  • Doorways: Prelude
  • Downfall
  • Dragons Dogma Dark Arisen
  • Dragon's Dogma: Dark Arisen
  • Draugen
  • Draw Slasher
  • Drawful 2
  • Dreams in the Witch House
  • Dreamscaper
  • DreamWorks Dragons: Dawn of New Riders
  • DRIFT21
  • Driftland: The Magic Revival
  • drive!drive!drive!
  • Drone Swarm
  • Due Process
  • Duke Nukem: Manhattan Project
  • Duke of Alpha Centauri
  • Dungeon Rushers
  • Dungeons 2
  • Dungeons 3
  • DUSK
  • Dusk Diver
  • Dust to the End
  • Dynopunk
  • Earth Defense Force 4.1 The Shadow of New Despair
  • Eastern Exorcist
  • Eiyuden Chronicle: Rising
  • El Matador
  • Elderand
  • ELDEST SOULS
  • Electrician Simulator
  • Elemental Survivors
  • Elex
  • Elex II
  • Elite Dangerous
  • Embr
  • Empire: Total War - Definitive Edition
  • Empyrion - Galactic Survival
  • ENCASED: A SCI-FI POST-APOCALYPTIC RPG
  • Endless Space 2
  • Endless Space 2 - Digital Deluxe Edition
  • Endless Space® 2 - Digital Deluxe Edition
  • Endzone - A World Apart
  • Epistory - Typing Chronicles
  • Escape the backrooms
  • Eternal Threads
  • Europa Universalis IV
  • European Ship Simulator
  • Everdream Valley
  • Evil Genius 2: World Domination
  • Exorder
  • EXPEDITIONS: ROME
  • Explosionade
  • F1 2018
  • F1 2019 Anniversary Edition
  • F1 2020
  • F1 RACE STARS Complete Edition Include DLC
  • Fable Anniversary
  • Factory Town
  • Fallback uprising
  • FALLOUT 1
  • Family Mysteries 3: Criminal Mindset
  • FANTASY BLACKSMITH
  • FARMER'S DYNASTY
  • Farming Simulator 17
  • Farming Simulator 19
  • Fictorum
  • Field of Glory II
  • Fights in Tight Spaces
  • Filthy Animals Heist Simulator
  • Firefighting Simulator - The Squad
  • Fishing Adventure
  • Flashback
  • FLATLAND Vol.2
  • FlatOut
  • FLING TO THE FINISH
  • Floppy Knights
  • Fluffy Horde
  • FOBIA - ST. DINFNA HOTEL
  • For the King
  • Forgive me Father
  • Forts
  • Fred3ric
  • Fresh Start Cleaning Simulator
  • Friends vs Friends
  • Frogun
  • From Space
  • Frostpunk: Game of the Year Edition
  • Frozenheim
  • Fun with Ragdolls: The Game
  • Funtasia
  • Gamedec
  • Gamedec - Definitive Edition
  • Gang Beasts
  • GARAGE bad trip
  • Garden Story
  • Garfield Kart
  • GAS STATION SIMULATOR
  • Gelly Break Deluxe
  • Genesis Alpha One Deluxe Edition
  • Gevaudan
  • Ghost Song
  • Ghostrunner
  • Giana Sisters 2D
  • GIGA WRECKER
  • Gigantosaurus: Dino Kart
  • Glitch Busters: Stuck On You
  • Gloria Victis
  • Go Home Dinosaurs
  • GOAT OF DUTY
  • GOD EATER 3
  • Godlike Burger
  • Godstrike
  • Going Under
  • Golf Gang
  • Golf It!
  • Gone Home + Original Soundtrack
  • Good Knight
  • Gotham Knights
  • GREAK: MEMORIES OF AZUR
  • GREEDFALL
  • Gremlins, inc
  • grey goo
  • GRID - 2019
  • grid ultimate
  • GRIP: Combat Racing
  • Gungrave G.O.R.E
  • Guppy
  • Guts and glory
  • GYLT
  • Hacknet
  • Haegemonia: Legions of Iron
  • Hamilton's Great Adventure
  • Hammerwatch
  • Hands of Necromancy
  • Havsala: Into the Soul Palace
  • Headsnatchers
  • Heartwood Heroes
  • Heat Signature
  • Helheim Hassle
  • Hell Let Loose
  • Hellblade: Senua's Sacrifice
  • Hellbound
  • Hellslave
  • Hellstuck: Rage With Your Friends
  • Hero of the Kingdom III
  • Hero of the Kingdom: The Lost Tales 2
  • Heroes of Hammerwatch
  • Heros hour
  • Hexologic
  • Hidden & Dangerous 2: Courage Under Fire
  • Hidden & Dangerous: Action Pack
  • Hidden Deep
  • High On Life
  • Hitman (2016) Game of the Year Edition
  • HITMAN 2 - Gold Edition
  • Hoa
  • Hob
  • Hollow Knight
  • Holy Potatoes! A Spy Story?!
  • Home Sweet Home
  • Home Sweet Home EP2
  • Homestead Arcana
  • Hood: Outlaws & Legends
  • Hoplegs
  • Hot Tin Roof: The Cat That Wore A Fedora
  • HOT WHEELS UNLEASHED ™
  • Hotshot Racing
  • House Flipper
  • How to Survive 2
  • Hue
  • Human: Fall Flat
  • HUMANKIND DEFINITIVE EDITION
  • Hungry Flame
  • Hyper Knights
  • I am Bread
  • I Am Fish
  • I am not a Monster: First Contact
  • I Hate Running Backwards
  • ibb & obb Double Pack
  • ICBM
  • Ice Age Scrat's Nutty Adventure
  • Ice Lakes
  • Impostor Factory
  • IN SOUND MIND
  • Indivisible
  • INDUSTRIA
  • Infectonator 3: Apocalypse
  • Infinite Beyond The Mind
  • Injustice 2 Legendary Edition
  • Insane 2
  • INSOMNIA: The Ark
  • Internet Cafe Simulator
  • Internet Cafe Simulator 2
  • Interstellar Space: Genesis
  • Iron Fisticle
  • Iron Harvest
  • Ittle Dew
  • Ittle Dew 2+
  • Jack Move
  • Jackbox party pack 2
  • Jackbox party pack 5
  • JANITOR BLEEDS
  • Joint Task Force
  • Jotun: Valhalla Edition
  • Journey For Elysium
  • Journey to the Savage Planet
  • JUMANJI: The Video Game
  • JumpJet Rex
  • Jupiter Hell
  • Jurassic Park: The Game
  • Jurassic World Evolution
  • Jurassic World Evolution 2
  • JUST CAUSE 4: COMPLETE EDITION
  • Just Die Already
  • Kardboard Kings: Card Shop Simulator
  • Keep Talking and Nobody Explodes
  • Ken Follett's The Pillars of the Earth
  • Kentucky Route Zero - Season Pass Edition
  • Kerbal Space Program
  • Killing Floor 2 Digital Deluxe Edition
  • Killing Room
  • Kingdom Two Crowns
  • Kingdom: New Lands
  • King's Bounty: Crossworlds
  • Knights of Pen & Paper 2
  • Knock-knock
  • Koi-Koi Japan [Hanafuda playing cards] *Koi-Koi Japan : UKIYOE tours Vol.1 DLC *Koi-Koi Japan : UKIYOE tours Vol.2 DLC *Koi-Koi Japan : UKIYOE tours Vol.3 DLC
  • Konung 2
  • KungFu Kickball
  • Labyrinthine
  • Lair of the Clockwork God
  • Laserlife
  • LAST OASIS
  • Lawn Mowing Simulator
  • Layers of Fear: Masterpiece Edition
  • Lead and Gold: Gangs of the Wild West
  • Learn Japanese To Survive! Hiragana Battle
  • Learn Japanese To Survive! Katakana War
  • Learn Japanese to Survive! Trilogy
  • Legend of Keepers
  • LEGION TD 2 - MULTIPLAYER TOWER DEFENSE
  • LEGION TD 2 - MULTIPLAYER TOWER DEFENSE.
  • Leisure Suit Larry - Wet Dreams Don't Dry
  • Leisure Suit Larry 1-7
  • Lemnis Gate
  • Lemon Cake
  • lethal league blaze
  • Let's School
  • Levelhead
  • Liberated (GOG)
  • Life is Strange Complete Season (Episodes 1-5)
  • Light Fairytale Episode 1
  • Light Fairytale Episode 2
  • LIGHTMATTER
  • Little dragons cafe
  • Little Hope
  • Little Inner Monsters - Card Game
  • Little Nightmares
  • Little Nightmares Complete Edition
  • Livelock
  • Loop Hero
  • Loot River
  • Looterkings
  • Lornsword Winter Chronicle
  • Lost Castle
  • Love Letter
  • Lovecraft's Untold Stories
  • Lovely planet arcade
  • Lucius2
  • Lucius3
  • Ludus
  • Lumberhill
  • Lunacid
  • LunarLux
  • Lust for Darkness
  • Lust from Beyond: M Edition
  • Mad Experiments: Escape Room
  • Mad Max
  • Mafia Definitive Edition
  • Mafia: Definitive Edition
  • Magenta Horizon
  • Mahjong Pretty Girls Battle
  • Mahjong Pretty Girls Battle : School Girls Edition
  • Mail Time
  • Maize
  • Maneater
  • Marooners
  • MARSUPILAMI - HOOBADVENTURE
  • Marvel's Avengers - The Definitive Edition
  • Mato Anomalies
  • Max Payne 3
  • Mechs & Mercs: Black Talons
  • Medieval II: Total War - Definitive Edition
  • Medieval: Total War Collection
  • MEEPLE STATION
  • Men of War
  • MERCHANT OF THE SKIES
  • METAL HELLSINGER
  • Metal Hellsinger
  • Metro Exodus
  • Metro last light
  • Metro: Last Light Redux
  • Middle-earth: Shadow of Mordor GOTY
  • Middle-earth: Shadow of Mordor GOTY
  • Middle-Earth: Shadow of War Definitive Edition
  • MIDNIGHT PROTOCOL
  • Mighty Switch Force! Collection
  • MIND SCANNERS
  • Ministry of Broadcast
  • Minute of Islands
  • Miscreated
  • Mists of Noyah
  • MKXL
  • Mob Factory
  • Mob Rule Classic
  • Monaco
  • Monster Hunter: Rise
  • Monster Slayers - Complete Edition
  • Monstrum
  • Monstrum 2
  • Moon Hunters
  • Moons of Madness
  • MORDHAU
  • Mordheim: City of the Damned
  • Mortal Kombat 11 Ultimate Edition
  • MORTAL KOMBAT XL
  • Mortal Shell
  • Motorcycle Mechanic Simulator 2021
  • Mr. Run and Jump
  • MudRunner
  • Murder Mystery Machine
  • My Big Sister
  • My Friend Peppa Pig
  • My Lovely Wife
  • My Summer Adventure: Memories of Another Life
  • My Time At Portia
  • Mythforce
  • N++ (NPLUSPLUS)
  • Napoleon: Total War - Definitive Edition
  • Narcos: Rise of the Cartels
  • NARUTO TO BORUTO: SHINOBI STRIKER
  • NECROMUNDA: HIRED GUN
  • Necronator: Dead Wrong
  • NecroVisioN: Lost Company
  • NecroWorm
  • Neighbours back From Hell
  • Nelly Cootalot: Spoonbeaks Ahoy! HD
  • Neon Space
  • Neon Space 2
  • Neon Sundown
  • Nephise: Ascension
  • Neurodeck : Psychological Deckbuilder
  • Never Alone Arctic Collection (w/ Foxtales DLC and FREE Soundtrack)
  • Neverinth
  • Neverout
  • Neverwinter Nights: Complete Adventures
  • Newt One
  • Nexomon: Extinction
  • Nigate Tale
  • Nine Parchments
  • Nine Witches: Family Disruption
  • Nioh 2: The Complete Collection
  • No Straight Roads: Encore Edition
  • No Time to Relax
  • Nomad Survival
  • Nongunz: Doppelganger Edition
  • Noosphere
  • Northgard
  • Northmark: Hour of the Wolf
  • Nostradamus: The Last Prophecy
  • not the robots
  • Nurse Love Addiction
  • Nurse Love Syndrome
  • Nusakana
  • Obduction
  • Obey Me
  • Observer: System Redux
  • Occultus - Mediterranean Cabal
  • Odallus: The Dark Call
  • Oddworld: New 'n' Tasty
  • One Finger Death Punch 2
  • One Hand Clapping
  • One More Island
  • One Step From Eden
  • One Step From Eden (Region locked)
  • Orbital Racer
  • Organs Please
  • Out of Reach: Treasure Royale
  • Out of Space
  • Overclocked: A History of Violence
  • Overlord: Ultimate Evil Collection
  • Overpass
  • Overruled
  • OZYMANDIAS: BRONZE AGE EMPIRE SIM
  • Pac-Man Museum +
  • Pan'Orama
  • Panty Party
  • Panzer Corps 2
  • Papo & Yo
  • PARADISE LOST
  • Parkan 2
  • PARTISANS 1941
  • Passpartout 2: The Lost Artist
  • Pathfinder: Wrath of the Righteous
  • Patron
  • Paw Patrol: On A Roll!
  • Paws of Coal
  • Payday 2
  • PAYDAY 2
  • Peaky Blinders: Mastermind
  • PER ASPERA
  • Perfect
  • PGA 2K21
  • PGA Tour 2K21
  • Pharaonic
  • Pixplode
  • Pizza Connection 3
  • Plague tale
  • Planescape: Torment Enhanced Edition
  • Planet Alcatraz
  • PLANET ZOO
  • PlateUp!
  • Pogostuck: Rage With Your Friends
  • Poker Pretty Girls Battle: Texas Hold'em
  • Police Stories
  • Poly Island
  • Post Void
  • Power Rangers: Battle for the Grid
  • Prank Call
  • Prehistoric Kingdom
  • Pretty Girls Mahjong Solitaire
  • Pretty Girls Panic!
  • Prey
  • Primal Carnage: Extinction
  • Princess Kaguya: Legend of the Moon Warrior
  • Pro Cycling Manager 2020
  • Prodeus
  • Project CARS - GOTY Edition
  • Project Warlock
  • Project Wingman (EU)
  • PROJECT WINTER
  • Propnight
  • PULSAR: The Lost Colony
  • qomp
  • Quadrilateral Cowboy
  • Quake II
  • Quantum Break
  • Quern - Undying Thoughts
  • Radio Commander
  • RAGE
  • RAILROAD CORPORATION
  • Railroad Tycoon 3
  • Railroad Tycoon II Platinum
  • Railway Empire
  • Rain World
  • Rayon Riddles - Rise of the Goblin King
  • Re: Legend
  • REBEL COPS
  • Rebel Galaxy
  • Rebel Galaxy Outlaw
  • Recipe For Disaster
  • Red Faction Guerrilla Re-Mars-tered
  • Red Faction: Armageddon
  • Red Riding Hood - Star Crossed Lovers
  • Red Ronin
  • RED SOLSTICE 2: SURVIVORS
  • Redout Complete Bundle
  • Redout: Enhanced Edition
  • Redout: Enhanced Edition + DLC pack
  • Regular Human Basketball
  • REKT! High Octane Stunts
  • Relicta
  • REMNANT: FROM THE ASHES - COMPLETE EDITION
  • Republique
  • Rescue Party: Live!
  • Resident Evil 0 HD REMASTER
  • Resident Evil 5 Gold Edition
  • Resident Evil 7 Biohazard
  • Resident Evil Revelations
  • Resort Boss: Golf
  • RETROWAVE
  • rFactor 2
  • RiME
  • Ring of Pain
  • Rise of Industry + 2130 DLC
  • Rise of the Slime
  • Rising Storm 2: Vietnam + 2 DLCs
  • Riven: The Sequel to MYST
  • River City Girls
  • River City Ransom: Underground
  • Roarr! Jurassic Edition
  • Roboquest
  • Robot Squad Simulator 2017
  • Rogue : Genesia
  • ROGUE HEROES: RUINS OF TASOS
  • ROGUE LORDS
  • Rogue Stormers
  • rollercoaster tycoon 2
  • ROTASTIC
  • Roundguard
  • ROUNDS
  • RUNNING WITH RIFLES
  • Rustler
  • Ryse: Son of Rome
  • S.W.I.N.E. HD Remaster
  • Sailing Era
  • Saint Row
  • Saints Row 2
  • Saints Row: Gat Out of Hell
  • Sam and Max Devil's Playhouse
  • SAMUDRA
  • Sands of Aura
  • Sands of Salzaar
  • Saturday Morning RPG
  • Save Room - Organization Puzzle
  • Scarlet Tower
  • Scorn
  • SCP: 5K
  • SCUM
  • SEARCH PARTY: Director's Cut
  • Second Extinction
  • Secret Government
  • Serious Sam 3 Bonus Content DLC, Serious Sam 3: Jewel of the Nile, and Serious Sam 3: BFE
  • SEUM speedrunners from hell
  • SEUM: Speedrunners from Hell
  • Severed Steel
  • Shadow Tactics: Aiko's Choice
  • Shadowgate
  • SHADOWS: AWAKENING
  • Shape of the World
  • She Sees Red - Interactive Movie
  • Shenmue I & II
  • SHENZHEN I/O
  • Shift Happens
  • Shing!
  • Shoppe Keep 2 - Business and Agriculture RPG Simulation
  • Shotgun King: The Final Checkmate
  • Sid Meier's Civilization VI
  • Sid Meier's Railroads!
  • Sifu Deluxe Edition Upgrade Bundle (EPIC)
  • Silver Chains
  • SimCity 4 Deluxe Edition
  • Sinking Island
  • SINNER: Sacrifice for Redemption
  • Siralim Ultimate
  • Skautfold Chapters 1-4
  • Skullgirls 2nd Encore
  • Slain: Back from Hell
  • Slap City
  • Slash It
  • Slash It 2
  • Slash It Ultimate
  • Slay the Spire
  • Small World
  • Smart Factory Tycoon
  • Smile For Me
  • Smoke and Sacrifice
  • Smoke and Sacrifice
  • Smushi Come Home
  • Snail bob 2 tiny troubles
  • Sniper Elite 3
  • Sniper Elite 3 + Season Pass DLC
  • Sniper Elite 4 Deluxe Edition
  • Sniper Ghost Warrior 3 - Season Pass Edition
  • Sniper Ghost Warrior Contracts
  • Snooker 19
  • SONG OF HORROR COMPLETE EDITION
  • Songs of Conquest
  • Sonic Adventure 2
  • Sonic Adventure DX
  • Sonic and SEGA All Stars Racing
  • Sonic Generations Collection
  • Soulblight
  • Souldiers
  • SOULSTICE
  • Soundfall
  • Source of Madness
  • Spartan Fist
  • Spec Ops
  • Speed Limit
  • Spelunx and the Caves of Mr. Seudo
  • Spidersaurs
  • Spin Rush
  • Spirit Hunter: Death Mark
  • Spirit of the Island
  • Spirit of the North
  • Spring Bonus
  • Stairs
  • STAR WARS - Knights of the Old Republic
  • STAR WARS - The Force Unleashed Ultimate Sith Edition
  • Star Wolves
  • Starsand
  • STASIS: Bone Totem
  • State of Decay 2: Juggernaut Edition
  • Steel Rats™
  • Stick Fight: The Game
  • Still Life
  • Still Life 2
  • Stirring Abyss
  • STONE
  • Strange Brigade
  • Strange Brigade Deluxe Edition
  • STRANGER
  • Strategic Command: World War I
  • Strategic Mind: Blitzkrieg
  • Strategic Mind: Fight for Freedom
  • Strategic Mind: Spectre of Communism
  • Strategic Mind: Spirit of Liberty
  • Strategy & Tactics: Wargame Collection
  • Streamer Life Simulator
  • Street Fighter V
  • Strider
  • Strikey Sisters
  • Stygian: Reign of the Old Ones
  • Styx: Master of Shadows
  • Styx: Shards of Darkness
  • SuchArt
  • Sudden Strike Gold
  • Suite 776
  • Sumoman
  • Sunblaze
  • SUNLESS BUNDLE
  • Sunset Overdrive
  • Super Buff HD
  • Super Mag Bot
  • Superbugs: Awaken
  • Superhot
  • Surgeon Simulator 2
  • Survive the Nights
  • Surviving Mars
  • Surviving Mars
  • Surviving The Aftermath
  • Swag and Sorcery
  • Sword Legacy Omen
  • Sword of the Necromancer
  • Swords and Soldiers 2 Shawarmageddon
  • Syberia 3
  • Symphonic Rain
  • Symphony of War: The Nephilim Saga
  • Synthwave Dream '85
  • Tacoma
  • Take Off - The Flight Simulator
  • Tales
  • Tales from the Borderlands
  • Tales of Vesperia™: Definitive Edition
  • Talk to Strangers
  • Tallowmere
  • Tangledeep
  • Tank Mechanic Simulator
  • Tannenberg
  • Team Sonic Racing
  • TEKKEN 7
  • TEMTEM
  • Terminus: Zombie Survivors
  • Terror of Hemasaurus
  • Textorcist
  • Tharsis
  • The Adventure Pals
  • The Amazing American Circus
  • The Anacrusis
  • The Ascent
  • The Battle of Polytopia
  • The Battle of Polytopia *DLC1. Cymanti Tribe *DLC2. ∑∫ỹriȱŋ Tribe *DLC3. Aquarion Tribe *DLC4. Polaris Tribe
  • The Blackout Club
  • The Callisto Protocol™
  • The Chess Variants Club
  • The Citadel
  • The Colonists
  • The Dark Pictures Anthology: House of Ashes
  • THE DARK PICTURES ANTHOLOGY: LITTLE HOPE
  • The Darkest Tales
  • The Dungeon Beneath
  • The Dungeon of Naheulbeuk: The Amulet of Chaos
  • The Elder Scrolls Adventures: Redguard
  • The Elder Scrolls III: Morrowind® Game of the Year Edition
  • The Elder Scrolls IV: Oblivion® Game of the Year Edition
  • The Elder Scrolls Online
  • The Escapists 2
  • THE GAME OF LIFE 2
  • The Golf Club™ 2019 featuring PGA TOUR
  • The Haunted Island, a Frog Detective Game
  • The Hong Kong Massacre
  • The Horror Of Salazar House
  • The Innsmouth Case
  • The Invisible Hours
  • The Jackbox Party Pack 9
  • The Knight Witch
  • The Last Campfire
  • The LEGO Movie 2 Videogame
  • The Letter - Horror Visual Novel
  • The Long Dark
  • The Manhole: Masterpiece Edition
  • The Mortuary Assistant
  • The Mummy Demastered
  • The Outer Worlds
  • THE OUTER WORLDS: SPACER'S CHOICE EDITION
  • THE PALE BEYOND
  • The Quarry
  • The Quarry deluxe
  • The Ramp
  • The Red Lantern
  • The Rewinder
  • The Sacred Tears TRUE
  • The Sexy Brutale
  • The Tarnishing of Juxtia
  • The Tenants
  • The Uncertain - The Last Quiet Day
  • THE UNCERTAIN: LAST QUIET DAY
  • The Uncertain: Light At The End
  • The USB Stick Found in the Grass
  • The Walking Dead
  • The Walking Dead - 400 Days
  • The Walking Dead Saints and Sinners
  • The Walking Dead: A New Frontier
  • The Walking Dead: Final Season
  • The Walking Dead: Michonne - A Telltale Miniseries
  • The Walking Dead: Saints & Sinners
  • The Walking Dead: Season 1
  • The Walking Dead: Season Two
  • The Way
  • The Wild At Heart
  • The Wild Eight
  • The Witness
  • Them and Us
  • They Bleed Pixels
  • Thief of Thieves
  • This War of Mine
  • This Way Madness Lies
  • Three Kingdom: The Journey
  • Time on Frog Island
  • Tinkertown
  • Tiny Tina’s Wonderland(EU)
  • TINY TINA'S WONDERLANDS CHAOTIC GREAT EDITION
  • Tiny Troopers
  • Tinykin
  • Tinytopia
  • TIS-100
  • Titan Quest
  • Tokyo Xanadu eX+
  • Tools up
  • Tooth and Tail
  • Torchlight
  • Total Tank Simulator
  • Tour de France 2020
  • Tower Unite
  • Trail Out
  • Trailblazers
  • Trailmakers
  • Train Sim World 3: Standard Edition
  • Train Simulator Classic
  • Train Valley 1
  • Transport INC
  • Treasure Hunter Simulator
  • TRIBES OF MIDGARD
  • Trine 4
  • Trinity Fusion
  • Trombone Champ
  • Tropico 5 - Complete Collection
  • Trover Saves the Universe
  • Tunche
  • Turmoil
  • Turok 2: Seeds of Evil
  • Twin Mirror
  • Two Point Campus
  • Two Point Hospital
  • TYPECAST
  • Tyrant's Blessing
  • Ultimate Chicken Horse
  • Ultimate Zombie Defense
  • Ultra Space Battle Brawl
  • Unavowed
  • Undead Horde
  • Unexplored 2: The Wayfarer's Legacy
  • Unity of Command: Stalingrad Campaign
  • Universim
  • UNLOVED
  • Unpacking
  • Until I have you
  • Unto The End
  • Upside Down
  • URU: Complete Chronicles
  • Vagante
  • Valfaris
  • Valfaris: Mecha Therion
  • Valkryia Chronicles 4 Complete Edition
  • Valkyria Chronicles 4 Complete Edition
  • Valkyria Chronicles 4: Complete Edition
  • Vambrace: Cold Soul
  • Vampire Survivors
  • Vectronom
  • Velocity Noodle
  • Venba
  • Verne: The Shape of Fantasy
  • Victoria 3
  • Victoria II
  • Viking: Battle For Asgard
  • Virgo Versus The Zodiac
  • VirtuaVerse
  • Visage
  • Viscerafest
  • Void Bastards
  • VOIDIGO
  • Volcanoids
  • Voltage High Society
  • V-Rally 4
  • Wanderlust: Travel Stories (GOG)
  • Wargroove
  • Warhammer 40,000 Sanctus Reach - Complete Edition
  • Warhammer 40,000: Armageddon - Imperium Complete
  • Warhammer 40,000: Battlesector
  • Warhammer 40,000: Gladius - Relics of War
  • Warhammer 40,000: Mechanicus
  • Warhammer 40,000: Space Wolf Special Edition
  • WARHAMMER AGE OF SIGMAR: REALMS OF RUIN – ULTIMATE EDITION
  • Warhammer vermintide collector's edition
  • Warhammer: End Times - Vermintide
  • Warhammer: Vermintide 2
  • Warman
  • Wasteland 3
  • Wayward
  • WE NEED TO GO DEEPER
  • We should talk.
  • We Were Here Together
  • We Were Here Too
  • Webbed
  • What Lies in the Multiverse
  • When Ski Lifts Go Wrong
  • while True: learn()
  • Whos Your daddy
  • Wick
  • Windward
  • Witch It
  • Witchy Life Story
  • wizard of legends
  • Wolfenstein 3D
  • Worms Rumble
  • WRC 6 FIA World Rally Championship
  • WRC 7 FIA World Rally Championship
  • WWE 2K Battlegrounds
  • WWE 2K23
  • WWZ Aftermath
  • Wytchwood
  • X-COM: COMPLETE PACK
  • XCOM: ULTIMATE COLLECTION
  • XIII - Classic
  • X-Morph: Defense + European Assault, Survival of the Fittest, and Last Bastion DLC
  • X-Morph: Defense Complete Pack
  • Yakuza Kiwami
  • Yakuza: Like A Dragon
  • Yumeutsutsu Re:After
  • Yumeutsutsu Re:Master
  • Zen Chess: Mate in One, Mate in 2 , Mate in 3 , Mate in 4 , Champion's Moves (5 games)
  • Ziggurat
  • Zombie Army 4
  • Zombie Army Trilogy
  • Zool Redimensioned
DLCs and Softwares:
  • For The King: Lost Civilization Adventure Pack
  • Train Simulator: Isle of Wight Route Add-On
  • Train Simulator: Woodhead Electric Railway in Blue Route Add-On
  • Train Simulator: North Somerset Railway Route Add-On
  • Train Simulator: Union Pacific Heritage SD70ACes Loco Add-On
  • Train Simulator: London to Brighton Route Add-On
  • BR Class 170 'Turbostar' DMU Add-On
  • DB BR 648 Loco Add-On
  • Europa Universalis IV: Wealth of Nations
  • Expansion - Europa Universalis IV: Conquest of Paradise
  • Expansion - Europa Universalis IV: Res Publica
  • Grand Central Class 180 'Adelante' DMU Add-On
  • Peninsula Corridor: San Francisco - Gilroy Route Add-On
  • SONIC ADVENTURE 2: BATTLE
  • Small World - A Spider's Web
  • Small World - Cursed
  • Small World - Royal Bonus
  • The Dungeon Of Naheulbeuk: The Amulet Of Chaos - Goodies Pack
  • The Dungeon Of Naheulbeuk: The Amulet Of Chaos - OST
  • Thompson Class B1 Loco Add-On
  • Total War: Shogun 2 - Rise of the Samurai
  • Train Sim World® 3: Birmingham Cross-city line
  • Train Sim World®: BR Class 20 'Chopper' Loco
  • Train Sim World®: Brighton Main Line: London Victoria - Brighton
  • Train Sim World®: Caltrain MP36PH-3C 'Baby Bullet'
  • Train Sim World®: Cathcart Circle Line: Glasgow - Newton & Neilston
  • Train Sim World®: Clinchfield Railroad: Elkhorn - Dante
  • Train Sim World®: Great Western Express
  • Train Sim World®: Hauptstrecke Hamburg - Lubeck
  • Train Sim World®: LIRR M3 EMU
  • Train Sim World®: Long Island Rail Road: New York - Hicksville
  • Train Sim World®: Nahverkehr Dresden - Riesa
  • Train Sim World®: Northern Trans-Pennine: Manchester - Leeds
  • Train Sim World®: Peninsula Corridor: San Francisco - San Jose
  • Train Sim World®: Rhein-Ruhr Osten: Wuppertal - Hagen
  • Train Sim World®: Tees Valley Line: Darlington - Saltburn-by-the-sea
  • Worms Rumble - Armageddon Weapon Skin Pack
  • Worms Rumble - Captain & Shark Double Pack
  • Worms Rumble - Legends Pack
  • Worms Rumble - New Challengers Pack
  • Ashampoo Photo Optimizer 7
  • Dagon: by H. P. Lovecraft - The Eldritch Box DLC
  • Duke Nukem Forever Hail to the Icons
  • Duke Nukem Forever The Doctor Who Cloned Me
  • GRIP: Combat Racing - Cygon Garage Kit
  • GRIP: Combat Racing - Nyvoss Garage Kit
  • GRIP: Combat Racing - Terra Garage Kit
  • GRIP: Combat Racing - Vintek Garage Kit
  • GameGuru
  • GameMaker Studio 2 Creator 12 Months
  • Intro to Game Development with Unity
  • Music Maker EDM Edition
  • Neverwinter Nights: Darkness Over Daggerford
  • Neverwinter Nights: Enhanced Edition Dark Dreams of Furiae
  • Neverwinter Nights: Enhanced Edition Tyrants of the Moonsea
  • Neverwinter Nights: Enhanced Edition
  • Neverwinter Nights: Infinite Dungeons
  • Neverwinter Nights: Pirates of the Sword Coast
  • Neverwinter Nights: Wyvern Crown of Cormyr
  • PDF-Suite 1 Year License
  • Pathfinder Second Edition Core Rulebook and Starfinder Core Rulebook
  • RPG Maker VX
  • WWE 2K BATTLEGROUNDS - Ultimate Brawlers Pass
  • We Are Alright
  • The Outer Worlds Expansion Pass
  • A Hat in Time - Seal the Deal DLC
  • City Skylines:mass transit
  • A Game Of Thrones - A Dance With Dragons
  • A Game Of Thrones - A Feast For Crows
  • Blood Rage: Digital Edition - Gods of Asgard
  • Blood Rage: Digital Edition - Mythical Monsters
  • Blood Rage: Digital Edition - Mystics of Midgard
  • Carcassonne - The Princess and The Dragon DLC
  • Carcassonne - Traders & Builders DLC
  • Carcassonne - Winter & Gingerbread Man DLC
  • Carcassonne - Inns & Cathedrals
  • Carcassonne - The River
  • Splendor: The Trading Posts DLC
  • Splendor: The Strongholds DLC
  • Splendor: The Cities DLC
  • Small World - Be Not Afraid... DLC
  • Small World - Grand Dames DLC
  • Small World - Cursed!
  • Sands of Salzaar - The Ember Saga
  • Sands of Salzaar - The Tournament
  • Monster Train: The Last Divinity DLC
  • WARSAW
submitted by calvin324hk to SteamGameSwap [link] [comments]


2024.05.21 17:51 yeet12734 Cool lil mod idea

so we have undertale ported from gm studio on the ps3 with its source code, doesnt this mean we can install certain mods for it like bits and pieces or undertale red and yellow? if this is possible pls lmk i would love to get those mods working on this potato of a console
submitted by yeet12734 to ps3piracy [link] [comments]


2024.05.21 17:45 ConsciousRun6137 Oswell E. Spencer; Resident Evil, Based On Real EL-ites

Oswell E. Spencer; Resident Evil, Based On Real EL-ites
There's nothing new under the Sun, & no coincidences in such things that follow;
Oswell E. Spencer
Coat of Arms
"I was to become a god... creating a new world with an advanced race of human beings."
Dr. Oswell E. Spencer, Earl Spencer (c.1923-2006) was an aristocratic British billionaire, virologist and eugenicist. One of the founders of Umbrella Pharmaceuticals, Lord Spencer was the CEO and President for its entire existence, which saw its expansion as the Umbrella Corporation over the 1980s as well as its bankruptcy in 2003.
A cold, ruthless elitist and ambitious individual, Spencer mercilessly eliminated his rivals and gradually increased his power within the company, which he strictly controlled behind a veil of darkness. Spencer had a vision to remake the world and lead it into a new era, seeing the world's current state as self-destructive. He intended to use the research data accumulated from Bio Organic Weapons to carry his vision out and mould a utopia for mankind with himself as its ruler.
Spencer was born into the prestigious Spencer family, considered for generations to be among the European elite. Growing up in his family's castle overlooking a cliff on the British coastline, the young heir to the Spencer fortune was given a wide-ranging education, and developed hobbies of art collecting and hunting as befitting of his status. Among his studies were classic literature, Early Modern humanist treatises, and the mid-20th century eugenics movement. His personal favourite was the Natural History Conspectus, a rare late Victorian encyclopaedia which chronicled a 34-year trek through Africa by British explorer Henry Travis. During Spencer's teenage years, Europe was plunged into the Second World War. Nothing is known of Spencer's life during this period of time, including whether or not he avoided conscription, though it is known his experience living during the war helped form his world views.
By the 1950s, Spencer was a university student training to be a physician. There he became close friends with Edward Ashford and an older student, Dr. James Marcus. While taking a solo hiking trip in Eastern Europe, he became lost due to his inexperience in the unfamiliar terrain and collapsed on a snow-covered road. There, he was rescued by Miranda, the priestess and biologist of an isolated mountain village which worshipped the Black God. Taken in by Miranda as a protégé, Spencer learned about the Mold and its ability to mutate, assimilate and replicate lifeforms, which inspired him a means to achieve evolutionist goals. Although he enjoyed his time with Miranda and the vast biological knowledge he gained from her, the two held very different world views, as Miranda longed to revive her deceased daughter while Spencer wished to change the world. Consequently, Spencer decided to leave the village, but would continue to keep in touch with Miranda by writing to her.
Returning to his university a changed man, Spencer became driven to replicate Miranda's achievements in his own way, as he deemed the Mold ineffective to achieving his goals. With the Cold War intensifying, Spencer began to view humanity as a race destined to fall, and believed that only through evolving mankind and attaining a superior moral code could this be averted. Though he lacked a means to accomplish this, he believed the answer lay within the emerging field of virology. Soon, Spencer formed a eugenics circle of likeminded scientists, including Marcus and Ashford, as well as Lord Beardsley and Lord Henry.

Founding of Umbrella (1966-68)

At the start of 1966, Spencer became engrossed once more in the Natural History Conspectus, having recalled an account about the Ndipaya, a West African tribe of skilled engineers whose rituals involved a magical flower which granted great power to those who could survive its poison. While Spencer was initially treated with appropriate scepticism due to allegations of yellow journalism on behalf of Travis, Marcus hypothesized that a virus could be naturally produced by the flower and mutate the consumer. This virus would theoretically hold great promise in eugenics, interesting the circle. In order to disprove or confirm the flower's significance, the three organized an expedition to West Africa to find it. While Spencer's involvement is uncertain, Marcus travelled to West Africa on a several month search for the Ndipaya with his protégé, Brandon Bailey, and returned by February 1967 with proof of the virus' existence, having isolated it within the Sonnentreppe flowers growing in the ruins of the Garden of the Sun.
Soon after research began on the virus, the Swiss university that Marcus worked for ostracized him following allegations of falsified data, which itself led to the cessation of government grants to his projects.\13]) Spencer used this to his advantage and employed his charitable Spencer Foundation as a means of funding Marcus' research, on the condition that he operate within the Spencer Estate's lab and avoid contact with any scientist outside their circle. Understanding the foundation would not be able to fund the project in its entirety, Spencer approached the circle in March 1967 with a suggestion that they establish a pharmaceutical company in order to raise the necessary funds. Ashford and Marcus agreed to the project, despite an overall disinterest with Henry and Beardsley joining.
Shortly afterward, Spencer informed his old teacher Miranda of the discovery of the Progenitor Virus, and decided to use the symbol that connected the Four Houses in her village as his company logo.
Toward the end of the year, work concluded on a mansion built on Spencer's behalf in the Arklay Mountains, a massif in the American Midwest. The mansion itself was built atop limestone caverns which Spencer planned to use for the construction of an underground laboratory complex that would be hidden from public view. The biggest flaw in this construction project was that he chose a famous New York architect named George Trevor, known for surreal designs Spencer admired, to build it. Upon its completion, Spencer realized that Trevor knew all of the mansion's secrets, including the existence of an underground laboratory, and panicked. Spencer quickly made plans to dispose of Trevor, so that only he and his inner circle would know of the lab's existence. In November 1967, Spencer invited the entire Trevor family, including George, his wife Jessica, and 14-year-old daughter Lisa to the house to celebrate the completion of the mansion. Unbeknownst to the Trevor family, Spencer planned to use them all as test subjects in his Progenitor research. Due to a busy workload, George could not attend, but told Jessica and Lisa that he would join them at the house later. As soon as the two arrived on November 10, they were dragged away by Spencer's employees and taken into the underground caverns as human research subjects for the Progenitor Virus. Jessica died soon after infection, though Lisa survived with mutations. As George arrived at the mansion, he was captured just the same, but escaped from his room. He eventually fell victim to one of his own traps and died. Lisa was kept as a test subject and would finally die in 1998.
At some point in the late 1960s, Spencer worked with another scientist who shared his eugenics ideals, Dr. Wesker. Believing that Progenitor would only be useful to mankind if they could be trusted with its powers, Spencer concluded that the genetically superior humans had to share his values to become the Übermenschen. Umbrella began abducting children with superior genes and intellect from around the world and raising them with access to the finest education that money could buy. Upon reaching adulthood, Umbrella would determine the cream of the crop and infect them. This highly classified project was dubbed the "Wesker Project", in the name of its leader.
With Umbrella established, Spencer became increasingly paranoid that his friends would threaten his own eugenics project which he intended to steer towards making him a god in the new world order. Although he already controlled the project by 1967 when he secured Marcus' research, Spencer's paranoia escalated in 1968 while running Umbrella Pharmaceuticals. To procure more funding for their eugenics project, Umbrella entered a secret agreement with the United States military to produce biological weaponry and began further projects to create mutant virus strains for military use. The Umbrella founders each worked separately on what they dubbed the "t-Virus Project". Rather than perform his own research, Spencer left the Arklay Laboratory under the control of trusted executives and further worked with Lord Beardsley and Lord Henry. Marcus and Bailey continued to work on their own while Ashford worked alongside his son, Alexander, at their European home.
With Progenitor cultures becoming too limited in number for large-scale research on the t-Virus Project, it became clear that Marcus and Bailey would have to travel to West Africa and secure more. Unlike the previous trek, Spencer instead hired mercenaries to force the Ndipaya off their land and secure the Garden of the Sun for Umbrella's own exclusive use. When news reached them about this success, Bailey was sent alone to cultivate the Progenitor samples at a lab built there, isolating him from Marcus. Marcus himself was given his own laboratory in the Arklay Mountains close to Spencer's own. The Umbrella Executive Training School served a dual role as both a laboratory for the t-Virus Project and as a boarding school for gifted children headhunted by the Spencer Foundation as promising new executive-scientists. The first true victim of Spencer's paranoia was Ashford, who would die from exposure to his primitive t-Virus strain in a staged lab accident. While his son Alexander was a scientist, he was trained in genetics rather than virology, and was consequently unable to continue his father's work. This left only Marcus as the main competitor to Spencer, and so efforts were taken to steal Marcus' data for the benefit of Arklay's Laboratory.

Securing of Power (1977-98)

In 1977, the Spencer Foundation headhunted Albert Wesker for a job at Umbrella after he acquired a doctorate in virology at just age 17. Sent to the executive training school, Spencer ensured that Wesker and a fellow student, William Birkin, would abuse Marcus' trust in them and steal his research data. At the end of the school year, Spencer ordered the school and lab to be shut down, cutting Marcus off from his research staff and the children he used as test-subjects. Wesker and Birkin were immediately assigned to the Arklay Laboratory to take over as its chief researchers and used their knowledge of Marcus' research to drastically alter the Arklay Laboratory's own t-Virus project.
Despite Spencer's near-total control over Umbrella, his paranoia continued to find new victims as Umbrella expanded to the point of possessing its own paramilitary, the Umbrella Security Service. Marcus continued to perform his own dedicated research into the late 1980s, hoping to use this to his advantage in securing the support of the board of directors in taking over the company. With Marcus now an immediate threat, Spencer ordered a U.S.S. raid on the training school and he was gunned down in 1988 with Birkin and Wesker in order to steal more research data. That same year, he personally backed their proposals in acquiring a Nemesis α parasite from France's No.6 Laboratory. As Umbrella entered the 1990s, Spencer continued to take a direct role in the company's affairs despite his advancing age and confinement to a wheelchair. Beardley and Henry would both perish over the next decade with their research inherited by their respective children, Mylène and Christine, both of whom were child prodigies.
Deeply interested in the newly discovered Golgotha Virus, which was being studied by Birkin and Christine in France, Spencer funded a new NEST facility in Raccoon City for the G-Virus Project. Although intrigued by the virus' potential use in eugenics, it was instead funded as another bio-weapon project for the US military. An alternative eugenics project was assigned to Dr. Alex Wesker, one of the Wesker Project subjects who Spencer became personally close to. Spencer awarded her with greater executive power through the construction of a laboratory at Sonido de Tortuga. He also developed a close relationship with Col. Sergei Vladimir, a Spetznaz officer whom the Soviet Union had used in a human cloning trial during the Afghan War. In exchange for handing his ten clones over for research on the fledgling Tyrant Project, Vladimir became a powerful asset in protecting Spencer's control over the company.

End of Umbrella (1998-2003)

In May 1998, the Arklay Laboratory was sabotaged by one of Dr. Marcus' creations, Queen Leech. Its entire staff was either killed or infected, and escaped B.O.W.s drew national attention in their killings of out-of-state hikers. As part of the X-Day contingency, Albert Wesker sent two elite law enforcement teams from S.T.A.R.S. to the mansion to investigate. However, unbeknownst to these S.T.A.R.S. officers, they were deliberately pitted against Arklay's escaped B.O.Ws for the purpose of collecting combat data. Wesker's own orders were fourfold: gather this combat data, salvage whatever research he could from the Arklay Lab, ensure the death of all S.T.A.R.S. members, and destroy the lab so the truth of Umbrella's responsibility could never get out. Spencer's right-hand man, Colonel Sergei Vladimir, was also sent in personally for the task of recovering an experimental Tyrant and Umbrella's U.M.F.-013 supercomputer. While Vladimir was successful, Wesker instead chose to fake his own death and hand the data over to a rival company, while several S.T.A.R.S. members escaped from the mansion intent on beginning a police investigation of Umbrella.
In the immediate fallout, an executive named Morpheus D. Duvall was scapegoated for the containment failure and began a bioterror plot to steal the viral samples in vengeance. Publicly, the so-called "Mansion Incident" did not harm Umbrella, thanks to its influence over the local Raccoon City media, police, and local government. However, a combination of this incident, Albert Wesker's betrayal, and Spencer's own refusal to admit Dr. Birkin to his inner circle would be the trigger for Umbrella's downward spiral. Dr. Birkin, slighted by Spencer's rejection, dumped the t-Virus around Raccoon City in order to neutralize the other Umbrella facilities while he himself prepared to hand the G-Virus over to the US military, who were intent on starting their own bioweapons project, in exchange for protection. Spencer learned of Birkin's planned betrayal and sent Umbrella Security Services to take Birkin into custody and acquire the G-Virus. When Birkin refused to comply, an Umbrella soldier gunned him down and the team proceeded to take his suitcase, which contained all of his work, with them. However, the fatally wounded Birkin still had one G-Virus sample left in his possession and used it on himself, mutating into a powerful monster in the process. The now mutated Dr. Birkin pursued Umbrella's soldiers into the sewers and slaughtered most of them, although HUNK survived. This altercation accidentally caused several t-Virus samples to fall to the floor and break, and infected rats would soon spread the virus into the city's water supply. Over the next week, the city collapsed into anarchy as thousands of infected took part in cannibalistic murders.
Aware that Raccoon City was doomed and the company no longer capable of lobbying against a Senate committee action, Spencer ordered Colonel Sergei Vladimir to recover the U.M.F.-013 from Raccoon City and take it to a safe location. On October 1, 1998, Spencer awoke to news of the US President's bombing of the city. By this point, Umbrella's responsibility had become public knowledge, and the US Congress voted in an act to liquidate Umbrella's USA branch and ban the company from conducting any future business in the country. In 1999, Spencer assembled expert lawyers, fake witnesses, and bribes during the Raccoon Trials to divert all responsibility to the US government. He also purchased an abandoned chemical plant in the Caucasus region of Southern Russia and commissioned the construction of a secret underground laboratory, which would become the de facto base of operations for Umbrella. Unwilling to acknowledge their breaching of international law to obtain bioweaponry or even acknowledge B.O.W.s in general, the US government remained in a stalemate with Umbrella. This stalemate ended in early 2003 when Albert Wesker leaked excerpts of the recovered U.M.F.-013 data to the court. Umbrella was found liable for damages and subsequently bankrupted. An international arrest warrant on Spencer was filed by both the United States and Russian Federation. Spencer, now an international fugitive, secluded himself in his family estate where he would spend the remaining years of his life.

Final Years (2003-2006)

Intent on establishing a future successor to Umbrella, Spencer was obsessive in maintaining what little order he had left. Right after the Raccoon City bombing in November 1998, he ordered a purge of senior executive staff to prevent the United States from ever learning about Progenitor.
Over the next few years, he had little to no contact with the outside, seen only by his loyalist bodyguards and his butler, Patrick. His increasingly erratic behavior coincided with his depression and failing health. However, intent on surviving long enough to see the rebirth of his organization, Spencer ordered Alex Wesker to begin research into a mutagenic virus capable of restoring his youth and supplied her with funding, equipment, research material, several hundred test subjects, and the research facility on Sonido de Tortuga Island to this end. Alex herself had no love for Spencer and betrayed him, disappearing after she gave up on the project and taking the results, her subordinates, and the test subjects to Sein Island in the Baltic Sea.
By 2006, Spencer was close to death. He lacked the strength to eat solid foods and spent most of his days sitting in his study. In a desperate last effort to survive, he ordered Patrick to assist him in the development of a new virus by using test subjects confined beneath the Spencer Estate in the hopes of healing his body. As these experiments led to several failed mutations, Spencer realized that his death was inevitable. He conceded that he would never realize his plan himself and enlisted Patrick to leak information on his location to Albert Wesker through an associate. Spencer then dismissed Patrick from his duties and was left with only his bodyguards at the estate, waiting for Wesker to find him.
In August 2006, Wesker entered the castle and brutally murdered Spencer's guards before heading into Spencer's private office. In their meeting, Spencer explained the Wesker Project to him, and why he himself was infected with a Progenitor virus strain*.* However, Spencer lied when he claimed he was the sole survivor of the Wesker Project, probably in order to keep him focused on his goal and prevent him from pursuing Alex. In general, Wesker was disinterested in Spencer's vision and, while not expecting this frail old man to be much competition to own goals, nevertheless decided to tie him up as a loose end. He brutally killed Spencer by knife-handing him through the chest, proclaiming that Spencer was not capable of being a god and, as such, never had the right to aspire to that goal.
Even before his death, Spencer left a dark legacy through the viral research that he conducted throughout his life that would plague the world with large-scale dissemination of bioterrorism. Due to his negligence in not being able to deal directly with the constant leaks and desertions of his dishonest employees during Umbrella's final years, this allowed them to start selling B.O.W.s to their rivals in the Bio-weapons black market since 1998 which culminated in the proliferation of countless outbreaks around the planet during the first decade of the 21st century, causing the deaths of thousands of people as a result.
Knights of Malta
submitted by ConsciousRun6137 to u/ConsciousRun6137 [link] [comments]


2024.05.21 17:44 IXxArjellyxXI Error trying to generate code

So ik this issue has popped up for other ppl in the past but my issue is slightly different as I can’t just use my phone browser to log in as I would need to log in with a previously registered account…I had gotten this oculus from a friend and he had told me to just delete his meta account. So I deleted the meta account that was on the oculus and was forced to reboot, after the reboot was finished it took me to the device set up screen where I’m forced to generate a code to link my personal meta account to…but no code will generate, no matter how many times I press generate or reboot the system nothing changes…how do I fix this without having to log into the same account I literally just deleted off of the device in the first place
submitted by IXxArjellyxXI to MetaQuestVR [link] [comments]


http://activeproperty.pl/