Random dungeon generator

Websites of Random Generators

2016.02.28 19:55 quzimaa Websites of Random Generators

On this subredit are you only allowed to post various random generators
[link]


2008.01.25 07:20 Tabletop RPGs

A subreddit for all things related to tabletop roleplaying games
[link]


2009.10.10 16:50 pistolwhip DnD: Roll for Initiative!

A subreddit dedicated to the various iterations of Dungeons & Dragons, from its First Edition roots to its One D&D future.
[link]


2024.05.22 05:13 ArtichokeNo204 (circuit gen code)work in progress farming code could be used to make different blockchains into a backed monetary code blocks with certain types of binary code farming and feed back to the types of block chains to farm with mega. you could make it a monetary backed code block form of block chain.

#include  LiquidCrystal lcd(19, 20, 21, 22, 23, 24); // Pins for the LCD screen const int numSets = 6; const int numInputsPerSet = 3; #define ARRAY_SIZE 6 #define NODE_COUNT 10 // Number of nodes in the circuit #define GRID_SIZE 32 // Define feedback messages char feedbackArray[ARRAY_SIZE][50] = { "", "", "", "", "", "Fantastic progress!" }; // Define arrays with initializers int array1[ARRAY_SIZE] = {1, 2, 3, 4, 5, 6}; int array2[ARRAY_SIZE] = {7, 8, 9, 10, 11, 12}; int array3[ARRAY_SIZE] = {13, 14, 15, 16, 17, 18}; int tm = 9000; int pin1 = 25; int pin2 = 26; int pin3 = 27; int pin4 = 28; int baseDelay = 500; float timeDilationFactor = 1.0; // Change this factor to dilate time struct Connection { int fromNode; int toNode; }; enum ComponentType { RESISTOR, CAPACITOR, INDUCTOR, DIODE, LED, TRANSISTOR, IC, VOLTAGE_REGULATOR, TRANSFORMER, SWITCH, POTENTIOMETER, CRYSTAL_OSCILLATOR, FUSE, RELAY, SENSOR }; struct Component { ComponentType type; float value; // Value representing specific characteristics (e.g., resistance, capacitance, etc.) }; Connection connections[NODE_COUNT]; // Array to hold connections Component components[NODE_COUNT]; // Array to hold components int Components[GRID_SIZE][GRID_SIZE]; // Represents components in the grid enum CircuitType { ANALOG, DIGITAL, INTEGRATED, PCB, POWER, RF, MICROCONTROLLER, MIXED_SIGNAL, FILTER, SENSORS, FEEDBACK, SWITCHING, AMPLIFIER, OSCILLATOR }; String ans; int T = 2000; int RT = 500; // return time // Define symbols for components char componentSymbols[] = {'R', 'C', 'L', 'D', 'U', 'IC', 'SW', 'LED', 'TR', 'POT', 'CAP', 'RES'}; // Component values String resistorValues[] = {"10Ω", "100Ω", "1kΩ", "10kΩ", "100kΩ", "1MΩ"}; String capacitorValues[] = {"1μF", "10μF", "47μF", "100μF", "220μF", "470μF"}; String inductorValues[] = {"10mH", "47mH", "100mH", "220mH", "470mH", "1H"}; void initializeGrid() { for (int i = 0; i < GRID_SIZE; ++i) { for (int j = 0; j < GRID_SIZE; ++j) { Components[i][j] = 0; // Set initial value to zero } } } void setup() { Serial.begin(9600); // Initialize serial communication initializeGrid(); // Initialize pins pinMode(pin1, OUTPUT); pinMode(pin2, OUTPUT); pinMode(pin3, OUTPUT); pinMode(pin4, OUTPUT); randomSeed(analogRead(0)); // Seed the random number generator // Generate random connections between nodes for (int i = 0; i < NODE_COUNT; ++i) { connections[i].fromNode = random(NODE_COUNT); connections[i].toNode = random(NODE_COUNT); } // Generate random components with values and types based on descriptions for (int i = 0; i < NODE_COUNT; ++i) { switch (random(16)) { // Randomly assign a component type case RESISTOR: components[i].type = RESISTOR; components[i].value = random(10, 10000); // Random resistance value between 10 Ohms and 10 kOhms break; case CAPACITOR: components[i].type = CAPACITOR; components[i].value = random(1, 100); // Random capacitance value between 1 picofarad and 100 picofarads break; // Add cases for other component types similarly... } } // Print the generated connections and components Serial.println("Generated Connections:"); for (int i = 0; i < NODE_COUNT; ++i) { Serial.print("Connection "); Serial.print(i); Serial.print(": "); Serial.print(connections[i].fromNode); Serial.print(" -> "); Serial.println(connections[i].toNode); } Serial.println("\nGenerated Components:"); for (int i = 0; i < NODE_COUNT; ++i) { Serial.print("Component "); Serial.print(i); Serial.print(": Type="); switch (components[i].type) { case RESISTOR: Serial.print("RESISTOR"); break; case CAPACITOR: Serial.print("CAPACITOR"); break; // Add cases for other component types similarly... } Serial.print(", Value="); Serial.println(components[i].value); } } void loop() { // Read inputs from sensors int inputs[numSets][numInputsPerSet]; for (int i = 0; i < numSets; i++) { for (int j = 0; j < numInputsPerSet; j++) { inputs[i][j] = random(0, 1023); // Assuming analog inputs } } // Send data to Mega (simulated here by printing to Serial) for (int i = 0; i < numSets; i++) { for (int j = 0; j < numInputsPerSet; j++) { Serial.print(inputs[i][j]); Serial.print(','); } } Serial.println(); // End of set // Feedback loop and array processing int index = 0; for (int iteration = 0; iteration < ARRAY_SIZE; iteration++) { const char* feedback = feedbackArray[index]; Serial.print("Feedback: "); Serial.println(feedback); int var1 = array1[index]; int var2 = array2[index]; int var3 = array3[index]; // While loop connected to the variable while (var1 > 0) { Serial.println("Variable in array 1 is active"); var1--; } delay(tm); while (var2 > 0) { Serial.println("Variable in array 2 is active"); var2--; } delay(tm); while (var3 > 0) { Serial.println("Variable in array 3 is active"); var3--; } delay(tm); // Math equations using array values int result = var1 + var2 + var3; Serial.print("Result of math equation: "); Serial.println(result); delay(tm); // LED sequences ledSequence(); index = (index + 1) % ARRAY_SIZE; // Cycle through the feedback array } // Serial input processing if (Serial.available() > 0) { String userInput = Serial.readStringUntil('\n'); // Read user input userInput.trim(); // Remove leading/trailing whitespace if (userInput.equals("hi")) { Serial.println("Bot: Hello there!"); } else if (userInput.equals("how are you?")) { Serial.println("Bot: I'm good, thank you!"); } else if (userInput.equals("bye")) { Serial.println("Bot: Goodbye!"); } else { Serial.println("Bot: I'm not sure how to respond to that."); } processCommand(userInput); } delay(5000 * timeDilationFactor); // Adjust delay time as needed } void ledSequence() { int t = baseDelay * timeDilationFactor; int td = 2000 * timeDilationFactor; digitalWrite(pin1, HIGH); digitalWrite(pin2, LOW); digitalWrite(pin3, LOW); digitalWrite(pin4, LOW); delay(t); digitalWrite(pin1, LOW); digitalWrite(pin2, HIGH); digitalWrite(pin3, LOW); digitalWrite(pin4, LOW); delay(t); digitalWrite(pin1, HIGH); digitalWrite(pin2, HIGH); digitalWrite(pin3, LOW); digitalWrite(pin4, LOW); delay(t); digitalWrite(pin1, LOW); digitalWrite(pin2, LOW); digitalWrite(pin3, HIGH); digitalWrite(pin4, LOW); delay(t); digitalWrite(pin1, HIGH); digitalWrite(pin2, LOW); digitalWrite(pin3, HIGH); digitalWrite(pin4, LOW); delay(t); digitalWrite(pin1, LOW); digitalWrite(pin2, HIGH); digitalWrite(pin3, HIGH); digitalWrite(pin4, LOW); delay(t); digitalWrite(pin1, HIGH); digitalWrite(pin2, HIGH); digitalWrite(pin3, HIGH); digitalWrite(pin4, LOW); delay(t); digitalWrite(pin1, LOW); digitalWrite(pin2, LOW); digitalWrite(pin3, LOW); digitalWrite(pin4, HIGH); delay(t); digitalWrite(pin1, HIGH); digitalWrite(pin2, LOW); digitalWrite(pin3, LOW); digitalWrite(pin4, HIGH); delay(t); digitalWrite(pin1, LOW); digitalWrite(pin2, HIGH); digitalWrite(pin3, LOW); digitalWrite(pin4, HIGH); delay(t); digitalWrite(pin1, HIGH); digitalWrite(pin2, HIGH); digitalWrite(pin3, LOW); digitalWrite(pin4, HIGH); delay(t); digitalWrite(pin1, LOW); digitalWrite(pin2, LOW); digitalWrite(pin3, HIGH); digitalWrite(pin4, HIGH); delay(t); digitalWrite(pin1, HIGH); digitalWrite(pin2, LOW); digitalWrite(pin3, HIGH); digitalWrite(pin4, HIGH); delay(t); digitalWrite(pin1, HIGH); digitalWrite(pin2, HIGH); digitalWrite(pin3, HIGH); digitalWrite(pin4, HIGH); delay(td); digitalWrite(pin1, LOW); digitalWrite(pin2, LOW); digitalWrite(pin3, LOW); digitalWrite(pin4, LOW); } // Function to convert an integer to a binary string String toBinaryString(int num) { String binary = ""; for (int i = 15; i >= 0; i--) { binary += (num >> i) & 1 ? '1' : '0'; } return binary; } // Function to process data and print in binary void processDataAndPrintBinary(int var1, int var2, int var3) { int processedData = var1 + var2 + var3; // Example processing //Serial.print("Processed Data (decimal): "); //Serial.println(processedData); //Serial.print("Processed Data (binary): "); //erial.println(toBinaryString(processedData)); } void processCommand(String command) { if (command.startsWith("add")) { // Example: "add 5 10" int x = command.substring(4, 6).toInt(); int y = command.substring(7).toInt(); // Check if indices are within bounds if (x >= 0 && x < GRID_SIZE && y >= 0 && y < GRID_SIZE) { Components[x][y]++; } } else if (command.startsWith("subtract")) { // Example: "subtract 5 10" int x = command.substring(9, 11).toInt(); int y = command.substring(12).toInt(); // Check if indices are within bounds if (x >= 0 && x < GRID_SIZE && y >= 0 && y < GRID_SIZE) { Components[x][y]--; } } else if (command.startsWith("select")) { // Example: "select 5 10" int x = command.substring(7, 9).toInt(); int y = command.substring(10).toInt(); // Check if indices are within bounds if (x >= 0 && x < GRID_SIZE && y >= 0 && y < GRID_SIZE) { // Process the selected point (e.g., perform a specific action, print value, etc.) Serial.print("Selected Point ["); Serial.print(x); Serial.print(","); Serial.print(y); Serial.print("]: "); Serial.println(Components[x][y]); } } if (command.startsWith("inductorValue")) { Serial.println(""); Serial.println("What component?"); Serial.println("R,C,L,U,D,LED,TR,IC,SW,POT,CAP,RES"); while (Serial.available() == 0) {} ans = Serial.readString(); Serial.println(""); Serial.println(ans); // You can add more component-specific handling here if (ans == "R" ) { } if (ans == "C" ) { } if (ans == "L" ) { } if (ans == "U" ) { } if (ans == "D" ) { } if (ans == "LED" ) { } if (ans == "TR" ) { } if (ans == "IC" ) { } if (ans == "SW" ) { } if (ans == "POT" ) { } if (ans == "CAP" ) { } if (ans == "RES" ) { } // Handle specific component value queries Serial.println("What capacitor value?"); Serial.println("1μF,10μF,47μF,100μF,220μF,470μF"); while (Serial.available() == 0) {} ans = Serial.readString(); Serial.println(""); Serial.println(ans); if (ans == "1μF" ) { } if (ans == "10μF" ) { } if (ans == "47μF" ) { } if (ans == "100μF" ) { } if (ans == "220μF") { } if (ans == "470μF") { } Serial.println("What resistor value?"); Serial.println("10Ω,100Ω,1kΩ,10kΩ,100kΩ,1MΩ"); while (Serial.available() == 0) {} ans = Serial.readString(); Serial.println(""); Serial.println(ans); if (ans == "10Ω" ) { } if (ans == "100Ω" ) { } if (ans == "1kΩ" ) { } if (ans == "10kΩ" ) { } if (ans == "100kΩ" ) { } if (ans == "1MΩ" ) { } Serial.println("What inductor value?"); Serial.println("10mH,47mH,100mH,220mH,470mH,1H"); while (Serial.available() == 0) {} ans = Serial.readString(); Serial.println(""); Serial.println(ans); if (ans == "10mH") { } if (ans == "47mH") { } if (ans == "100mH") { } if (ans == "220mH") { } if (ans == "470mH") { } if (ans == "1H") { } } } #include  LiquidCrystal lcd(19, 20, 21, 22, 23, 24); // Pins for the LCD screen const int numSets = 6; const int numInputsPerSet = 3; #define ARRAY_SIZE 6 #define NODE_COUNT 10 // Number of nodes in the circuit #define GRID_SIZE 32 // Define feedback messages char feedbackArray[ARRAY_SIZE][50] = { "", "", "", "", "", "Fantastic progress!" }; // Define arrays with initializers int array1[ARRAY_SIZE] = {1, 2, 3, 4, 5, 6}; int array2[ARRAY_SIZE] = {7, 8, 9, 10, 11, 12}; int array3[ARRAY_SIZE] = {13, 14, 15, 16, 17, 18}; int tm = 9000; int pin1 = 25; int pin2 = 26; int pin3 = 27; int pin4 = 28; int baseDelay = 500; float timeDilationFactor = 1.0; // Change this factor to dilate time struct Connection { int fromNode; int toNode; }; enum ComponentType { RESISTOR, CAPACITOR, INDUCTOR, DIODE, LED, TRANSISTOR, IC, VOLTAGE_REGULATOR, TRANSFORMER, SWITCH, POTENTIOMETER, CRYSTAL_OSCILLATOR, FUSE, RELAY, SENSOR }; struct Component { ComponentType type; float value; // Value representing specific characteristics (e.g., resistance, capacitance, etc.) }; Connection connections[NODE_COUNT]; // Array to hold connections Component components[NODE_COUNT]; // Array to hold components int Components[GRID_SIZE][GRID_SIZE]; // Represents components in the grid enum CircuitType { ANALOG, DIGITAL, INTEGRATED, PCB, POWER, RF, MICROCONTROLLER, MIXED_SIGNAL, FILTER, SENSORS, FEEDBACK, SWITCHING, AMPLIFIER, OSCILLATOR }; String ans; int T = 2000; int RT = 500; // return time // Define symbols for components char componentSymbols[] = {'R', 'C', 'L', 'D', 'U', 'IC', 'SW', 'LED', 'TR', 'POT', 'CAP', 'RES'}; // Component values String resistorValues[] = {"10Ω", "100Ω", "1kΩ", "10kΩ", "100kΩ", "1MΩ"}; String capacitorValues[] = {"1μF", "10μF", "47μF", "100μF", "220μF", "470μF"}; String inductorValues[] = {"10mH", "47mH", "100mH", "220mH", "470mH", "1H"}; void initializeGrid() { for (int i = 0; i < GRID_SIZE; ++i) { for (int j = 0; j < GRID_SIZE; ++j) { Components[i][j] = 0; // Set initial value to zero } } } void setup() { Serial.begin(9600); // Initialize serial communication initializeGrid(); // Initialize pins pinMode(pin1, OUTPUT); pinMode(pin2, OUTPUT); pinMode(pin3, OUTPUT); pinMode(pin4, OUTPUT); randomSeed(analogRead(0)); // Seed the random number generator // Generate random connections between nodes for (int i = 0; i < NODE_COUNT; ++i) { connections[i].fromNode = random(NODE_COUNT); connections[i].toNode = random(NODE_COUNT); } // Generate random components with values and types based on descriptions for (int i = 0; i < NODE_COUNT; ++i) { switch (random(16)) { // Randomly assign a component type case RESISTOR: components[i].type = RESISTOR; components[i].value = random(10, 10000); // Random resistance value between 10 Ohms and 10 kOhms break; case CAPACITOR: components[i].type = CAPACITOR; components[i].value = random(1, 100); // Random capacitance value between 1 picofarad and 100 picofarads break; // Add cases for other component types similarly... } } // Print the generated connections and components Serial.println("Generated Connections:"); for (int i = 0; i < NODE_COUNT; ++i) { Serial.print("Connection "); Serial.print(i); Serial.print(": "); Serial.print(connections[i].fromNode); Serial.print(" -> "); Serial.println(connections[i].toNode); } Serial.println("\nGenerated Components:"); for (int i = 0; i < NODE_COUNT; ++i) { Serial.print("Component "); Serial.print(i); Serial.print(": Type="); switch (components[i].type) { case RESISTOR: Serial.print("RESISTOR"); break; case CAPACITOR: Serial.print("CAPACITOR"); break; // Add cases for other component types similarly... } Serial.print(", Value="); Serial.println(components[i].value); } } void loop() { // Read inputs from sensors int inputs[numSets][numInputsPerSet]; for (int i = 0; i < numSets; i++) { for (int j = 0; j < numInputsPerSet; j++) { inputs[i][j] = random(0, 1023); // Assuming analog inputs } } // Send data to Mega (simulated here by printing to Serial) for (int i = 0; i < numSets; i++) { for (int j = 0; j < numInputsPerSet; j++) { Serial.print(inputs[i][j]); Serial.print(','); } } Serial.println(); // End of set // Feedback loop and array processing int index = 0; for (int iteration = 0; iteration < ARRAY_SIZE; iteration++) { const char* feedback = feedbackArray[index]; Serial.print("Feedback: "); Serial.println(feedback); int var1 = array1[index]; int var2 = array2[index]; int var3 = array3[index]; // While loop connected to the variable while (var1 > 0) { Serial.println("Variable in array 1 is active"); var1--; } delay(tm); while (var2 > 0) { Serial.println("Variable in array 2 is active"); var2--; } delay(tm); while (var3 > 0) { Serial.println("Variable in array 3 is active"); var3--; } delay(tm); // Math equations using array values int result = var1 + var2 + var3; Serial.print("Result of math equation: "); Serial.println(result); delay(tm); // LED sequences ledSequence(); index = (index + 1) % ARRAY_SIZE; // Cycle through the feedback array } // Serial input processing if (Serial.available() > 0) { String userInput = Serial.readStringUntil('\n'); // Read user input userInput.trim(); // Remove leading/trailing whitespace if (userInput.equals("hi")) { Serial.println("Bot: Hello there!"); } else if (userInput.equals("how are you?")) { Serial.println("Bot: I'm good, thank you!"); } else if (userInput.equals("bye")) { Serial.println("Bot: Goodbye!"); } else { Serial.println("Bot: I'm not sure how to respond to that."); } processCommand(userInput); } delay(5000 * timeDilationFactor); // Adjust delay time as needed } void ledSequence() { int t = baseDelay * timeDilationFactor; int td = 2000 * timeDilationFactor; digitalWrite(pin1, HIGH); digitalWrite(pin2, LOW); digitalWrite(pin3, LOW); digitalWrite(pin4, LOW); delay(t); digitalWrite(pin1, LOW); digitalWrite(pin2, HIGH); digitalWrite(pin3, LOW); digitalWrite(pin4, LOW); delay(t); digitalWrite(pin1, HIGH); digitalWrite(pin2, HIGH); digitalWrite(pin3, LOW); digitalWrite(pin4, LOW); delay(t); digitalWrite(pin1, LOW); digitalWrite(pin2, LOW); digitalWrite(pin3, HIGH); digitalWrite(pin4, LOW); delay(t); digitalWrite(pin1, HIGH); digitalWrite(pin2, LOW); digitalWrite(pin3, HIGH); digitalWrite(pin4, LOW); delay(t); digitalWrite(pin1, LOW); digitalWrite(pin2, HIGH); digitalWrite(pin3, HIGH); digitalWrite(pin4, LOW); delay(t); digitalWrite(pin1, HIGH); digitalWrite(pin2, HIGH); digitalWrite(pin3, HIGH); digitalWrite(pin4, LOW); delay(t); digitalWrite(pin1, LOW); digitalWrite(pin2, LOW); digitalWrite(pin3, LOW); digitalWrite(pin4, HIGH); delay(t); digitalWrite(pin1, HIGH); digitalWrite(pin2, LOW); digitalWrite(pin3, LOW); digitalWrite(pin4, HIGH); delay(t); digitalWrite(pin1, LOW); digitalWrite(pin2, HIGH); digitalWrite(pin3, LOW); digitalWrite(pin4, HIGH); delay(t); digitalWrite(pin1, HIGH); digitalWrite(pin2, HIGH); digitalWrite(pin3, LOW); digitalWrite(pin4, HIGH); delay(t); digitalWrite(pin1, LOW); digitalWrite(pin2, LOW); digitalWrite(pin3, HIGH); digitalWrite(pin4, HIGH); delay(t); digitalWrite(pin1, HIGH); digitalWrite(pin2, LOW); digitalWrite(pin3, HIGH); digitalWrite(pin4, HIGH); delay(t); digitalWrite(pin1, HIGH); digitalWrite(pin2, HIGH); digitalWrite(pin3, HIGH); digitalWrite(pin4, HIGH); delay(td); digitalWrite(pin1, LOW); digitalWrite(pin2, LOW); digitalWrite(pin3, LOW); digitalWrite(pin4, LOW); } // Function to convert an integer to a binary string String toBinaryString(int num) { String binary = ""; for (int i = 15; i >= 0; i--) { binary += (num >> i) & 1 ? '1' : '0'; } return binary; } // Function to process data and print in binary void processDataAndPrintBinary(int var1, int var2, int var3) { int processedData = var1 + var2 + var3; // Example processing //Serial.print("Processed Data (decimal): "); //Serial.println(processedData); //Serial.print("Processed Data (binary): "); //erial.println(toBinaryString(processedData)); } void processCommand(String command) { if (command.startsWith("add")) { // Example: "add 5 10" int x = command.substring(4, 6).toInt(); int y = command.substring(7).toInt(); // Check if indices are within bounds if (x >= 0 && x < GRID_SIZE && y >= 0 && y < GRID_SIZE) { Components[x][y]++; } } else if (command.startsWith("subtract")) { // Example: "subtract 5 10" int x = command.substring(9, 11).toInt(); int y = command.substring(12).toInt(); // Check if indices are within bounds if (x >= 0 && x < GRID_SIZE && y >= 0 && y < GRID_SIZE) { Components[x][y]--; } } else if (command.startsWith("select")) { // Example: "select 5 10" int x = command.substring(7, 9).toInt(); int y = command.substring(10).toInt(); // Check if indices are within bounds if (x >= 0 && x < GRID_SIZE && y >= 0 && y < GRID_SIZE) { // Process the selected point (e.g., perform a specific action, print value, etc.) Serial.print("Selected Point ["); Serial.print(x); Serial.print(","); Serial.print(y); Serial.print("]: "); Serial.println(Components[x][y]); } } if (command.startsWith("inductorValue")) { Serial.println(""); Serial.println("What component?"); Serial.println("R,C,L,U,D,LED,TR,IC,SW,POT,CAP,RES"); while (Serial.available() == 0) {} ans = Serial.readString(); Serial.println(""); Serial.println(ans); // You can add more component-specific handling here if (ans == "R" ) { } if (ans == "C" ) { } if (ans == "L" ) { } if (ans == "U" ) { } if (ans == "D" ) { } if (ans == "LED" ) { } if (ans == "TR" ) { } if (ans == "IC" ) { } if (ans == "SW" ) { } if (ans == "POT" ) { } if (ans == "CAP" ) { } if (ans == "RES" ) { } // Handle specific component value queries Serial.println("What capacitor value?"); Serial.println("1μF,10μF,47μF,100μF,220μF,470μF"); while (Serial.available() == 0) {} ans = Serial.readString(); Serial.println(""); Serial.println(ans); if (ans == "1μF" ) { } if (ans == "10μF" ) { } if (ans == "47μF" ) { } if (ans == "100μF" ) { } if (ans == "220μF") { } if (ans == "470μF") { } Serial.println("What resistor value?"); Serial.println("10Ω,100Ω,1kΩ,10kΩ,100kΩ,1MΩ"); while (Serial.available() == 0) {} ans = Serial.readString(); Serial.println(""); Serial.println(ans); if (ans == "10Ω" ) { } if (ans == "100Ω" ) { } if (ans == "1kΩ" ) { } if (ans == "10kΩ" ) { } if (ans == "100kΩ" ) { } if (ans == "1MΩ" ) { } Serial.println("What inductor value?"); Serial.println("10mH,47mH,100mH,220mH,470mH,1H"); while (Serial.available() == 0) {} ans = Serial.readString(); Serial.println(""); Serial.println(ans); if (ans == "10mH") { } if (ans == "47mH") { } if (ans == "100mH") { } if (ans == "220mH") { } if (ans == "470mH") { } if (ans == "1H") { } } } 
submitted by ArtichokeNo204 to arduino [link] [comments]


2024.05.22 05:10 Zardotab For those of you who believe in ignoring preferred pronouns of transgender people, what are your main Christian justification(s) for doing such?

This question is influenced from another recent question. First, I define “misgendering” as using pronouns and gender references different than the person’s own preferred gender. Ignore for the moment whether the term is misleading; consider it just a working term here.
I pointed out that misgendering will likely be interpreted as social aggressiveness by the transgender person, and asked “why are you okay inducing such discomfort”? Here’s a non-exhaustive rough summary of possible reasons:
  1. To remind them it’s a sin in order to motivate them to reform.
  2. Intimidate them back into the closet by shaming them.
  3. To hopefully strike a conversation so I can talk to them about the Gospel.
  4. Their preference is objectively wrong, I’m just being technically accurate.
I believe 1, 2, and 3 are more likely to generate resentment against Christians, and thus are essentially “reverse missionary work”. The best missionaries gradually earn trust.
Strangely, number 4 was the most common; I wasn’t expecting that. I find it unnecessarily pedantic and don’t see how it furthers the Christian mission. In a random public setting, small white lies (alleged) are acceptable to keep the peace; it’s not your job to fix people in that venue and will likely solve or fix nothing, just create friction and resentment. Maybe in a blue moon it “works”, but most the time fails. Sorry, it’s the wrong action in a civilized society, and harms the reputation of Christianity.
The following hypothetical scenario is not intended to imply that transgender people are insane; it’s only a thought experiment.
You are waiting in a long line for the ATM before a big holiday. A man in front of you with an odd tall hat is watching a phone video and you find the volume too loud, so you tap him on the shoulder and say, “Excuse me sir, could you please turn down the volume a bit?”
The man shouts back, “I’m not a ‘sir’, I am a unicorn! Address me as ‘unicorn’!”
You reply, “Sorry, but you are not a unicorn, sir!”
Hat-man counters, “Yes I am!”, turns back to his phone and continues with the loud volume.
Louder you say, “Sir! Please turn down the volume!”
Hat-man counters, “If you address me as unicorn, I will turn the volume down, deal?”
You: “I won’t! It’s a fact you are NOT a unicorn, but a man! I will not lie! Now turn it down!”
The man ignores you and keeps the volume up.
Now see the mess you made? You angered two people and solved zilch. That kind of pedanticy seems as crazy as Unicorn Guy. I don’t get it.
submitted by Zardotab to AskAChristian [link] [comments]


2024.05.22 05:09 Zygarom Color burn artifacts appear at specific part of the image everytime.

Recently, I've been having a blast generating images with the new pony model, but I've hit a snag. Occasionally, the private parts (or sometimes the nipples or the eyes) of the female character in the images get messed up with weird color burn-like artifacts. It happens randomly during the generation process. I tried adding negative prompts like "blur" and "jpeg artifacts," which helped for a while, but the issue has resurfaced, especially during the detailing phase. The images look fine at first, but once the detailing starts, the artifacts come back.
I've scoured the internet for solutions and tried various fixes with no luck. So, I'm reaching out to see if anyone else has experienced this problem and can help me find the source of this issue. Here's what I've tried so far:
If anyone has any insights or has faced a similar issue, let's collaborate to find a solution!
submitted by Zygarom to StableDiffusion [link] [comments]


2024.05.22 05:06 Otherwise-Ad6488 Fabric server crash

Hi guys! I have been trying to solve this problem for days, but still always crash my server when opening it. Here's the crash report:
Starting net.fabricmc.loader.impl.game.minecraft.BundlerClassPathCapture
[03:03:50] [main/INFO]: Loading Minecraft 1.20.6 with Fabric Loader 0.15.11
[03:03:50] [ForkJoinPool-1-worker-5/WARN]: Mod tool_trims uses the version b2.1.0 which isn't compatible with Loader's extended semantic version format (Could not parse version number component 'b2'!), SemVer is recommended for reliably evaluating dependencies and prioritizing newer version
[03:03:50] [main/INFO]: Loading 100 mods:
`- advancednetherite 2.1.2-1.20.6` `- architectury 12.0.27` `- cicada 0.7.2+1.20.5-and-above` `- cloth-config 14.0.126` 
\-- cloth-basic-math 0.6.1
`- ctov 3.4.3` `- debugify 1.20.6+1.0` `- elytratrims 3.1.5` 
\-- mixinsquared 0.1.2-beta.4
`- enchanted-vertical-slabs 1.10.1` `- fabric-api 0.97.8+1.20.6` 
-- fabric-api-base 0.4.40+80f8cf51ff
-- fabric-api-lookup-api-v1 1.6.59+e9d2a72bff
-- fabric-biome-api-v1 13.0.25+be5d88beff
-- fabric-block-api-v1 1.0.20+6dfe4c9bff
-- fabric-block-view-api-v2 1.0.8+80f8cf51ff
-- fabric-blockrenderlayer-v1 1.1.50+80f8cf51ff
-- fabric-client-tags-api-v1 1.1.12+7f945d5bff
-- fabric-command-api-v1 1.2.45+f71b366fff
-- fabric-command-api-v2 2.2.24+80f8cf51ff
-- fabric-commands-v0 0.2.62+df3654b3ff
-- fabric-content-registries-v0 8.0.4+b82b2392ff
-- fabric-convention-tags-v1 2.0.3+7f945d5bff
-- fabric-convention-tags-v2 2.0.0+2b43c5c8ff
-- fabric-crash-report-info-v1 0.2.27+80f8cf51ff
-- fabric-data-attachment-api-v1 1.1.15+2a2c66b6ff
-- fabric-data-generation-api-v1 19.0.6+7f945d5bff
-- fabric-dimensions-v1 2.1.68+94793913ff
-- fabric-entity-events-v1 1.6.8+e9d2a72bff
-- fabric-events-interaction-v0 0.7.6+c5fc38b3ff
-- fabric-game-rule-api-v1 1.0.50+80f8cf51ff
-- fabric-item-api-v1 8.1.1+17e985d6ff
-- fabric-item-group-api-v1 4.0.38+aae0949aff
-- fabric-key-binding-api-v1 1.0.45+80f8cf51ff
-- fabric-keybindings-v0 0.2.43+df3654b3ff
-- fabric-lifecycle-events-v1 2.3.4+c5fc38b3ff
-- fabric-loot-api-v2 3.0.4+97f703daff
-- fabric-message-api-v1 6.0.10+109a837cff
-- fabric-model-loading-api-v1 1.0.12+80f8cf51ff
-- fabric-models-v0 0.4.11+9386d8a7ff
-- fabric-networking-api-v1 4.0.8+0dca0349ff
-- fabric-object-builder-api-v1 15.1.3+c5fc38b3ff
-- fabric-particles-v1 4.0.0+c5fc38b3ff
-- fabric-recipe-api-v1 5.0.3+c5fc38b3ff
-- fabric-registry-sync-v0 5.0.15+f1240ba7ff
-- fabric-renderer-api-v1 3.2.12+97f703daff
-- fabric-renderer-indigo 1.5.12+80f8cf51ff
-- fabric-renderer-registries-v1 3.2.61+df3654b3ff
-- fabric-rendering-data-attachment-v1 0.3.46+73761d2eff
-- fabric-rendering-fluids-v1 3.1.3+2c869dedff
-- fabric-rendering-v0 1.1.64+df3654b3ff
-- fabric-rendering-v1 4.2.4+b21c00cbff
-- fabric-resource-conditions-api-v1 4.0.1+74e2f560ff
-- fabric-resource-loader-v0 1.0.5+c5f2432cff
-- fabric-screen-api-v1 2.0.21+7b70ea8aff
-- fabric-screen-handler-api-v1 1.3.72+b21c00cbff
-- fabric-sound-api-v1 1.0.21+c5fc38b3ff
-- fabric-transfer-api-v1 5.1.6+c5fc38b3ff
\-- fabric-transitive-access-wideners-v1 6.0.10+74e2f560ff
`- fabric-language-kotlin 1.10.20+kotlin.1.9.24` 
-- org_jetbrains_kotlin_kotlin-reflect 1.9.24
-- org_jetbrains_kotlin_kotlin-stdlib 1.9.24
-- org_jetbrains_kotlin_kotlin-stdlib-jdk7 1.9.24
-- org_jetbrains_kotlin_kotlin-stdlib-jdk8 1.9.24
-- org_jetbrains_kotlinx_atomicfu-jvm 0.24.0
-- org_jetbrains_kotlinx_kotlinx-coroutines-core-jvm 1.8.0
-- org_jetbrains_kotlinx_kotlinx-coroutines-jdk8 1.8.0
-- org_jetbrains_kotlinx_kotlinx-datetime-jvm 0.5.0
-- org_jetbrains_kotlinx_kotlinx-serialization-cbor-jvm 1.6.3
-- org_jetbrains_kotlinx_kotlinx-serialization-core-jvm 1.6.3
\-- org_jetbrains_kotlinx_kotlinx-serialization-json-jvm 1.6.3
`- fabricloader 0.15.11` 
\-- mixinextras 0.3.5
`- fallingtree 1.20.6.5` `- guarding 1.20.6-2.6.1` `- iceberg 1.1.22` `- java 21` `- linsapi 1.4.6` 
\-- blue_endless_jankson 1.2.2
`- mavapi 1.2.0` `- mavm 1.3.0` `- mcwifipnp 1.7.0` `- mcwpaths 1.0.5` `- minecraft 1.20.6` `- modernfix 5.17.3+mc1.20.6` `- mr_dungeons_andtaverns 3.2` `- naturescompass 1.20.6-2.2.5-fabric` `- nochatreports 1.20.6-v2.7.0` `- notenoughanimations 1.7.3` `- packetfixer 1.3.2` `- roughlyenoughitems 15.0.728` 
\-- error_notifier 1.0.9
`- sketch 1.20.6-1.1.0` `- terrablender 3.5.0.4` 
-- com_electronwill_night-config_core 3.6.7
\-- com_electronwill_night-config_toml 3.6.7
`- terralith 2.5.0` `- tool_trims b2.1.0` `- veinmining 4.0.1+1.20.6` 
\-- spectrelib 0.16.1+1.20.6
-- com_electronwill_night-config_core 3.6.7
\-- com_electronwill_night-config_toml 3.6.7
`- vmp 0.2.0+beta.7.155+1.20.6` 
\-- com_ibm_async_asyncutil 0.1.0
`- xaerominimap 24.1.4` `- xaeroworldmap 1.38.6` `- yet_another_config_lib_v3 3.4.2+1.20.5-fabric` 
-- com_twelvemonkeys_common_common-image 3.10.0
-- com_twelvemonkeys_common_common-io 3.10.0
-- com_twelvemonkeys_common_common-lang 3.10.0
-- com_twelvemonkeys_imageio_imageio-core 3.10.0
-- com_twelvemonkeys_imageio_imageio-metadata 3.10.0
-- com_twelvemonkeys_imageio_imageio-webp 3.10.0
-- org_quiltmc_parsers_gson 0.2.1
\-- org_quiltmc_parsers_json 0.2.1
[03:03:50] [main/INFO]: SpongePowered MIXIN Subsystem Version=0.8.5 Source=file:/home/lucas/libraries/net/fabricmc/sponge-mixin/0.13.3+mixin.0.8.5/sponge-mixin-0.13.3+mixin.0.8.5.jar Service=Knot/Fabric Env=SERVER
[03:03:50] [main/INFO]: Compatibility level set to JAVA_21
[03:03:50] [main/WARN]: Reference map 'ctov-fabric-fabric-refmap.json' for ctov.mixins.json could not be read. If this is a development environment you can ignore this message
[03:03:50] [main/WARN]: Reference map 'ctov-common-common-refmap.json' for ctov-common.mixins.json could not be read. If this is a development environment you can ignore this message
[03:03:51] [main/INFO]: Loaded configuration file for ModernFix 5.17.3+mc1.20.6: 53 options available, 0 override(s) found
[03:03:51] [main/INFO]: Applying Nashorn fix
[03:03:51] [main/INFO]: Successfully started async appender with [ServerGuiConsole, SysOut, File]
[03:03:51] [main/INFO]: Initializing MixinExtras via com.llamalad7.mixinextras.service.MixinExtrasServiceImpl(version=0.3.5).
[03:03:56] [main/INFO]: Vanilla bootstrap took 2884 milliseconds
[03:03:56] [main/INFO]: Initializing platform helper for Advanced Netherite!
[03:03:56] [main/INFO]: Enabled 32 bug fixes: [MC-2025, MC-7569, MC-8187, MC-14923, MC-30391, MC-31819, MC-69216, MC-88371, MC-89146, MC-93018, MC-100991, MC-119417, MC-119754, MC-121706, MC-121903, MC-124117, MC-129909, MC-132878, MC-135971, MC-155509, MC-160095, MC-179072, MC-183990, MC-193343, MC-199467, MC-200418, MC-206922, MC-215530, MC-223153, MC-224729, MC-231743, MC-232869]
[03:03:56] [main/INFO]: Successfully Debugify'd your game!
[03:03:56] [main/INFO]: [evs] Enchanted Vertical Slabs initialized!
[03:03:56] [main/INFO]: LinsAPI is enabled!
[03:03:56] [main/INFO]: Packet Fixer has been initialized successfully
[03:03:56] [main/INFO]: Registering C2S receiver with id roughlyenoughitems:request_tags_c2s
[03:03:56] [main/INFO]: [REI] Registered plugin provider DefaultPlugin [roughlyenoughitems] for REIPlugin
[03:03:56] [main/INFO]: [REI] Registered plugin provider DefaultRuntimePlugin [roughlyenoughitems] for REIPlugin
[03:03:56] [main/INFO]: [REI] Registered plugin provider DefaultPlugin [roughlyenoughitems] for REIServerPlugin
[03:03:56] [main/INFO]: [REI] Registered plugin provider DefaultRuntimePlugin [roughlyenoughitems] for REIServerPlugin
[03:03:56] [main/INFO]: [REI] Registered plugin provider FabricFluidAPISupportPlugin for REIServerPlugin
[03:03:56] [main/INFO]: [REI] Registered plugin provider FabricFluidAPISupportPlugin for REIPlugin
[03:03:56] [main/INFO]: Registering C2S receiver with id roughlyenoughitems:delete_item
[03:03:56] [main/INFO]: Registering C2S receiver with id roughlyenoughitems:create_item
[03:03:56] [main/INFO]: Registering C2S receiver with id roughlyenoughitems:create_item_grab
[03:03:56] [main/INFO]: Registering C2S receiver with id roughlyenoughitems:create_item_hotbar
[03:03:56] [main/INFO]: Registering C2S receiver with id roughlyenoughitems:move_items
[03:03:56] [main/INFO]: Registering C2S receiver with id roughlyenoughitems:move_items_new
[03:03:56] [main/INFO]: Initializing Sketch
[03:03:56] [main/ERROR]: Failed to start the minecraft server
java.lang.RuntimeException: Could not execute entrypoint stage 'main' due to errors, provided by 'mcwifipnp'!
`at net.fabricmc.loader.impl.FabricLoaderImpl.lambda$invokeEntrypoints$2(FabricLoaderImpl.java:388) ~[fabric-loader-0.15.11.jar:?]` `at net.fabricmc.loader.impl.util.ExceptionUtil.gatherExceptions(ExceptionUtil.java:33) ~[fabric-loader-0.15.11.jar:?]` `at net.fabricmc.loader.impl.FabricLoaderImpl.invokeEntrypoints(FabricLoaderImpl.java:386) ~[fabric-loader-0.15.11.jar:?]` `at net.fabricmc.loader.impl.game.minecraft.Hooks.startServer(Hooks.java:63) ~[fabric-loader-0.15.11.jar:?]` `at net.minecraft.server.Main.main(Main.java:111) [server-intermediary.jar:?]` `at net.fabricmc.loader.impl.game.minecraft.MinecraftGameProvider.launch(MinecraftGameProvider.java:470) [fabric-loader-0.15.11.jar:?]` `at net.fabricmc.loader.impl.launch.knot.Knot.launch(Knot.java:74) [fabric-loader-0.15.11.jar:?]` `at net.fabricmc.loader.impl.launch.knot.KnotServer.main(KnotServer.java:23) [fabric-loader-0.15.11.jar:?]` `at net.fabricmc.loader.impl.launch.server.FabricServerLauncher.main(FabricServerLauncher.java:69) [fabric-loader-0.15.11.jar:?]` `at net.fabricmc.installer.ServerLauncher.main(ServerLauncher.java:69) [Server.jar:1.0.1]` 
Caused by: java.lang.NoClassDefFoundError: net/minecraft/class_437
`at java.base/java.lang.Class.forName0(Native Method) ~[?:?]` `at java.base/java.lang.Class.forName(Class.java:534) ~[?:?]` `at java.base/java.lang.Class.forName(Class.java:513) ~[?:?]` `at net.fabricmc.loader.impl.util.DefaultLanguageAdapter.create(DefaultLanguageAdapter.java:50) ~[fabric-loader-0.15.11.jar:?]` `at net.fabricmc.loader.impl.entrypoint.EntrypointStorage$NewEntry.getOrCreate(EntrypointStorage.java:117) ~[fabric-loader-0.15.11.jar:?]` `at net.fabricmc.loader.impl.entrypoint.EntrypointContainerImpl.getEntrypoint(EntrypointContainerImpl.java:53) ~[fabric-loader-0.15.11.jar:?]` `at net.fabricmc.loader.impl.FabricLoaderImpl.invokeEntrypoints(FabricLoaderImpl.java:384) ~[fabric-loader-0.15.11.jar:?]` `... 7 more` 
Caused by: java.lang.ClassNotFoundException: net.minecraft.class_437
`at java.base/jdk.internal.loader.BuiltinClassLoader.loadClass(BuiltinClassLoader.java:641) ~[?:?]` `at java.base/java.lang.ClassLoader.loadClass(ClassLoader.java:526) ~[?:?]` `at net.fabricmc.loader.impl.launch.knot.KnotClassDelegate.loadClass(KnotClassDelegate.java:226) ~[fabric-loader-0.15.11.jar:?]` `at net.fabricmc.loader.impl.launch.knot.KnotClassLoader.loadClass(KnotClassLoader.java:119) ~[fabric-loader-0.15.11.jar:?]` `at java.base/java.lang.ClassLoader.loadClass(ClassLoader.java:526) ~[?:?]` `at java.base/java.lang.Class.forName0(Native Method) ~[?:?]` `at java.base/java.lang.Class.forName(Class.java:534) ~[?:?]` `at java.base/java.lang.Class.forName(Class.java:513) ~[?:?]` `at net.fabricmc.loader.impl.util.DefaultLanguageAdapter.create(DefaultLanguageAdapter.java:50) ~[fabric-loader-0.15.11.jar:?]` `at net.fabricmc.loader.impl.entrypoint.EntrypointStorage$NewEntry.getOrCreate(EntrypointStorage.java:117) ~[fabric-loader-0.15.11.jar:?]` `at net.fabricmc.loader.impl.entrypoint.EntrypointContainerImpl.getEntrypoint(EntrypointContainerImpl.java:53) ~[fabric-loader-0.15.11.jar:?]` `at net.fabricmc.loader.impl.FabricLoaderImpl.invokeEntrypoints(FabricLoaderImpl.java:384) ~[fabric-loader-0.15.11.jar:?]` `... 7 more` 
If anyone can help thanks a lot!
submitted by Otherwise-Ad6488 to fabricmc [link] [comments]


2024.05.22 04:52 Ecstatic-Durian-2508 Minecraft keeps crashing with Exit code -1073741819

My game has started to randomly crash after some time for unknow reasons, despite all the fixes, always puking out the same error code "Exit code -1073741819" or "1", but the first code happens the most often. I tried on my pc or my mod pack. When the game crashes, the game freezes, screen blacks out and it triggers a driver timeout to my amd gpu. I tried so many things, it always end up crashing, and the worst is that I don't know the reason for it yet, and that it wasn't doing that before. These crashes happen completely randomly, it can happen as soon as i join my world, or minutes later when playing. Roaming around seems to be needed to trigger the crash

my modpack includes:
Version 1.19.2
25 chunks render distance
-Forge 43.3.0
-Optifine HD U I2 Forge 43.2.14 (wrong forge version for optifine isn't the cause, i already tested it)
-Using Complementary Reimagined shader
-Alex's Mobs
-AppleSkin
-Armor Status HUD Renewed
-AutoRegLib
-Better Days
-Better Foliage Renewed
-Better Fps - Render Distance[Forge]
-Biomes O' Plenty
-BobLib
-Carry On
-Citadel
-Cloth Config API (Fabric/Forge/NeoForge)
-Clumps
-Create
-Cupboard
-Curios API (Forge/NeoForge)
-Dungeon Crawl
-Dynamic Surroundings Resurrected
-Entity Collision FPS Fix
-Entity Culling Fabric/Forge
-Game Menu Mod Option [Forge]
-GraveStone Mod
-Iron Chests
-Jade 🔍
-Just Enough Items (JEI)
-LibX
-MoreVanillaArmor
-MoreVanillaLib-
-MoreVanillaTools
-MrCrayfish's Furniture Mod
-Ores Above Diamonds
-Quark
-Shutup Experimental Settings!
-SimpleCore API
-SimpleOres
-TerraBlender (Forge)
-Terralith
-Traveler's Titles (Forge)
-WorldEdit
-Xaero's Minimap
-Xaero's World Map
-XP Tome
-YUNG's API (Forge)
-YUNG's Better Desert Temples (Forge)
-YUNG's Better Dungeons (Forge)
-YUNG's Better End Island (Forge)
-YUNG's Better Jungle Temples (Forge)
-YUNG's Better Mineshafts (Forge)-
-YUNG's Better Nether Fortresses (Forge)
-YUNG's Better Ocean Monuments (Forge)
-YUNG's Better Strongholds (Forge)
-YUNG's Better Witch Huts (Forge)

I tried to:
-reinstall my gpu driver, with DDU, 2 times already
-rebuilding my modpack from zero
-swapping my ram with a different kit
-tried to see if overclocking or not makes a difference (it didn't)
-tried various jvm arguments, with or without
-Reinstalled java
-tried Memtest
-pressed the button "Repair Profile" on the forge loader
-Optimized my worlds
-checking for system errors on my storage devices, defragmented them and made disk cleanup
-On Cmd tried "dism /online /cleanup-image /restorehealth" and "sfc /scannow"
-tried a previous amd driver
-tried a different modpack (1.20.2) same symptoms
And all of these haven't made a difference.

My pc specs:
-i7 13700kf
-Rx 7900 XTX
-32gb Corsair Vengeance DDR5 5600 CMK32GX5M2B5600C36
-Asrock Z690 Steel Legend D5 mb
-Corsair Rm1000x psu (1000w psu)

I did stress my ram, cpu, gpu to detect any instability or trigger any crashes or bsod, but with vain, my system health isn't a concern in this context.
Note that i haven't made any change to the modpack or my pc to result in these sorts of crashes, since I've been playing my game with all these mods with no problem for months. All out of nowhere, the game started to crash just like that
I need help from someone, anyone, to help me find a solution, because unlike any other problems I had to troubleshoot, this one in particular is seriously hard to deal with, like a disgusting cancer that always comes back when you think you cured it. I hate it. I can't even play the game anymore without the constant fear of the game crashing and corrupting my world.
submitted by Ecstatic-Durian-2508 to Minecraft [link] [comments]


2024.05.22 04:25 Koi_Pond_226 I gave my oc couple some children

I gave my oc couple some children
They were all randomly generated and Emil is a trans man so,this isn’t cis mpreg
submitted by Koi_Pond_226 to GachaClub [link] [comments]


2024.05.22 04:23 Koi_Pond_226 I gave my oc couple some children

I gave my oc couple some children
(They were all randomly generated)
Also,Emil is a trans man so this is not like,cis mpreg
submitted by Koi_Pond_226 to GachaLife2 [link] [comments]


2024.05.22 04:06 Cel-747Live The Winning Edge: Strategies for Online Casino Games at Nuebe Gaming


The dazzling lights, the electrifying sounds, the promise of exhilarating wins – the world of online casino games beckons with irresistible allure. But beyond the captivating visuals and exciting atmosphere lies a realm where knowledge and strategy can significantly enhance your experience. Nuebe Gaming empowers you to cultivate the winning edge, equipping you with valuable strategies for various online casino games, transforming you from a casual player into a more informed and potentially more successful one.
Demystifying the Mechanics: Understanding the Game
Before embarking on your strategic journey at Nuebe Gaming, it's crucial to understand the underlying mechanics of each game you choose to play. Nuebe Gaming offers a wealth of resources, including comprehensive game guides, informative articles, and interactive tutorials. By familiarizing yourself with factors like random number generators (RNGs) in slots, house edge in table games, and the impact of bonus features, you gain valuable insights that can inform your decisions and potentially improve your gameplay.
Conquering the Reels: Slot Strategies for Success
Slot enthusiasts rejoice! Nuebe Gaming boasts a mind-boggling variety of slots, each with unique themes, features, and payout structures. However, mastering the reels requires more than just luck. Here are some winning strategies to consider:
Taming the Table: Mastering Classic Games
For those seeking a more strategic form of entertainment, Nuebe Gaming offers a variety of classic table games where knowledge and decision-making can significantly impact your success:
Poker Prowess: Sharpening Your Skills
For the poker enthusiasts, Nuebe Gaming offers a variety of poker variations, each requiring a unique blend of skill and strategy. Here are some tips to elevate your poker prowess:
Beyond the Basics: Explore Advanced Strategies
As you gain experience at Nuebe Gaming, delve deeper into the world of casino game strategies. Explore advanced techniques like card counting in blackjack or advanced betting systems in roulette (remember, responsible gambling practices are paramount).
Practice Makes Perfect: Utilizing Free-to-Play Options
Nuebe Gaming offers a fantastic selection of free-to-play games, allowing you to experiment with strategies, test your skills in a risk-free environment, and refine your approach before venturing into real-money gameplay.
Prioritizing Responsible Gambling: A Core Value at Nuebe Gaming
At Nuebe Gaming, responsible gambling is paramount. We offer a variety of tools and resources to help you manage your bankroll effectively, set spending limits, and prioritize enjoyment over chasing losses. Remember, online casino games are a form of entertainment, so gamble responsibly and prioritize fun over financial gain.
Embrace the Journey: Continuous Learning is Key
The online casino landscape is constantly evolving, and Nuebe Gaming keeps you ahead of the curve. We provide informative resources and blog posts that unveil the latest game releases, strategic insights, and responsible gambling practices. Regularly revisiting these resources can help you refine your skills and identify emerging trends to maintain your winning edge.
submitted by Cel-747Live to u/Cel-747Live [link] [comments]


2024.05.22 04:02 Jakalth Expedition Yeltomar

Expedition Yeltomar
Frank, a human male in his middle ages, sits in the pilot seat of the small single occupant shuttle. It had been a rather challenging descent so he was taking this time to catch his breath and settle his nerves. The Zeno-biologist has been exploring planets for the past year, jumping from system too system, cataloging planets for the galactic federation. He has already cataloged 3 other life bearing planets in the last 17 systems but this one was by far the most challenging.
Star system 2B38A-22 is a fairly mundane system with a larger K-class orange dwarf star at its heart. It contains a single gas giant and a common ice giant in its outer system with the molten metallic core of another gas giant circling in a 15 day orbit of its parent star. Just farther out is the planet he is currently landed on, being a sizable heavy gravity terrestrial world of 2.8 galactic standard gravity and having an unusually dense atmosphere of 8.1 galactic standard.
Frank takes a deep breath and pulls himself out of the seat. The high gravity of this world was proving difficult to fight against after his time in deep space. 'I really need to get more exercise. I'm getting weak here.'; he says too himself. Being an Earth born human, this world is only 1.6 times the gravity of Earth, so should not be this hard to manage. Walking slowly over too the science station he starts taking readings on the atmosphere of the planet too see if he will need the bulky atmosphere isolation suit, or just the re-breather. 'Hmmm. 40% Oxygen, 30% Carbon dioxide, 22% Methane, trace amount of Nitrogen, Neon, Helium, other gasses too low to make out. That's a novelty. Gravity and atmospheric pressure high enough to hold onto Helium.'; he thinks, starting to get into his elements again.
'Dangerously low biodiversity, mostly grasses and a few types of larger shrub and tree analogs. The limited animal life seems to be almost entirely evolved to use some type of flight. Almost no ground based life. But seems to be a stable marine biodiversity. Signs of a recent mass extinction event, no more then 1000 stellar cycles ago. No signs of civilization detected. No ruins or any forms of technology detected. Anomaly? Hmmm. What type of anomaly? Electromagnetic/Radio-logical. Odd... Close by as well. I'll have to check that one out.'; he reads off in his head. The results read out by the sensors were a bit erratic, changing a bit randomly as he watched them. The thick atmosphere and the shifting magnetic field of the planet are having negative effects on the shuttles sensors, making them unreliable.
"The atmosphere should be breathable, even without the re-breather. That's a nice change. But that high methane level will probably stink. Not so sure about the density though. It's thick as soup out there. Might want the re-breather just in case. Temperature seems fine and there isn't anything dangerous in the atmosphere so won't need the suit at least. Thank goodness for that. Wasn't looking forward to trying to move around in that bulky thing in this gravity."; Frank was starting too think out loud again. Being out here in unexplored space was starting to get too him. "Did you get the info dump Bimni? Is the info matching up with your reading up there?"; Frank calls out, having pushed the comms button in the science lab.
BrightEyesAtSea is a female Adelie Astor-geologist who is unfortunately stuck in their "mother-ship" due too the Adelie being unable to handle high gravity planets. She was quite displeased to say the least. So many different interesting mineral combinations to study and she was stuck ship side. Bimni was a name the human, Frank, had said when trying to shorten her name and it just kind of stuck. Not that she minded, but why couldn't he just use her full name? "Reading different up here. Not seeing that anomaly reading either. Blasted electromagnetic interference."; she Warbles out. The translation software working well to convert her Adelie churrs into human guttural speech, and vise verse. "This one is your call. You've got the more accurate atmospheric readings. Not sure about the rest. Something is off on this world, the chemistry just does not add up."
That did not bode well. If Bimni was having bad feelings, then he needed to be careful. Her gut feelings had proven more accurate then any sensor. "Noted. I'll be careful when out and about. Just keep Rover warmed up and send him down if anything goes wrong."; Frank responds in turn. Rover was a military robotic mech that, despite many attempts at reprogramming, they were not able to tone down its brutishly aggressive responses to stimuli. So they never use it for anything but hazardous environments or when things go wrong. "Just be sure to grab as many mineral samples as you can fit onto the shuttle. It would be so much easier if I could just be down there.": Bimni responds with a huff. Frank can feel her telepathic annoyance even from this range, so she must be truly furious about being stuck ship side.
Finding no other reasons to postpone this, Frank grabs the re-breather and walks, still slowly, over too the airlock. "Alright Bimni. I'm heading out. I'll keep in touch with you using the shuttle as a relay. Hopefully the interference doesn't get too bad."; Frank says after after linking up the mobile comms earpiece to the shuttles antenna. It's not like he was going to go far from the shuttle anyways. Not in this gravity. Just far enough to reach that anomaly. Cycling the airlock, he steps inside. Deciding to wait on the re-breather for now, he clips it too his belt. He would see how bad the atmosphere was and decide from there. Pushing the cycle button, he waits for the airlock to balance atmospheres with the outside, getting a taste of the atmosphere in the process.
As the airlock finishes cycling and opens, Frank is hit with the thick humid atmosphere and the raw smell of methane. Huh. The smell was not as bad as he thought it would be. But the thick humid air was another matter. "It's like pea soup out here."; Frank comments. "I could almost swim in this stuff. But at least its not hard too breathe." Bimni quickly responds with; "Gee thanks. Now I want a bowl of pea soup, and you know we ran out 5 cycles ago." She didn't sound any happier after that comment. "Well sorry for making you hungry, with all the good food being on the mother ship and me only having excursion rations."; he jokes back at her hoping to at least lessen her bad mood. "The only solace I have for being stuck up here."; Bimni coos back, seeming to have lost at least some of her bad mood.
Frank takes his first steps out of the airlock onto this new world and... \*SPLAT\* feels something wet and soft hit his head and slide down his side. Lifting a hand up to wipe the side of his head, he is met with a slimy substance with bits of plant matter and something else. Tentatively, he takes a sniff; "Fraaack...."; Frank lets out with a sigh. Looking up he sees a 2 meter long gasbag creature with undulating manta ray like wings slowly swimming away high above him. "First steps out of the shuttle and I get crapped on by an alien."; he says with a bit of disgust. This is quickly answered with a trilling chuckle from Bimni though the comms. "Not a word."; he says too Bimni, who continues to chuckle even louder. Retracing his steps back up to the shuttles airlock, he reaches inside and grabs one of the rag towels and wipes off the droppings from his head and side. What a great start this is...
20 minutes later, Frank has already loaded several unique looking rocks into the shuttle for Bimni to examine later and has determined that there are in fact TWO types of grass in the surrounding area. Wow. And what is that? Another one of those elongated gasbag creatures high above. Both of the grasses are very similar too each other it seems, both being nearly black in color too absorb as much of the very dim light given off by the orange sun in the sky as possible. It is quite dim out despite it being close too mid day with the sky being completely clear. The thick atmosphere dispersing a lot of the light and giving everything a red orange tint with blues being quite faint. In the distance he can see a cluster of shrubs that look like thick orange coral with yellowish black balloon like gas bags growing out of the ends of each branch. And beyond that, in the general direction of the anomaly readings, there is an unusual rock formation overgrown with some type of plants.
"Still not much too see here Bimni, other then a few odd rocks here and there. I grabbed several samples for you already before you ask. The lack of diversity here is quite disconcerting."; Frank comments to Bimni through the comms. In response he only hears the faint crunching of whatever she had found to munch on while he did all the hard work down here. "Still making my way towards the anomaly. Hopefully there will be something interesting there. At least the bushes ahead are something different. Seem to be a thick stemmed Ficus analog with inflated leaf structures that look like balloons. Some type of adaptation to the high gravity I'm sure."; he continues the running dialog he's been trying to keep up since the gasbag poo incident. Though it has been hard too due with how little there has been to discuss.
Closing in on the bushes, they are in fact, just as he though. Similar to a ficus with thick stems, and the leaves are gas filled balloon like structures that hold up the stems. Really not much to look at other then being completely alien with a fascinating symbiosis with a few benign bacteria that seem to produce the gas that fills its leaves. A sudden sound diverts his attention. Frank looks up just in time to track an unusual 1 foot long bird like creature taking off from the ground in a hurry. The creature has 2 pairs of feathered wings attached too a bird like body, a long swan like neck with a bird like beaked head that hangs down below it's body, no legs, and 2 highly aerodynamic gasbags on it's back. This bird is already moving fast and accelerating even faster as it moves at a right angle too him. "That's a new one. A bird like life form. Has both 2 sets of feathered wings and a pair of gasbags for lift. It's fast too!"; he excitedly says too Bimni.
His excitement is short lived though, as a loud POP is heard and a 3 clawed tentacle is suddenly attached through the birds gasbag, holding onto the bird. This tentacle is in turn part of a large wing shaped creature with an open mouth, filled with sharp teeth, attached too the bottom of its wing shaped body. The bird is quickly dragged backwards towards the open mouth and swallowed hole. The whole time this flying wing creature is rippling with different colors like an earth cuddle fish. Before Frank can even exclaim about it, there is a soft booming sound as trails of faint smoke start to come out of a cylindrical shaped bulge on each side of the wing shaped creature before it shoots forwards at high speed, climbing up upwards again before it's body ripples with color one last time then seems to fade into the sky as its body color quickly matches the color of the sky.
"By all that's holy! Your not going to believe this one..."; Frank says in a hushed tone. His excitement replaced with caution and a bit of fear. "There's a flying predator here that can camouflage to match the sky. Damn thing appeared in the sky out of no where and then was gone from sight just as quickly. Wolfed down that bird like you do with those sardines you like so much."
"Are you safe?"; Bimni responds with honest concern in her squawking voice.
"I think so. Don't see that thing anywhere. But you better make sure Rover is ready too launch on a moments notice in case that thing comes back. The damn thing seemed to be jet powered as well."; Frank responds, still a bit shaken up. He was not expecting anything like that, he wasn't going to lie. Looking around him, there was no shelter nearby other then the rock formation ahead.
"Can you take shelter for a bit somewhere? Just in case it's still around?"; Bimni asks, sounding quite concerned as she preps Rover for immediate launch.
"There's no where too take shelter. Closest is that rock formation. Hopefully there is some place to shelter near there."; Frank responds, not feeling very confident. But it's that or make a break for the shuttle, a good 15 minutes away though the open grasses.
"Do it. And by the gods, keep your human senses open!"; Bimni blurts out.
Frank didn't even bother with a response. He went into a full jog, the fastest he could move in the high gravity of this world. Even with his crazy human endurance, he was all too quickly winded and forced too slow down as he neared the rock formation. Finding an overhang with a shallow but human sized indent under it he ducks into it. It might not be much, but at least he only need to worry about what's in front of him now. "I'm there... Found a... overhang. In shelter."; he panted out. "No sign... of danger." He hasn't felt this winded since he used to run marathons back on Earth.
Having taken a moment to catch his breath again, Frank places his hands on the sides of the indent he's tucked into and only now realizes something is off. Pulling his eyes away from looking for danger, he glances at the surfaces around him. Too smooth. He runs his hands along it again and can feel the seams of... construction? "Uh Bimni? This rock formation is not natural. It was constructed."; he says in a slow quiet voice.
"What? Someone carved it?"; she asked. Frank ran his hands along the underside of the overhang while watching for danger, feeling the framework and paneling that was used too construct it. Metal. "No. It's a structure of some type. It's made of metal."; he responds. No ruins or technology my arse! "Wish you were down here even more now, your better with this stuff."
"I'm sending down Rover. I'll put it on manual and pilot it remotely myself."; Bimni states with a sharp chirp, leaving no room for argument. "Yeah, that's a good idea."; Frank responds softly. "I'll wait until Rover touches down before I start exploring. Don't need that big flying wing to catch me off guard."; he replies back.
Frank remains under the ledge while he waits for Rover to drop in, but luckily it's only a matter of a few minutes and the mech descends too the ground, curled into a ball, and under parachute. The mech is ready to go, being able to survive entry without the shuttle thanks to it's built in heat shield. Rover unrolls and stands up, being half the height of Frank, walking on 4 legs, with a manipulate arm on its back. With Rover there to help guard, Frank is able to leave his impromptu shelter. "Nice aim there Bimni. Landed Rover within meters."; he says to Bimni, a bit impressed. "Are you detecting anything new with Rovers sensors?"; Frank asks.
"Only getting the same reading, anomaly."; Bimni's voice comes from the speaker built into Rovers frame. "Now where did you find the metal?"; she asks as Frank gestures Rover over too the underside of the overhang and the indent he was tucked into before. "Back here, and above us. These surfaces are unnatural and the underside of this overhang is metal."; Frank points out.
Bimni pilots Rover under the overhang and uses the manipulator arm, with its light, to examine the surfaces more closely. "hmmm. Fascinating. These surfaces are of an alloy I've never seen before."; she says with a chirp of interest. As she is maneuvering to look at different parts of the surface, she accidentally bumps Rover into a panel on the side of the indent. There is a groaning noise from the back wall before the wall just as suddenly slides sideways revealing an opening. A soft glow is comming from inside along with the sounds of running machinery.
Giving each other a quick glance, both Frank, and Bimni piloting Rover, step in through the open doorway too figure out what is inside. There is a short corridor that leads too a room filled with softly glowing lights and what can only be a computer control room of some sort. Everything is marked with an alien language that is completely undecipherable. "Now this is interesting. And it's still running. Can you make anything of this?"; Frank says too Bimni before going to oe of the control panels and trying to figure out what it says. He doesn't notice Bimni's lack of response as he touches one of the displays.
There is a quick flash of the dim lighting in the room before all the sounds in the room go quite and the light turn off. "Did I touch the wrong thing?"; Frank asks. "Bimni, any idea? Bimni?"; he asks before turning around too see Rover standing un-moving in the corridor. "Hello. Bimni, you there?" There is no response but suddenly there is a burst of of some form of energy that even Frank can feel and an alarm starts blaring. Think now is the time to leave, Frank turns to Rover and grabs the handle on its back, pushing on it to try and get Rover's tactile override to move it. He's a bit grateful when it starts to back up through the corridor as its supposed to.
Once back outside, in the open air, there is a beep, as Bimni is able to reconnect too Rover. "What happened? I suddenly lost signal with Rover and lost your signal as well frank."; Bimni keels out, sounding quite worried.
"Not sure. Rover just stopped moving in the corridor while I was inside the room on the other side. Maybe some kind of shielding or interference?"; Frank responds while the alarm can still be clearly heard in the background.
"What did you do?"; Bimni demands now that the alarm sound can be heard clearly by her as well. "Nothing. I was just trying to see what the panels were and touched one, then the whole thing shut down and the alarm started going off. A growl is heard through Rovers speakers; "You humans have no common sense! You touch everything without even thinking..."; Bimni grumbles out. Frank can only shrug his shoulders sheepishly, can't really fight ones nature.
Any further comments from either of them is cut short as a pair of dragon like creatures land heavily beside them and let out a roar. These creatures are close too 4 feet tall at the shoulders, standing on four thin legs with 4 toed clawed feet. They both are black in color with thin, spindly looking bodies that are covered in very short, dense fur. They have a pair of wings on their back that are larger then their bodies and shaped like the wings of an albatross, and a single row of wide scales running along their backs from the top of their head too half way down their tail. The larger of the two stands up on it's hind legs and starts making shooing motions with its front legs and wings as it takes steps towards them. It is making strange animal vocalizations while it is doing this, sounding like many different animals, most unknown, but some sounding strangely familiar.
Bimni readies to defend Frank using Rover, but a quick gesture by Frank delays her. "Lets back away slowly and see how they respond first."; Frank says as he starts to back away from the structure. Begrudgingly, Bimni follows suit, backing Rover away from the building as well. Their actions are rewarded by the larger creature moving to stand in front of the open passage and crossing its front legs, like it is standing guard. The smaller of the two slips behind the larger one and hurries into the structure, still moving on all four legs. As it slips past, and into the structure, a series of marking can be seen over its back legs and tail. They are green in color and resemble lightning or electricity.
A loud series of animal noises is heard coming out from inside the structure. The larger creature blocking the passageway leans down, without taking its eyes off Rover and Frank and barks a series of noises back into the structure in turn. As it does this, marking can be seen on the sides and back of this creature as well, this time a red flame like pattern can be seen. A quick series of flashes is seen from the corridor and the sound of the alarm is silenced followed by the sounds of machinery starting up again. The smaller creature exits the structure shortly after, using its tail to hit the panel too close the doorway as it exits. Both creatures are now standing there staring at Frank and Rover, not looking too happy.
The smaller of the two creatures standing in front of Frank and Bimni turns too the larger one and lets out a series of barks, pops, clicks, and whistles which the larger one turns its head slightly towards it and gives off a purr sound. The smaller one stands up on it's hind legs and stretches up to rub it's nose on the chin of the larger one before dropping down too all 4 legs again and slipping behind the other. It quickly moves away from everyone and launches its self into the air with some visible effort, flying away on it's long thin wings.
"So what do you think Bimni? They don't seem like animals too me. Their actions seem a bit too civilized."; Frank says too Bimni, with a strange echo. "You think they are the ones who built this structure?"; Bimni responds with no echo from Rovers speaker. "I'm not sure. They might also be another species that found the structures already here."; Frank says with that odd echo again, while turning towards Rover. "I'm not sure."; is repeated in Franks voice. Frank freezes, looking around. Bimni also hears that, and has Rover turn completely around too scan the area. The creature in front of the structure has uncrossed it's front legs and is now standing less defensively with its head cocked too the side.
"I'm not sure."; is said again in Franks voice. This time it is definitely coming from the creature in front of the structure, as it tips its head too the other side. "Did it just copy your voice?"; Bimni asks, having turned Rover to face the creature again. "I think it did."; Frank responds, with no echo. Raising one of his hands up he points at himself and says; "Frank", then points at Rover and says; "Rover". Finally giving an open handed gesture towards the creature, he waits for a response. The creature seems to think about it for a bit and is about to give a response but suddenly turns it's head too the side as three more of the creatures fly in and land nearby.
One of the three that lands is the smaller one with green markings from earlier. Another is only slightly larger with blue markings that look like lightning, while the third is much larger. The largest of the three is even larger then the one standing in front of the structure. It has bright yellow flame markings on it's sides and tail and is carrying some sort of device. All three of them stand up on their hind legs shortly after landing and start talking to each other and the one that was there already quite heatedly. An unusual combination of different animal noises, mixed with pops, whistles, and barks and exchanged before the one at the structure stops and points at Frank and says; "Frank", then at Rover and says; "Rover" in a perfect imitation of Franks voice.
"Well, that settles it. If there was any doubt about intelligence..."; Bimni says after the obvious display. As soon as Bimni speaks, the largest of the beings taps a few times on the device it has and a projection appears above the device like a video screen. On this projected screen is the world they are standing on, seen from high orbit. The projection begins playing a video of sorts that shows a world lush with life. None of which has been seen anywhere. The video changes view, showing different versions of the 4 beings on different parts of the world, with cities and lots of advanced technology around them. Then the view changes again too high orbit where a powerful solar flare is shown flashing over the planet with several chunks of metalic asteroids being swept along with it.
The view changes again so the beings running in terror and crowding into bunkers and sturdy structures as asteroids rain down in fireballs, exploding high in the thick atmosphere. The sky turns flames as the atmosphere is ignited by the asteroids. The view changes again to a few survivors making their way out of bunkers to find a world flattened and burned empty. The view changes to high orbit again, but the view is getting closer too the planet as if what is giving the view is falling towards the planet. The lush planet appears burned barren and brown as the view goes static as the view source starts to burn up as well. Finally the view shifts too the few survivors giving up everything they have to build structures like the one in front of them as plants start to grow around the structures in slowly increasing circles. The 4 beings all turn too look at Rover and Frank while the one in front of the structure points at it then sweeps it's hands around at the general area.
Several days go by with the beings on the planet, soon known to call themselves Yeltarians, surprisingly quickly learning how to use the human language. Their own language involving implied meaning, and the sounds produced expressing that meaning instead of words. With the language barrier broken, the Yeltarians were able to fully explain what happened too their world. A massive solar flare had shattered the dieing inner planet of their system, flinging chunks of the planet outwards with the flare its self. Between the flare and the following planetary chunks, they had set the atmosphere ablaze, catastrophically altering the atmospheric composition. Most non aquatic life was decimated in the initial inferno while much more of the remaining life on the planet slowly dieing off from the atmospheric changes.
When the Yeltarian survivors finally left their bunkers, they found a world leveled by fire and chocked off by a nearly un-breathable atmosphere. Using all their advanced knowledge, the survivors hatched a plan to save both themselves and their world. A massive terraforming project over their entire planet. They built hundreds of terraforming machines around the world using every available scrap and surviving piece of technology they could find. Then to give their planet a chance to heal, they turned to their own culture and shifted it from a materialistic high tech one, to a minimalist druidic society. All this, just to save as much as they could of what life remained.
But the remaining biodiversity of their world is too low, and they continue to loose species to disease and failed genetic alterations. Their world will not last much longer with how few living things remain. Even their terraforming equipment is starting to fail. So this leaves them with only one hope, to find suitable life outside of their own world to balance the failing ecosystems. But, they had torn apart their only remaining spacecraft to build the equipment that sustains their world. And they have no way to rebuild them with all their technology regressed to the state it is in now.
They were also willing to explain their race as well. What had once been several different Yeltarian races, had all become one race after the cataclysm. They are of two different sexs, male and female, with the females being larger and stronger in general. While the males tend to be smaller and much lighter, but also faster and more maneuverable in flight. They also explained the meaning of the markings on their bodies. The color doesn't mean as much, but the pattern shows which of the two divergent genetic traits are active in their bodies. All Yeltarians have the genetics to use an organic fire through the production of alcohol in their bodies, and bio-electrics generated by specialized cells in their bodies. But only one of the two genetic traits ever manifests due to a special gene that randomly activates one trait genetic while blocking the other trait genetics when they reach maturity.
"So, would you be willing to help us out? Take one of us with you to help search for compatible life in the depths of space? Too save our dieing world?"; The leader of the local Yeltarians asks Frank and Bimni. "This is our only chance since we are unwilling to give up our dieing world. Our, Yeltomar."
submitted by Jakalth to HFY [link] [comments]


2024.05.22 03:52 Ralodinho r/qotsa March Madness Day 51: Block A Sweet Sixteen (2) The Lost Art Of Keeping A Secret vs (14) Misfit Love

Day 51 of qotsa March Madness! Yesterday's matchup had In The Fade, defeat Feet Don't Fail Me, to move on to the Elite Eight. Today's matchup is The Lost Art Of Keeping A Secret vs Misfit Love. Like always, if y'all don't know the rules, read the background below!
Background:
Hey guys! As it is March, in the College Basketball world, it is March Madness, and as a Basketball fanatic and a qotsa fanatic, I thought that bringing the two together for the subreddit would be a fun time to pass the time before the band embarks on the Canada/NA Leg! For the 64 songs in the bracket, I took (for the most part) the top 64 most streamed songs on Spotify. Then I did a random generator, generating each seeding. That's why you may see that some of your favorites that didn't make it unfortunately. Every day when the polls expire, I will upload the next matchup. I will have all the brackets linked in each post updated with the scores. May the best song win!
Block A
Block B
Block C
Block D
View Poll
submitted by Ralodinho to qotsa [link] [comments]


2024.05.22 03:46 DolfyDolf I managed to guess Finneon first try!

I managed to guess Finneon first try!
I don't know how many of you play this, but I only figured out about it today. It's called Squirdle(kinda like Wordle), and you have to guess the Pokemon based on right and wrong answers. You make your first guess, and it'll tell you if you did or didn't get the generation, type 1, type 2 (if any), height, and weight. I never start with the same Pokemon, but randomly chose Finneon and got it first try
submitted by DolfyDolf to pokemon [link] [comments]


2024.05.22 03:44 TheKattauRegion Why does ChatGPT generate existing lyrics so weirdly?

I'm using GPT-4o on a Chromebook. Whenever I ask it to give me the lyrics to a song, it generates it in a random programming language (python, vbnet, SQL, etc) with random words colored differently. The lyrics are completely accurate in most cases (though it tends to mix up who's singing which lyric), but why is it in a code box? Do the colors and programming language mean anything?
submitted by TheKattauRegion to ChatGPT [link] [comments]


2024.05.22 03:39 mage7921 I want a Chrysler 300

(little bit of yap sry) Ever since I got my first car a little over a year ago (2013 Chrysler 200) I've wanted a 300. I love the way they look inside and out, the after market options, all generations, and all trims. Everything just seems perfect, besides the 10 year old interior, but that's a minor flaw with solutions. I love that its a luxury full sized sedan with American muscle elements, that make it sporty but also stylish, which is hard to find in todays American market or even 10+ years ago. I'm looking to buy a 300 but there are very few that meet the requirements I'd like that aren't more than 1000+ miles away. I like the interior and wheel of the facelifted second gens along with the more modern front end and grill. An all wheel drive is kind of a must for me seeing as I live in the Midwest where we can get several feet of snow per year (seemingly at random), but I'd also like a 300S for the paddle shifters, sport mode, S badge, and lil bit of increased performance. I like the 300C's because of the luxury but if I'm not getting the S I want a V8 + all the options. They're ending the line this year and it just seems like I'm 10 years late to buying a 300 with the trim and specs I'd like. When I buy my 300 I want to keep it for as long as possible, no trading up, or selling bc it breaks, I want to upkeep it and drive it til it dies. I really do love the cars and its part of my dream garage. Does anyone have any input as to what I should do?
submitted by mage7921 to Chrysler300 [link] [comments]


2024.05.22 03:26 Notyou369 Chunk Base

I’ve recently learned about teleporting, and Chunk Base. I’ve used it to find some dungeons and a few other random things. I recently learned it works in the Nether, too. However when I try to find a fortress, I only get two coordinates, not three. If the picture I uploaded shows up (I can’t tell from my little screen), I’ve circled them in red. I’ve tried several different things, but I never get the Y-coordinate. This is also true other things to search for, such as ocean ruins. Is there a way to fix this or figure out the Y-coordinate myself? I was never good with graphs in school.
submitted by Notyou369 to Minecraft [link] [comments]


2024.05.22 03:26 ICantThinkOfAName759 While eating at a restaurant, a strange man walks in, approaches you, and gives you five pills. What pill do you take?

Red: The man takes your knife and cuts you with it, but instead of blood a hundred-dollar bill pops out.
Orange: the man leaves, but when night comes and you go to sleep the man kidnaps you and throws you into a pit of fire.
Green: The man leaves. Nothing happens at first, but when you check your bank account later that day you find an extra million in it.
Pink: The man adds some seasoning to your food. It tastes way better.
Black: The man takes a gun and shoots you, but then you suddenly wake up. It was all a dream.
Decline: The man picks a random one and shoves it down your throat. Use a random number generator to decide which pill he forces down your throat.
View Poll
submitted by ICantThinkOfAName759 to pollgames [link] [comments]


2024.05.22 02:48 Teslazoa Shattered Skies, Airships and Adventure [Online] [Paid] [DnD 5e] [LFP] [Discord] [Roll20]

The bellowing ring of the galleon's bell cuts clear through the clouds before its prow does, the baby blue sky joined with the rich umber of a hull following a long series of Clang... Clang... Clang. A careful eye might notice the gashed rips of claws in the half-drawn sails, but not many eyes are careful. Excitement has been the watchword of the day, the restlessness of the Guildhall practically bubbling over in confirmed anticipation of the vessel's arrival. Regardless of what might be below decks and upon newly minted charts there is one price coveted above all earned by the returning crew: Stories. More vital to your guild than any cargo is what that ship brings everywhere it goes. The bellowing ring of the galleon's bell cuts clear through the clouds before its prow does, the baby blue sky joined with the rich umber of a hull following a long series of Clang... Clang... Clang. A careful eye might notice the gashed rips of claws in the half-drawn sails, but not many eyes are careful. Excitement has been the watchword of the day, the restlessness of the Guildhall practically bubbling over in confirmed anticipation of the vessel's arrival. Regardless of what might be below decks and upon newly minted charts there is one price coveted above all earned by the returning crew: Stories. More vital to your guild than any cargo is what that ship brings everywhere it goes. Wonder.
Hi! I'm Ellory (They/she), DM of 8 years, and I'd like to be yours! DnD 5e was my very first exposure to TTRPGs and since then I've enjoyed a great many systems, but always will 5E have a very special place in my heart. I believe that the PCs are the main characters of the story that we all tell together, guided by my own work of set dressing and plot writing. I asked my players if they had anything to say for my DMing abilities, so I'll let them speak for me!

Reviews!

Game Details!

As is my wont, I've gone and made another fully fleshed out setting for a brand new group of players to experience. You will play as the explorers at the horizon, agents of The Cartographer's Guild. Maps are very important when you have to worry about another island, however distant, on a collision course with your house. And while map making is less than dramatic, the real main event is the exploration of never-before-seen chunks of land that haven't seen a soul in generations. Forgotten tombs and harrowing dungeons, isolated villages and monster nests await our intrepid voyagers, getting rich off of history before it kills them.
There's a fair bit of lore that would make this ad far and away overstuffed. If you're interested to learn the lore of creation, see a glimpse of history, and examine the 5 detailed cultures of the world, feel free to peruse this drive folder! https://drive.google.com/drive/folders/117zEVINT4h8qY4dkA3O5EU9J2VDrXPNY?usp=sharing
Generally speaking, our format of play will involved downtime at the Guildhall with our characters unwinding from the last expedition and preparing for the next. From there, exploration will ensue with brief but enriching and immersing random encounters until a plot encounter is discovered. Following its resolution our heroes will return to base and so the cycle repeats, with some glaring exceptions when player decision calls for it.
I have a handful of ideas for an overarching narrative, but our final choice will be made collaboratively and in accordance with player interest and backstory considerations.
I accept any and all classes from officially published material, though your selection of lineage/race will be more limited to fit the lore of the setting. Your options will include:
Even the familiar names of the above list do have occasionally significant alterations from the PHB to reflect their unique standing in the Shattered Skies.

Logistics & Requirements!

This game will require payment to the Game Master at a rate of $18 per session excepting absences and session zero delivered through Venmo, Cash App, or Zelle.
Roll20 will be used for the purposes of tactical combat encounter maps, dice rolling, and character sheet management. Discord will be used for voice and video communications. I will be using my camera for our sessions so I can talk with my hands and face alongside my voice, and I would encourage you to do the same! I have a server made and prepared for this game.
My timezone is CST, and I'm entirely available on Saturday to make a session time work around whatever our schedules allow for. I'm partial to evening start times myself. I'm hoping our (free) session zero can happen on the 25th and we can begin play properly on the 1st of June.
If you're paying for sessions of DnD it's a fair assumption you're over the age of 18, and I would prefer you're at least that old. Exceptions can be made, but my games tend to be adult and include elements of occasionally disturbing horror.
I expect y'all to have fun, and if that involves drug or alcohol use for you I'd ask the dial to be set to somewhere around 3 out of 10. I've been known to have a glass of wine during sessions but never anything more.
Safety tools will be utilized to maintain a safe environment where everyone is having comfortable fun. Lines and veils will be established, and mine is an open table. If you knowingly violate a line it is grounds for ejection without refund. There is a certain amount of emotional trust we give our players and our DMs when we play this game, and it will not be betrayed.
Furthermore, this is an explicitly LGBT friendly space. I'm queer in multiple ways and queer identities will be portrayed in the NPCs of the world. If either of those things are deal breakers for you, please look elsewhere for a game.

In Closing!

If this game has piqued your interest, shoot me a message on Reddit or find me on discord at "teslazoa"!
submitted by Teslazoa to roll20LFG [link] [comments]


2024.05.22 02:46 Teslazoa Shattered Skies, Airships and Adventure [Online] [Paid] [DnD 5e] [LFP] [Discord] [Roll20]

The bellowing ring of the galleon's bell cuts clear through the clouds before its prow does, the baby blue sky joined with the rich umber of a hull following a long series of Clang... Clang... Clang. A careful eye might notice the gashed rips of claws in the half-drawn sails, but not many eyes are careful. Excitement has been the watchword of the day, the restlessness of the Guildhall practically bubbling over in confirmed anticipation of the vessel's arrival. Regardless of what might be below decks and upon newly minted charts there is one price coveted above all earned by the returning crew: Stories. More vital to your guild than any cargo is what that ship brings everywhere it goes. The bellowing ring of the galleon's bell cuts clear through the clouds before its prow does, the baby blue sky joined with the rich umber of a hull following a long series of Clang... Clang... Clang. A careful eye might notice the gashed rips of claws in the half-drawn sails, but not many eyes are careful. Excitement has been the watchword of the day, the restlessness of the Guildhall practically bubbling over in confirmed anticipation of the vessel's arrival. Regardless of what might be below decks and upon newly minted charts there is one price coveted above all earned by the returning crew: Stories. More vital to your guild than any cargo is what that ship brings everywhere it goes. Wonder.
Hi! I'm Ellory (They/she), DM of 8 years, and I'd like to be yours! DnD 5e was my very first exposure to TTRPGs and since then I've enjoyed a great many systems, but always will 5E have a very special place in my heart. I believe that the PCs are the main characters of the story that we all tell together, guided by my own work of set dressing and plot writing. I asked my players if they had anything to say for my DMing abilities, so I'll let them speak for me!

Reviews!

Game Details!

As is my wont, I've gone and made another fully fleshed out setting for a brand new group of players to experience. You will play as the explorers at the horizon, agents of The Cartographer's Guild. Maps are very important when you have to worry about another island, however distant, on a collision course with your house. And while map making is less than dramatic, the real main event is the exploration of never-before-seen chunks of land that haven't seen a soul in generations. Forgotten tombs and harrowing dungeons, isolated villages and monster nests await our intrepid voyagers, getting rich off of history before it kills them.
There's a fair bit of lore that would make this ad far and away overstuffed. If you're interested to learn the lore of creation, see a glimpse of history, and examine the 5 detailed cultures of the world, feel free to peruse this drive folder! https://drive.google.com/drive/folders/117zEVINT4h8qY4dkA3O5EU9J2VDrXPNY?usp=sharing
Generally speaking, our format of play will involved downtime at the Guildhall with our characters unwinding from the last expedition and preparing for the next. From there, exploration will ensue with brief but enriching and immersing random encounters until a plot encounter is discovered. Following its resolution our heroes will return to base and so the cycle repeats, with some glaring exceptions when player decision calls for it.
I have a handful of ideas for an overarching narrative, but our final choice will be made collaboratively and in accordance with player interest and backstory considerations.
I accept any and all classes from officially published material, though your selection of lineage/race will be more limited to fit the lore of the setting. Your options will include:
Even the familiar names of the above list do have occasionally significant alterations from the PHB to reflect their unique standing in the Shattered Skies.

Logistics & Requirements!

This game will require payment to the Game Master at a rate of $18 per session excepting absences and session zero delivered through Venmo, Cash App, or Zelle.
Roll20 will be used for the purposes of tactical combat encounter maps, dice rolling, and character sheet management. Discord will be used for voice and video communications. I will be using my camera for our sessions so I can talk with my hands and face alongside my voice, and I would encourage you to do the same! I have a server made and prepared for this game.
My timezone is CST, and I'm entirely available on Saturday to make a session time work around whatever our schedules allow for. I'm partial to evening start times myself. I'm hoping our (free) session zero can happen on the 25th and we can begin play properly on the 1st of June.
If you're paying for sessions of DnD it's a fair assumption you're over the age of 18, and I would prefer you're at least that old. Exceptions can be made, but my games tend to be adult and include elements of occasionally disturbing horror.
I expect y'all to have fun, and if that involves drug or alcohol use for you I'd ask the dial to be set to somewhere around 3 out of 10. I've been known to have a glass of wine during sessions but never anything more.
Safety tools will be utilized to maintain a safe environment where everyone is having comfortable fun. Lines and veils will be established, and mine is an open table. If you knowingly violate a line it is grounds for ejection without refund. There is a certain amount of emotional trust we give our players and our DMs when we play this game, and it will not be betrayed.
Furthermore, this is an explicitly LGBT friendly space. I'm queer in multiple ways and queer identities will be portrayed in the NPCs of the world. If either of those things are deal breakers for you, please look elsewhere for a game.

In Closing!

If this game has piqued your interest, shoot me a message on Reddit or find me on discord at "teslazoa"!
submitted by Teslazoa to lfgpremium [link] [comments]


2024.05.22 02:46 bengalspicestar Gyms Should Rotate Locations

So, I've been feeling really bored of a lot of the Pokemon showing up in events and raids lately. I really just want to save my coins up for Global Go Fest, since I love the Eeveelutions, and want to shiny hunt those in raids. I play for free though, so my only way to do that is coins. I know each area has a "cell" in the game or something right? and in that area, if it has a certain amount of stops, one has to be a gym. So why have the locations of the gyms be set like that? I know people vote for locations, but that doesn't really matter when after all these years, people play gyms just as toxic as when the game first came out. I'm a team Instinct player, and some days I get less than 20 coins, because team Mystic players still have no manners as a collective I guess, I spend a long while taking out their tanky Pokemon that have been in there for a full day, start walking away, and 5 mins later, they have reclaimed it. People with a gym right by their apartment building instantly knock me out whenever I take it even though they live there. One time someone in there even cheated, glitched out the gym, turned it white so I couldn't add Pokemon with the "gym currently being attacked" message, stayed like that until near midnight when of course it turned blue again!! The library has a gym and I've never ever seen it any colour other than blue and it's always full of 6 tanky mons that are berried up at all times. Why do players like this get full monopoly and a fixed gym location? It really makes gym control impossible for certain teams in certain areas. I really think to counter this gyms should randomly generate new Pokestop locations once a month or so. especially in more residential areas.
thoughts on this? I know Niantic probably won't change a core mechanic that has been there since launch but it's still nice to throw ideas around I suppose!
submitted by bengalspicestar to pokemongo [link] [comments]


2024.05.22 02:44 SmallRadio3125 Size doesnt matter

(Authors Note: Im quite new to writing and any advice is highly appreciated. Otherwise hope you enjoy.)
&nebsp;
The many nations of the galaxy prided themselves on their colossal power. So did the Drö‘al, a species about 6m in height and about 70cm in width. One of the tallest species in the galaxy they were also known for their projects of mega-engineering building eccentric structures ranging from Dyson-swarmes too Spinning black hole generators, but most mind numbing were their fleets.
Made up of a apparently minuscule number of only 972 warships one would first assume their status as a galactic super power was only due to their mega-engineering capabilities and tide to them, economical power on the galaxies market, but that assumption would be wrong.
The vessels the Drö‘al built were hulking „Battleships“ more than capable of taking on one or if conditions were favorable two fleets and still being operational for the next engagement. These „Battleships“ were often dozens of miles long. Titans made up of imposing plasma batteries, advanced particle accelerators and deadly railguns plastered on every available square inch of hull. All weapons systems more than enough to easily flatten mountains from orbit and if fully let loose shatter the crust of planets and make them become uninhabitable. Adding to their offensive capabilities was the fact that the Drö‘al „Battleships“ had thick hull plaiting at its slimmest points about 70 feet and at most up too 120 feet in width.
These facts made the Drö‘al „Battleships“ a death sentence for anyone unlucky enough to go against and secured the Drö‘al‘s place in the hierarchy of the galaxy.
As a display of this power, but also to further relations between every civilization and Drö‘al government. The latter held a competition wherein each nation were to design one space ship of their technological capabilities to go against every other nation‘s ship in all out battle. With everyone fighting for themselves.
It was a holographic simulation, that took place in realtime where nations could express their naval and engineering power to their own people, to bolster morale, as well as garner the respect of fellow nation states.
This competition had been held over 58 times now and was a spectacle each cycle to behold. The ships, that took part in the simulation were controlled by a naval crew made to control the ship in a simulated star system of random choice.
With it being an even battle between the Drö‘al and other three other galactic super powers. The Kelron, Winlo and lastly the Zup.
Though having won the last competition the cycle before the naval and engineering team of the Drö‘al was determined to achieve victory this time as well having built on their current „Battleship“ design and equipping it with a new amour and upgraded weapons systems, that would even rival a super nova.
It was then to no surprise of their own, that the Drö‘al managed to at times easily hold their own in the simulation with the Zups „Scuirk“(Moon Cracker) being their closest competitor up until the last battle against an upstart faction called „The United Human Nations“.
The „humans“ had built a small unassuming raven black ship. Having no apparent weapons systems and all in all taken as a joke by the other competitors. So it came as a surprise too everyone, that it had survived the simulated battle for so long. More so when the Drö‘al „Battleship“ started to loose amour integrity which became invisible black dust.
First at an unnoticeable rate as it tried to locate and evaporate the human ant, that had hid in the chaos of battle.
Then the longer the Drö‘al searched for the Human „Dropship“ the faster the depletion of their amour went by. Exponentially eating up the thick amour of their metal titan.
This made the Drö‘al naval personal in control of their ship panic as they fired on everything which remotely looked like the human „Dropship“ radar signal, but all they hit was dust and echoes.
Thinking they were being destroyed by some type of infrared laser deployed by the human vessel they searched the entire spectrum of the simulation up and down, but their sensors yielded no useful result. Nothing out of the ordinary.
The Drö‘al cursed human ship design while firing at all available targets in the simulated star system hoping they would eventually hit the fly buzzing around their eyes, but again no human ship was hit.
In their panic the Drö‘al naval did not fathom the true idea of what the human engineers had come up with while firing wildly until their ships total destruction as the amour integrity loss became hull loss until nothing was left im the simulation, but black dust.
Which ended up forming a small human „Dropship“ with the Name of „Size doesn‘t matter“ in bright white letters. A nanite swarmer ship and pride of the human navy.
submitted by SmallRadio3125 to HFY [link] [comments]


2024.05.22 02:41 pliskin42 What do you all think of this setting blurb I wrote up? I'm planning on presenting it to a new D&D group during a session zero. That way we can spitball characters and elements of the new setting.

Ionaxus: A World of Stolen Youth
Is it really kidnapping if it happened to thousands of people at once? Of course that question might also assume that there was some sort of intelligence behind The Phasing. Such questions were little comfort to the many peoples of the Forgotten Realms who suddenly awoke one day in in the unknown expanses of a land which would come to be called Ionaxus. Many who experienced the catastrophe have made a strong case that there must have been a greater being of some kind who caused it. On the face there was plenty of randomness in those who were phased: species, heritage, sex, creed, little or no connection could be found in the standard demographics. However, one notable exception became obvious to those paying attention---those of advanced years. Only those in the youthful prime of their life were phased; none who were growing beyond middling years for their kind found themselves in Ionaxus. As if they were intentionally left behind.
Those first days after The Phasing were dark times. For most a normal life was hard enough, but suddenly finding themselves without tools, weapons, family, and only each other for allies the new Population of Ionaxus were immediately struggling for survival. What was worse, with little in the way or resources, much of the institutional and advanced knowledge was gone with the elders. There were plenty of skilled journyfolk in a wide range of trades and studies, but no longer were there any masters of their crafts to pass information along. Advanced building techniques, agriculture, and weapons technology were near impossible to recreate --- much less arcane secrets like teleportation or plane shifting. The population was stuck. Struggle and strife were the norm; soon those who found themselves at odds with the group, or who otherwise wished to cloister and establish their kind, spread out and traveled to locations to stake their claims.
Of course Those Where Were Phased wondered and called to their gods during their dire circumstances. Soon it became clear to most that their prayers were going unanswered. The gods of their old world, of Toril, seemingly have forgotten them in this realm. Nature abhors a vacuum, and so do folks in need of religion. Soon the worship of new gods, ones who blessed and aided their followers came into vogue. Only the most staunch in their faith’s from the old world maintained their sects. Generally their children, and children’s children opted for the more pragmatic choice.
250 years later advancement has been at a crawl. Populations in many localities have just now started to really expand and develop.. With this expansion and development the need to strike at opportunities has grown as well. Only the longest lived species have members of Those Who Were Phased. While other folk have had several generations, and those who were phased might be the stuff of legend to them now. Some settlements have developed and grown into stable kingdoms and governments. Others stay balanced on the knife’s edge for their survival and resources. Thankfully, those who seek opportunity have plenty of untamed frontier of all kinds and varieties to explore in the hopes of fame and fortune. Those who have undergone such journeys and came back have brought with them puzzling reports. Scattered in many places are ruins from long dead civilizations who lived here before and who seemingly vanished or died out at different times.
Ionaxus is a land of mystery and forgotten history. Few who live there now could tell you much about past events. In many senses the current population is just beginning to find themselves as peoples apart from their ancestors in the old forgotten realms. Thus this world is one of comparatively low technology and low to moderate magic. (think early middle ages just after the fall of the roman empire.) Only time will tell what will remain with the various folk, what will fade to legend, and what will be lost to time. Perhaps more importantly, no one knows what is on the horizon for the descendants of Those Who Were Phased, nor what they will reclaim, or develop unto themselves.
What characters would come forth from such a place?
submitted by pliskin42 to worldbuilding [link] [comments]


2024.05.22 02:34 Reinhardt-X War of Diplomacy Mod

War of Diplomacy Mod
Hello everyone,
I wanted to share with the AOE2 of a new mod for diplomacy games called "War of Diplomacy". This mod focuses on adding new features that enhances diplomacy games while promoting strategic alliances. In addition to that each players have randomized war goals and diplomatic cards that can play into their favor as well as changing the outcome of match.
Currently War of Diplomacy is available on Poland map with more maps on the way. Below is an infographic that provides detailed information what you need to know about War of Diplomacy mod:
https://preview.redd.it/443nzmwdiv1d1.png?width=1920&format=png&auto=webp&s=2ae5fba7f08e354c3320df48da3e7f36843b26de
Default Settings: Locked Teams: ON Reveal Map: OFF or EXPLORED SHARED EXPLORATION: OFF
Alliance Center: Available in Castle Age. Cost a hefty sum of gold. To form alliance, send alliance offer to the player you want to form. Accepting alliance offer is free and up to the player to decide whether to accept or not. Player also can withdraw their alliance offer and get gold refunded. To break alliance, send formal break alliance with the player in question.
Victory Condition: There are 4 primary victory conditions.
  • Regicide: Kill all players kings.
  • Wonder Victory: Build & Defend the Wonder.
  • Relic Victory: Capture all relics & hold.
  • Allied Victory: Ally with all surviving players to win.
War Goals: Currently there are 4 war goals that are randomized at beginning of the game. They are secondary victory condition, which means you need to fulfill these objective in order not to be eliminated from the game.
  • Protection: Protect [x]. Lose if either you or your protectorate is eliminated.
  • Assassination: Assassinate [x]. Lose if you are eliminated.
  • Elimination: Eliminate all players. Lose if you are eliminated or allied with all surviving players.
  • Hidden Agenda: Form alliance and maintain for 30 minutes to gain military training speed. Afterwards, you can decide whether to maintain alliance or backstab one of your allied player to gain Reveal Agenda with elimination condition.
Some important notes: Protection is disabled if the protectorate you are supposed to protect resigns before their king is killed. If you have Assassination or Revealed Agenda war goal, you will be disallowed from allying your target as part of the elimination condition.
Relics: There are 8 relics in total across the map. Capture them and garrison them in your temple for bonuses.
  • [1] = Cartography
  • [4] = Spies
  • [7] = Autoenemy
  • [8] = Relic Victory
Diplomatic Cards: There are 25 diplomatic cards to choose from. They are randomized at beginning of the game and upon drawing one, bonuses are automatically given to you right away. Below is list of diplomatic cards:
  • Ancient Relic: All relics gold generation multipled by 200%.
  • Holy Crusade: Paladin > Crusader Knight. If no Paladin technology, available at 60 minutes.
  • Iron Bulwark: Fortifications +1 mARM / pARM & +10% HP.
  • Greek Fire: Fire Units +1 ATK & Fire Tower in Imperial Age.
  • Pious: Villagers move and work 10% faster.
  • Cargo Holds: Trade Carts & Carts generates 10% extra gold.
  • Seafaring: Fishing Ships move and work 25% faster.
  • Cowardly Knights: Units are trained 10% faster.
  • Treasurer: +1% Gold Stockpile per minute.
  • Faithful: Faith units move, attack, convert, and heal 10% faster.
  • Siegecrafter: Siege units +1 ATK & Flamethrower in Imperial Age after Chemistry.
  • Boomer: Max population increased by 10%.
  • Sniper: Fortifications +1 Range.
  • Resourceful: Resources last 15% longer.
  • Blindsided: Holding 7 or more relics and Wonder being built no longer autoenemy.
  • Conqueror: Fortifications +10% Attack Speed & +1 ATK.
  • Mesoamerica's Blessing: Knight-line replaced by Xolotl Warrior.
  • Midas Gold: Food, Wood, and Stone generate gold.
  • Dynamite: Explosive Units +10% Blast Radius, ATK & Movement Speed.
  • Rolling Thunder: Trebuchet +1 Range & +10% ATK
  • Back to Future: Photonman available in Imperial Age.
  • Blitz: Siege units move, unpack and pack 10% faster.
  • Capitalist: Trading fee reduced to 0% & trade units move 15% faster.
  • Pax Imperius: Imperial Units available in Imperial Age.
  • Atheism: Relic and Wonder victories take +100 years longer and -50% enemy Relic resource income.
How do I win War of Diplomacy? Easy enough! Fulfill your war goal and one of these victory conditions i.e relic victory, allied victory, regicide, or wonder victory that works the best in your favor.
Are any modifications?
Trade cogs & trade carts limited to 25, but cost value, population cost, gold generation from trading x3 to balance it out. Powerful units like Siege Onager, Cannon Galleon, and Elephants has slightly longer training time.
Important Note: Before playing War of Diplomacy mod, make sure to enable "Options" > "Interface" > "Toggle Extended Tooltips" to be able to see both War Goal & Diplomatic Card descriptions.
Suggestions / Ideas: If you have ideas or suggestions for maps or game mechanics, let Reinhardt (Triggers & Mechanics) or Boshan (Maps) know.
Where to download: https://www.ageofempires.com/mods/details/238762/
submitted by Reinhardt-X to aoe2 [link] [comments]


2024.05.22 02:24 Casual_AF_ Is what OpenAI did illegal? Maybe. But it's almost certainly unethical

Without exaggeration, the decision making at OpenAI in voicing Sky is shocking and very worrying.
I'm a data analytics professional, and occasionally come across issues with Personally Identifiable Information (PII) that can slide into unethical and illegal practices if not addressed. People have rights to privacy, and collecting PII around certain things (especially medical) requires a lot of care to not breach that privacy.
Similarly, people have rights to their likeness and it not being used without their permission.
"Oh," you (might) smugly reply "the voice for Sky comes from another voice actor - and actually it sounded more like Rashida Jones than Scarlett Johansson anyway!"
Storytime for how actual professionals handle things like this. I was the data analytics person attached to a cancer research study that had roughly 80 participants, about half of which were in the intervention group. We had a lot of data on these individuals that could easily breach PII and become unethical (as well as illegal). The idea came around to give them fake names to more easily outline the results for the individuals. So we just pick random names, right? Wrong. Because what if we accidentally assigned the correct name to one of the participants? So we had to have the names assigned by one of the HCPs that knew their real name and would assign what was specifically an incorrect name to each participant.
So not only did we not try to find PII of the individuals, we actively and painstakingly avoided it.
That is not at all what OpenAI did.
They were told "no you cannot use my voice". IF they were ethical professionals, they would have specifically not included a voice model that was even close to resembling the person that specifically did not give consent for their voice likeness to be used. In the very most charitable version of events, they accepted they could not use Scarlett Johannsson's voice, and then did a totally blind casting of voice actors regardless of how close to hers it was.
When offered the opportunity to wade into a morally grey area or to avoid it completely, the decision at OpenAI was to wade in.
And the stakes could NOT have been lower. This was all over being able to gin up a little extra marketing excitement. This wasn't about the quality of the product, how many people it could reach, or how it would impact users. This was all over a marketing gag.
So what about when it actually matters? And according to these same people, it will. According to the people that chose to potentially infringe on an individual's rights, the technology they're shepherding will have the greatest impact on humanity in generations.
We should be worried by this.
submitted by Casual_AF_ to ChatGPT [link] [comments]


http://activeproperty.pl/