Thug name generators

For Writers Naming Characters

2016.01.11 02:24 ActuallyTrash For Writers Naming Characters

For people who need names for characters in stories, books, and anything else.
[link]


2018.03.08 06:05 jlopez24 Juice WRLD

A subreddit dedicated to the late rapper Juice WRLD (Jarad Anthony Higgins). Dec. 2nd, 1998 - Dec. 8th, 2019.
[link]


2012.07.13 19:12 Suggestions for Usernames/Screennames

Made for the purpose of helping others come up with a username/screenname for whatever purpose. From online gaming to youtube, twitter to tumblr, e-mail to ~~9gag~~ Reddit, /screennames and its members will help you come up with a funny, creative, intimidating, and/or relevant username that fits you!
[link]


2024.05.15 17:40 mehmilani If I coulddo it, you can too.

If I coulddo it, you can too.
As a middle-aged foreign pharmacist graduated many years ago, this was the toughest hurdle to overcome. I used the rxprep book for prep. Took me about 2 months at a daily avg of 4 hrs to read and review. I added the test bank to my schedule over the final two weeks. I decided to skip chemo II altogether as I thought I could use the little precious time I had to focus on other high yield subjects. Fortunately I got only 3-4 questions related to cancer.
My own assessment pre-exam was I felt I could use a bit of luck to pass. Math problems were generally easy to me so I wasn't too worried about that. I come from a country where pharmaceuticals are predominantly generic, and I did a terrible job memorizing the brands in the rxprep book. I think I maybe memorized 40-50% of the bolded brand names.
I did not take any pre-exams. But I self tested using the uworld test bank. I would add new subjects as I reviewed them and generate tests in batches of 100 questions. My results were consistently in the 63-68% range. I was feeling very discouraged at not seeing any improvement over the last two weeks. In fact, I would postpone my exam if my eligibility didn't expire on the date I had booked my exam for.
I can't say the format of the exam was as I expected it to be. I was aware that it was mostly going to be case based. But the test bank had me imagine that they are likely to give me a case and then give me multiple questions related to that same case. In reality, it was nothing like that. I was given almost 100% case based questions, but it was a new and lengthy case for every single question. About 30% of the time, the case was almost unrelated to the actual question (you could tell the answer was the same regardless of what's in the case). I realized 4 hours into the exam (120 more questions to go) that I had to rush if I was going to see all the questions before time was up. I think I answered the last question about 30 seconds before the bell.
submitted by mehmilani to NAPLEX_Prep [link] [comments]


2024.05.15 17:32 OkEntertainment1677 CS50 Help - Week 9 - Finance

I have been at this project for days now. I had removed it three times and restarted from scratch. I tested flask after modifying each area. I was doing well until the "index" code. Once I did that, my webpage no longer will open. I've checked with ChatGPT and it's saying my code looks fine. Please help! I'll attach what I've done so far in app.py and my index.html.
import os from cs50 import SQL from flask import Flask, flash, redirect, render_template, request, session from flask_session import Session from werkzeug.security import check_password_hash, generate_password_hash from helpers import apology, login_required, lookup, usd # Configure application app = Flask(__name__) # Custom filter app.jinja_env.filters["usd"] = usd # Configure session to use filesystem (instead of signed cookies) app.config["SESSION_PERMANENT"] = False app.config["SESSION_TYPE"] = "filesystem" Session(app) # Configure CS50 Library to use SQLite database db = SQL("sqlite:///finance.db") @app.after_request def after_request(response): """Ensure responses aren't cached""" response.headers["Cache-Control"] = "no-cache, no-store, must-revalidate" response.headers["Expires"] = 0 response.headers["Pragma"] = "no-cache" return response @app.route("/") @login_required def index(): """Show portfolio of stocks""" # Get user's stocks and shares stocks = db.execute("SELECT symbol, SUM(shares) as total_shares FROM transactions WHERE user_id = :user_id GROUP BY symbol HAVING total_shares > 0", user_id=session["user_id"]) # Get user's cash balance cash = db.execute("SELECT cash FROM users WHERE id = :user_id", user_id=session["user_id"])[0]["cash"] #Initialize variables for total values total_value = cash grand_total = cash # Iterate over stocks and add price and total values for stock in stocks: quote = lookup(stock["symbol"]) stock["name"] = quote["name"] stock["price"] = quote["price"] stock["value"] = stock["price"] * stock["total_shares"] total_value += stock["value"] grand_total += stock["value"] return render_template("index.html", stocks=stocks, cash=cash, total_value=total_value, grand_total=grand_total) @app.route("/buy", methods=["GET", "POST"]) @login_required def buy(): """Buy shares of stock""" if request.method == "POST": symbol = request.form.get("symbol").upper() shares = request.form.get("shares") # Check if symbol is provided if not symbol: return apology("must provide symbol") # Check if shares is provided and is a positive integer elif not shares or not shares.isdigit() or int(shares) <= 0: return apology("must provide a positive integer number of shares") # Lookup the symbol to get the current price quote = lookup(symbol) if quote is None: return apology("symbol not found") price = quote["price"] total_cost = int(shares) * price cash = db.execute("SELECT cash FROM users WHERE id = :user_id", user_id=session["user_id"])[0]["cash"] if cash < total_cost: return apology("not enough cash") # Update user's cash balance db.execute("UPDATE users SET cash = cash - :total_cost WHERE id = :user_id", total_cost=total_cost, user_id=session["user_id"]) # Add the purchase to the transactions table db.execute("INSERT INTO transactions (user_id, symbol, shares, price) VALUES (:user_id, :symbol, :shares, :price)", user_id=session["user_id"], symbol=symbol, shares=shares, price=price) flash(f"Bought {shares} shares of {symbol} for {usd(total_cost)}!") # Pass total_cost to the template return render_template("buy.html", total_cost=total_cost) else: return render_template("buy.html") @app.route("/history") @login_required def history(): """Show history of transactions""" return apology("TODO") @app.route("/login", methods=["GET", "POST"]) def login(): """Log user in""" # Forget any user_id session.clear() # User reached route via POST (as by submitting a form via POST) if request.method == "POST": # Ensure username was submitted if not request.form.get("username"): return apology("must provide username", 403) # Ensure password was submitted elif not request.form.get("password"): return apology("must provide password", 403) # Query database for username rows = db.execute( "SELECT * FROM users WHERE username = ?", request.form.get("username") ) # Ensure username exists and password is correct if len(rows) != 1 or not check_password_hash( rows[0]["hash"], request.form.get("password") ): return apology("invalid username and/or password", 403) # Remember which user has logged in session["user_id"] = rows[0]["id"] # Redirect user to home page return redirect("/") # User reached route via GET (as by clicking a link or via redirect) else: return render_template("login.html") @app.route("/logout") def logout(): """Log user out""" # Forget any user_id session.clear() # Redirect user to login form return redirect("/") @app.route("/quote", methods=["GET", "POST"]) @login_required def quote(): """Get stock quote""" if request.method == "POST": symbol = request.form.get("symbol") quote = lookup(symbol) if not quote: return apology("Invalid symbol", 400) return render_template("quote.html", quote=quote) else: return render_template("quote.html") @app.route("/register", methods=["GET", "POST"]) def register(): """Register user""" # Forget any user_id session.clear() # User reached route via POST (as by submitting a form via POST) if request.method == "POST": # Ensure username was submitted if not request.form.get("username"): return apology("must provide username", 400) # Ensure password was submitted elif not request.form.get("password"): return apology("must provide password", 400) # Ensure password confirmation was submitted elif not request.form.get("confirmation"): return apology("must confirm password", 400) #Ensure password and confirmation match elif request.form.get("password") != request.form.get("confirmation"): return apology("passwords do not match", 400) # Query database for username rows = db.execute("SELECT * FROM users WHERE username = ?", request.form.get("username")) # Ensure username does not already exist if len(rows) != 0: return apology("username already exists", 400) # Insert new user into database db.execute("INSERT INTO users (username, hash) VALUES(?, ?)", request.form.get("username"), generate_password_hash(request.form.get("password"))) # Query database for newly inserted user rows = db.execute("SELECT * FROM users WHERE username = ?", request.form.get("username")) # Remember which user has logged in session["user_id"] = rows[0]["id"] # Redirect user to home page return redirect("/") # User reached route via GET (as by clicking a link or via redirect) else: return render_template("register.html") @app.route("/sell", methods=["GET", "POST"]) @login_required def sell(): """Sell shares of stock""" return apology("TODO") 
My index.html code is,
{% extends "layout.html" %} {% block title %} Portfolio {% endblock %} {% block main %} 

Portfolio

{% for stock in stocks %} {% endfor %}
Symbol Name Shares Price Total Value
{{ stock.symbol }} {{ stock.name }} {{ stock.total_shares }} {{ stock.price }} {{ stock.price * stock.total_shares }}
Cash {{ cash }}
Total Value {{ total_value }}
{% endblock %}
submitted by OkEntertainment1677 to cs50 [link] [comments]


2024.05.15 17:28 ceelaygreen Does anyone else absolutely hate pet-names from strangers/colleagues? What are your thoughts on them?

This discussion is more for women to answer. And please no hate, I just want a nice discussion.
I'm a woman who is turning 30 next month but definitely look like I'm in my early 20s which perhaps contributes to the pet-names (and my ego surrounding my dislike for them.)
Some examples: There's a woman who works in my local off-license and always calls me 'love/deasweetie/darling' and I can't help but find it a little patronising. I'm sure that she's just being nice and has no mal intentions but I personally think - hot take? - that pet-names create an unequal dynamic, deliberate or not and we shouldn't use them with strangers/people who aren't our 'darlings.'
Another example, I used to be a teacher and one of the teaching assistants (probably in her 50s) was walking through a door at the same time as me and said "sorry [pet-name]" (in the UK we say "sorry" for everything, it's more of an acknowledgement than anything in this context.) I couldn't help but find it to be quite unprofessional and demeaning. Yet again, she didn't mean it in a hurtful way, but it made me feel young and as though I wasn't being taken seriously or respected. I knew she wouldn't say this to another teacher who was oldelooked older than me. This also isn't a generational thing. I've worked in plenty of other jobs where women my age call me 'hun' or 'babe'. I feel like if I do it back (which is completely out of character for me anyway) I would be being passive aggressive or insincere. I'm sure for them it's just a common word in their vocab so they don't think much of it.
I'm bringing this up on a feminism page as I feel like this is somewhat linked? Possibly to do with the infantilising of women and in general just making us feel small or less capable? Hopefully someone can explore this a bit with me.
And of course, I'm aware that young boys and even men are pet-named and I'm sure that they, as well as many other women, wouldn't have a problem with it. It might just be me but would love to hear other women's thoughts.
I also know this is probably a me-problem, but I guess my stress with it comes from the pet-namer not being aware of why they just had to call me a pet name, if that makes sense.
submitted by ceelaygreen to AskFeminists [link] [comments]


2024.05.15 17:21 redcar41 1 Kings 1: 1-10

Hello! I've made comments here on this subreddit before, but this is my first time as a contributor. If you have any tips or feedback, then that'd be great. Thank you, have a great day and God bless! :D

Adonijah Sets Himself Up as King

1 When King David was very old, he could not keep warm even when they put covers over him. 2 So his attendants said to him, “Let us look for a young virgin to serve the king and take care of him. She can lie beside him so that our lord the king may keep warm.”
3 Then they searched throughout Israel for a beautiful young woman and found Abishag, a Shunammite, and brought her to the king. 4 The woman was very beautiful; she took care of the king and waited on him, but the king had no sexual relations with her.
5 Now Adonijah, whose mother was Haggith, put himself forward and said, “I will be king.” So he got chariots and horses\)a\) ready, with fifty men to run ahead of him. 6 (His father had never rebuked him by asking, “Why do you behave as you do?” He was also very handsome and was born next after Absalom.)
7 Adonijah conferred with Joab son of Zeruiah and with Abiathar the priest, and they gave him their support. 8 But Zadok the priest, Benaiah son of Jehoiada, Nathan the prophet, Shimei and Rei and David’s special guard did not join Adonijah.
9 Adonijah then sacrificed sheep, cattle and fattened calves at the Stone of Zoheleth near En Rogel. He invited all his brothers, the king’s sons, and all the royal officials of Judah, 10 but he did not invite Nathan the prophet or Benaiah or the special guard or his brother Solomon.
Footnotes: a) 1 Kings 1:5 Or charioteers
Observations/ Questions
1) So here we see David towards the end of his reign. 2 Samuel 5:4 says that David was 30 years old when he became king and ruled for 40 years, so he's now 70 years old. For verses 1-4 in my Bible, I had a note directing me to 2 Samuel 21: 15-17. At this stage, David's days of fighting in wars are over, so he's no longer in the best shape physically. I don't think he's completely confined to his bed though. 1 Chronicles 29: 22 mentions Solomon being acknowledged as king a second time, so I believe the events of 1 Chronicles 28-29 happen in between the first and second chapter of 1 Kings.
I don't particularly have much else to say about verses 1-4. Enduring Word Commentary on 1 Kings 1 has this note: "It was proper because it was a recognized medical treatment in the ancient world, mentioned by the ancient Greek doctor Galen. When Josephus described this in his Antiquities of the Jews, he said that this was a medical treatment and he called the servants of 1 Kings 1:2 “physicians.” I should also mention that I looked up Abishag on Bible Gateway and she's not mentioned again in the Bible after the next chapter. Feel free to add any further insights/ takeaways that you have for verses 1-4.
2) What are your impressions of Adonijah in this section?
According to 2 Samuel 3:2-4, Adonijah is David's 4th son. Amnon and Absalom (David's 1st and 3rd sons) are dead as we know from 2 Samuel. David's 2nd son is Kileab/Chielab (AKA Daniel in 1 Chronicles 3:2), the son of Abigail the widow of Nabal (from 1 Samuel 25). From what I've seen in commentary notes, the belief is that this 2nd son was either dead or somehow unfit to be king. The thought crossed my mind that it could be possible that Kileab could be both alive and eligible, but turned down the crown. I'm not familiar with how succession rules worked in those days, so feel free to correct me if that possibility I came up with is unlikely.
For verses 5-6, I have John 5:44, 2 Samuel 14:25 and Proverbs 3:5-6 written down in my Bible. Adonijah takes a lot after Absalom and even uses some of Absalom's strategies like 2 Samuel 15:1.
Verse 6 stands out a bit for me. One modern phrase I've seen recently was something like "This person sounds like someone whose parents never told them no", which could apply here to Adonijah. I think it's safe to say that from what we've seen in 2 Samuel 13 that David wasn't really a great father unfortunately.
Not to put all the blame on him of course, for what Adonijah ends up doing. For verses 7-8, I have Psalm 75:6-7, James 4:10 written down in my Bible. I also have Leviticus 3 written down for verse 9. I would assume that's included since Adonijah's trying to use these sacrifices to act like he has God's approval in front of the people.
3) I'd also like to bring up Proverbs 22:6 as a possible verse in regards to Israel's leadership as a whole so far. I was rereading 1 Samuel recently and came to a realization. Israels' most current leaders so far have been Eli, Samuel, Saul, and David.
Eli-We see God judging Eli and his house for what happens in 1 Samuel 2-3. 1 Samuel 3:13 mentions that "he(Eli) failed to restrain them(his sons)"
Samuel-We don't know how good/bad of a father Samuel was, but his sons were corrupt(1 Samuel 8:1-3)
Saul-We don't know how Saul treated his other 2 sons. Saul tried to kill Jonathan twice (1 Samuel 14: 38-45 and 1 Samuel 20: 24-34), but Jonathan turned out well even when Saul was falling apart as his reign went on
David-already brought up
Solomon later on-Rehoboam has very little(if any at all) of Solomon's wisdom as we'll see
Israel's leadership really seems to struggle overall with the next generation. Still, I don't think Proverbs 22: 6 is a permanent rule, if we consider later on from Ahaz up to Josiah in 2 Kings (Josiah in particular was one of the Southern Kingdom's best kings despite the ungodliness of his grandfather Manasseh and his father Amon).
4) Why do you suppose Joab and Abiathar decided to side with Adonijah? What(if anything) was so different that they didn't side with Absalom before?
Joab and Abiathar are the 2 big names in David's kingdom(Joab as the army commander and Abiathar the priest). Joab I can see conspiring with Adonijah since he's done stuff before without David's knowledge and/or approval(ex: killing Abner, Absalom and Amasa). The next chapter in verse 28 mentions that Joab had conspired with Adonijah but not Absalom. Abiathar I'm not too sure about. I've seen commentary notes state that Abiathar was envious of Zadok the priest. It's not completely out of the question, but the way the commentary notes I've seen try to explain this felt like a bit of a reach to me.
5) Minor note here. Joab has 2 brothers, Abishai and Asahel. Asahel we know was killed in battle by Abner in 2 Samuel 2. Abishai is never mentioned after Sheba's revolt in 2 Samuel 20 and the list of David's men in 2 Samuel 23, so chances he died at some point before 1 Kings.
6) What else stands out to you in this passage? (Any further insights, questions, etc?)
submitted by redcar41 to biblereading [link] [comments]


2024.05.15 17:17 No-Violinist-3224 Collecting payment details for future use in Payment Links generated in bulk in Google Sheets?

Hi!
I'm currently using this resource by labnol.org to automatically generate a list of payment links in Google Sheets.
If possible, I would like to modify the script so the generated links saves "the payment details for future use." This is possible via the dashboard, but is it possible via the API?
Many thanks!
Code:
const StripePaymentsAPI = { getCache(key) { return CacheService.getScriptCache().get(key); }, setCache(key, value) { CacheService.getScriptCache().put(key, value, 21600); }, convertPayload(params = {}) { return Object.entries(params) .map(([key, value]) => [encodeURIComponent(key), encodeURIComponent(value)].join('=')) .join('&'); }, getData(endpoint, params) { const response = UrlFetchApp.fetch(`${endpoint}?${this.convertPayload(params)}`, { headers: { Authorization: `Bearer ${STRIPE_API_KEY}`, }, muteHttpExceptions: true, }); return JSON.parse(response); }, postData(endpoint, params) { const response = UrlFetchApp.fetch(endpoint, { method: 'POST', headers: { Authorization: `Bearer ${STRIPE_API_KEY}`, 'Content-Type': 'application/x-www-form-urlencoded', }, muteHttpExceptions: true, payload: this.convertPayload(params), }); return JSON.parse(response); }, getProductId(name) { const productId = this.getCache(name); if (productId) return productId; const api = 'https://api.stripe.com/v1/products'; const { data = [] } = this.getData(api, { limit: 100 }); const { id: newProductId } = data.find(({ name: productName }) => productName === name) this.postData(api, { name }); this.setCache(name, newProductId); return newProductId; }, getPriceId(name, price = '1234', currency = 'USD') { const product_id = this.getProductId(name); const key = product_id + price + currency; const priceId = this.getCache(key); if (priceId) return priceId; const api = 'https://api.stripe.com/v1/prices'; const { data = [] } = this.getData(api, { limit: 100, currency, product: product_id }); const { id: newPriceId } = data.find(({ unit_amount }) => String(unit_amount) === String(price)) this.postData(api, { currency, product: product_id, unit_amount: price }); this.setCache(key, newPriceId); return newPriceId; }, createLink(name, amount, currency) { const key = `link${amount}${currency}${name}`; const paymentLink = this.getCache(key); if (paymentLink) return paymentLink; const priceId = this.getPriceId(name, Math.ceil(amount * 100), currency); const { url } = this.postData('https://api.stripe.com/v1/payment_links', { 'line_items[0][price]': priceId, 'line_items[0][quantity]': 1, }); this.setCache(key, url); return url; }, createSession(name, amount, currency) { const STRIPE_SUCCESS_URL = 'https://digitalinspiration.com'; const STRIPE_CANCEL_URL = 'https://digitalinspiration.com'; const key = `session${amount}${currency}${name}`; const sessionLink = this.getCache(key); if (sessionLink) return sessionLink; const { url } = this.postData('https://api.stripe.com/v1/checkout/sessions', { cancel_url: STRIPE_CANCEL_URL, success_url: STRIPE_SUCCESS_URL, mode: 'payment', billing_address_collection: 'required', 'payment_method_types[]': 'card', 'line_items[0][price_data][currency]': currency, 'line_items[0][price_data][product_data][name]': name, 'line_items[0][price_data][unit_amount]': Math.ceil(amount * 100), 'line_items[0][quantity]': 1, }); this.setCache(key, url); return url; }, }; 
submitted by No-Violinist-3224 to stripe [link] [comments]


2024.05.15 17:01 Efficient-Can9190 Namers - The smartest business name generator

Namers-com is the smartest and fastest way to name your startup. We are a team of more than 100 professionals committed to our exemplary services trusted by thousands of clients across the globe.
We believe that the key to a great brand starts with the perfect domain. Get the perfect business name with a matching domain instantly at the lowest price.
https://www.namers.com
Please help me by commenting on what you think of my website.
submitted by Efficient-Can9190 to IMadeThis [link] [comments]


2024.05.15 16:55 Efficient-Can9190 Namers - The smartest business name generator

Namers-com is the smartest and fastest way to name your startup. We are a team of more than 100 professionals committed to our exemplary services trusted by thousands of clients across the globe.
We believe that the key to a great brand starts with the perfect domain. Get the perfect business name with a matching domain instantly at the lowest price.
https://www.namers.com
Please help me by commenting on what you think of my website.
submitted by Efficient-Can9190 to u/Efficient-Can9190 [link] [comments]


2024.05.15 16:52 dwerd SAROO V0.5 Release Notes

https://github.com/tpunix/SAROO/releases/tag/v0.5
Firm V0.5
  1. The screen resolution is adjusted to 320x240, which can display 12 menu items. Added Spanish translation.https://github.com/tpunix/SAROO/releases/tag/v0.5
  2. Background image: Just put mainmenu_bg.gif under /SAROO/. Animation works too. File size is within 300KB.
  3. Background music: Just put the PCM audio files under /SAROO/. Single playback: /SAROO/bgsound.pcm Loop playback: /SAROO/bgsound_r.pcm How to generate PCM: ffmpeg.exe -i subor.mp3 -ar 44100 -ac 2 -f s16le -acodec pcm_s16le bgsound.pcm
  4. Game classification : Add categories in the configuration file: category = "Category 1" category = "Category 2" category = "Category 3" category = "Category 4" supports up to 12 categories. Create the corresponding directory under /SAROO/ISO/: /SAROO/ISO/category1/ /SAROO/ISO/category2/ /SAROO/ISO/category3/ /SAROO/ISO/category4/ Put the game into the corresponding category Directory is enough. If the category name is garbled, please confirm that the configuration file is UTF-8 encoded.
  5. Game sorting : A new sort_mode item is added to the configuration file: sort_mode = 0 # No sorting sort_mode = 1 # Alphabetical order sort_mode = 2 # Alphabetical reverse order Note that Chinese can only be sorted in unicode order, not pinyin.
  6. Key mode in the CDPlayer interface After entering the CDPlayer interface (press Z to enter, or return during the game): A: Start the game C: Start the game and save using the system Start: Return directly to the SAROO menu.
  7. Game compatibility has been improved
submitted by dwerd to SegaSaturn [link] [comments]


2024.05.15 16:48 Logtalking Logtalk for VSCode 0.21.0 released

Hi,
Logtalk for VSCode 0.21.0 is now available from both VSCode and VSCodium marketplaces:
https://marketplace.visualstudio.com/items?itemName=LogtalkDotOrg.logtalk-for-vscode
https://open-vsx.org/extension/LogtalkDotOrg/logtalk-for-vscode
This is a major release, providing better integration with developer tools, new commands, improved usability, and bug fixes:
https://github.com/LogtalkDotOrg/logtalk-for-vscode/releases/tag/v0.21.0
The previous release implemented code navigation features:
You can show your support for Logtalk continued development and success at GitHub by giving us a star and a symbolic sponsorship:
https://github.com/LogtalkDotOrg/logtalk3
Happy logtalking! Paulo
submitted by Logtalking to prolog [link] [comments]


2024.05.15 16:38 Imagen-Breaker GT9 Rewrite Part 14.4 - Older Scenes

Part 14.3

Heracles VS Lernaean Hydra

Author Note: I was thinking about it and I really wish that GT9 used more draconic symbolism throughout the story when (or if) I revisit Team Crowley VS Rosencreutz I'll have symbolism of Aleister (TheBeast666), Aiwass (Codename: DRAGON) and Coronzon (The Dragon of the Abyss) all have symbology of them being Dragons preying on a God/Hero like CRC and the reversed conflict of Chaos VS Order you see in mythology, I also wanted to achieve something similar with Kakine Teitoku as he can represent the Fallen Angel and the Seraphim but for now I'll try adding draconian symbolism into Gunha VS CRC.
True Expert Christian Rosencreutz, with his golden rosy cross sword, clashed relentlessly against the indomitable force of the Strongest Gemstone, Sogiita Gunha. With each clash of their powers, the air crackled and compressed, and the pavement trembled beneath.
CRC, observed Sogiita with a mixture of intrigue and disdain. "You fight like the legendary Heracles," he remarked, his voice carrying over the din of battle. "But know this, I am the Lernaean Hydra, and no matter how many heads you sever, I shall always rise again!" Rosencreutz roared to slice the #7’s midsection.
Sogiita, his entire body wreathed in unknowable energy, met CRC's blade unyielding. "Bring it on, old man!" he retorted, his voice brimming with confidence. "I'll knock you down as many times as it takes! I won't stop till you come to your senses and remember your roots, like the roses you love so much, Rosencreutz!!"
Their clash intensified, that old man’s higher dimensional sword colliding with the raw power of that boy’s fists and kicks as they pushed each other to their limits with each sword swing, punch, kick and flash.
Sogiita unleashed a barrage of punches, each strike carrying the force of a meteor, while that silver young man countered: he wielded his sword in his right hand and released impacts followed by white light that was enough to previously take down all of The Bridge Builders Cabal.
As the battle raged on, the very fabric of reality seemed to warp and shift around them, bearing witness to the titanic struggle between two unparalleled forces.
The founder of Rosicrucianism who intimidated reality itself to obey his will and that Gemstone with an unstable personal reality that could change on a whim.
The atmosphere crackled with electrifying distortion.
Sogiita's fists tore through the air with the ferocity of meteors, their velocity enhanced by his ability to adapt and accelerate, surpassing even CRC's speed. As each blow was released, the friction with the surrounding air molecules ignited a scorching heat, intensifying the impact.
The rapid movement of molecules generated an escalating thermal energy, causing the air to seethe with increasing temperature. It was akin to a tempest of incandescent projectiles hurtling towards CRC, their speed surpassing the limits of human perception.
It was like a storm of brilliant fiery arrows was fired at Rosencreutz.
These blazing arrows of force were reminiscent of the elusive strikes employed by the Rose & Cross Leader, ignoring distance with deceptive agility.
With each thunderous punch, that bandana boy sought to overpower his adversary through sheer kinetic force, his unwavering resolve palpable in every motion.
But that wasn't enough for this superhuman.
CRC, wielding his cross sword with precision and skill, deflected each and every one Sogiita's flaming arrows with calculated strikes of his own. Each impact unleashed a burst of blinding white light, sending shockwaves rippling through the chaotic city.
"You think brute strength alone will defeat me?" the silver man taunted, his voice cutting through the chaos of battle. "You may be strong, but strength without strategy is nothing but raw power wasted."
Sogiita grinned, his confidence unshaken. "Strategies for cowards who can't handle a real fight," he retorted, his voice ringing with defiance. "I'll K.O. you with my fists and guts alone!!!!"
Rosencreutz's eyes narrowed as he parried another of Sogiita's punches. "Your arrogance will be your downfall," he warned, his tone tinged with certainty. "I may not match your overall speed, but I have something you lack: intellect and precision.”
Christian Rosencreutz then plunged his cross sword into the ground.
"This is what harmed Kamijou Touma," he declared, grinning and unleashing a torrent of lethal invisible attacks from his outstretched palms.
However, the #7 countered with a relentless barrage of flaming arrows from the thermal aftershock of his punches.
Each strike akin to a particle accelerator in its intensity and speed. That Gemstone was the particles being fired on the right and that True Expert was the particles fired on the left.
As the attacks clashed, the battlefield became a spectacle of raw power and precision.
“Roar!” CRC held his open palm to his mouth and blew gently on the tip of the middle finger.
That was all it took for a blaze easily outdoing a flamethrower to rush out. And this was not just any fire. It fed on the power of a ley line and stole vitality from space itself. This overwhelming mass of light and heat was wielded for no other purpose than to take lives. Anyone who tried to survive it using simple composite armor or special fibers would dry up and burn away in less than a second.
But that wouldn't kill another superhuman would it?
Of course not.
“Aaaaarghhhh!!!!” screamed the #7.
Some assaults bypassed the fray entirely, slipping through the chaos like elusive particles in a collider.
A smokescreen.
Those brilliant fireworks from hell weren't meant to take Sogiita’s life. They were meant to disrupt the Gemstone's senses and sight so he couldn't counter all of that old man’s deadly attacks.
Invisible strikes found their mark on that Gemstone, and the searing arrows of the arrows scorched Rosencreutz.
CRC was wounded but he rejected to make any whimpers. Instead with a sudden burst of velocity, the young silver man picked up his cross sword from the ground and launched a flurry of strikes, cutting at the #7’s body with pinpoint accuracy.
His arms, his head, his face, his stomach, his legs, his midsection, his back.
Each blow landed with devastating force, causing Sogiita to stagger back under the onslaught.
If that bandana boy hadn't had his defenses and general stats raised by the #5 he’d be cut to pieces.
The #7 fell on his back.
"There's a fire," Sogiita declared, his voice ringing out amidst the chaos of battle.
With each attempt to break his spirit, Sogiita's resolve only grew stronger, fueling the flames of his determination. "Every time someone tries to make me give up, it's like wind feeding my flames, making them burn even brighter just like my punches," he explained, his words carrying the weight of his unwavering determination.
He refused to stay down.
With a roar of defiance, Sogiita surged forward once more, his movements blurring with speed as he disappeared from view. In the blink of an eye, he reappeared behind Christian Rosencreutz, catching the magician off guard.
"Hey, old man," Sogiita taunted, his voice filled with confidence as he seized Rosencreutz from behind.
Christian Rosencreutz's eyes widened in surprise as he realized he had been outmaneuvered.
As Sogiita Gunha faced off against Christian Rosencreutz in their airborne duel, he felt the flames of determination burning within him, driving him forward with unstoppable force.
Before he could react, the boy lifted him effortlessly and slammed him onto the pavement below with a resounding thud.
"I'm not just a kick-boxer!!" Sogiita sang.
As the impact reverberated through the air, the young silver man let out a pained cry. The force of the collision compressed the surrounding air, heating it up until it crackled with energy. Christian Rosencreutz's head struck the ground with a velocity equivalent to mach 20, igniting his body in flames upon impact.
This move is called a suplex.
Struggling to regain his bearings, Rosencreutz muttered in a daze, "The House of the Holy Spirit...the seven walls..."
"You said it yourself, didn't you?" the gutsy boy retorted, cocky. "My power and my guts can break through your impenetrable walls. And I can spread those same guts to the world around me."
With a grimace, Christian Rosencreutz acknowledged the truth of the boy's words. "Your uncontrolled AIM field grants you the ability to imbue non-organic objects with the properties of your virus," he observed, his voice tinged with begrudging admiration. "Allowing them to bypass even the defenses of the seven-walled tomb.”
"A virus? Don't be so gutless, CRC," the #7 retorted, his voice filled with defiance. "This battleground ruled by wills is a two-way road between you and me."
Christian Rosencreutz raised an eyebrow at the boy's words. "Hey Gemstone, you could've killed me if I weren't a superhuman with an idealized body that accomplished The Great Work and crossed the Ungrund, what then short-stack?" he questioned while fitting an insult against his height.
Even without the seven-walled tomb or sheets of diamonds Rosencreutz was cartoonishly durable.
"Sorry, old man," Sogiita replied, his tone tinged with annoyance. "I might've gotten carried away, but I know it'll take more than that to kill you. No matter how many heads you regrow, like Hydra, I will not give up until I've completed all my labors."
"Mhm, so you do know your mythology," CRC remarked, a hint of amusement in his voice. "The Lernaean Hydra, or simply Hydra, is a serpentine lake monster in Greek and Roman mythology. Its lair was the lake of Lerna in the Argolid, known as an entrance to the Underworld. In the canonical myth, the monster is slain by Heracles as part of his Twelve Labors."
"Yeah, I know," Sogiita replied confidently. "I studied the tales of great gutsy heroes in school.”
"So, short-stack," Christian Rosencreutz began, his voice carrying a hint of scholarly interest. “Have you ever considered the parallels between our battle and ancient Near Eastern religions?”
Sogiita listened intently. "Are you saying you see yourself as a god of war or a hunter?" he inquired.
CRC chuckled softly. "In a sense, indeed. We are both assuming roles in this grand theater, are we not? I, the Hydra, and you, Heracles."
He continued, "Consider the Second Labor of Heracles. Eurystheus, the king of Tiryns, sent Heracles to slay the Hydra, which Hera had raised specifically to defeat him. Heracles approached the swamp near Lake Lerna, where the Hydra dwelled. To protect himself from the poisonous fumes, he covered his mouth and nose with a cloth and shot flaming arrows into the Hydra's lair, causing it to emerge and terrorize the surrounding villages."
CRC paused, drawing a comparison. “In our own clash, the flaming arrows that Heracles hurled at the Hydra find their echo in your lightning-fast fists, generating shockwaves that ignite the air with their speed and force. It's as though each strike of yours is akin to shooting a flaming arrow, much like Heracles did.”
“Huh? Are you suggesting we're caught in a time loop? That some enigmatic group, like the Bridge Builders Cabal, manipulated events to resurrect you, pitting us against each other in a timeless struggle? I've never met them, and I'm certainly no child of Zeus. Are you implying that our battle will be distorted into a Greek legend by a meddling time traveler?!” frantically asked the boy.
“No, no, you simpleton. This world contains synchronicities. In Sumerian, Babylonian, and Assyrian mythology, the war and hunting god Ninurta was celebrated for his deeds. The Angim credited him with slaying eleven monsters during an expedition to the mountains, including a seven-headed serpent, possibly identical to the Mushmahhu, and Bashmu, whose constellation was later associated with the Hydra by the Greeks. In Babylonian contexts, the Hydra's constellation is also linked to Marduk's dragon, the Mushhushshu.”
“Uhhh….” That shounen boy was dumbfounded.
"Hhm, I suppose calling it a time loop isn't technically wrong," Christian Rosencreutz began, his tone measured. "I'll break it down from history class and reconstruct it through the lens of the occult. Historic recurrence, young Gemstone, is the phenomenon of events echoing throughout time. Whether it's the rise and fall of empires or the repetitive cycles within a single society, it's all part of this grand plan that was decided when Adam ate the forbidden fruit."
The #7 with his guard up but curious listened: "So, history just keeps repeating itself? Just a series of coincidences?"
Christian Rosencreutz shook his head sagely. "There is no such thing as coincidences. Take, for instance, the Doctrine of Eternal Recurrence, pondered upon by thinkers like Heinrich Heine and Friedrich Nietzsche. While it's said that 'history repeats itself,' it's not quite that simple. Rather, these recurrences stem from identifiable circumstances and chains of causality."
He continued, his voice carrying the weight of centuries of philosophical debate. "Consider the phenomenon of multiple independent discoveries in science or the reproducible findings in natural and social sciences. These recurrences, whether in the form of rigorous experimentation or comparative research, are vital to our understanding of the world."
Christian Rosencreutz paused, allowing the weight of his words to sink in. "G.W. Trompf, in his seminal work, The Idea of Historical Recurrence in Western Thought, illustrates the recurring patterns of political thought and behavior since ancient times. Through these patterns, history offers us invaluable lessons, often leading to a sense of resonance or déjà vu."
Their words reverberated like a challenge to destiny itself, a testament to their unyielding determination in the face of adversity.
That Gemstone didn't surrender his characteristic fervor. "History echoing through time, huh? It's like the universe itself is stuck on repeat, and we're just caught in the cycle. But you know what? If history's gonna keep looping, then let's break the pattern! Let's smash through those chains of causality and forge our own path. Who cares about déjà vu? We'll create something entirely new, something that'll shake the very foundations of this world and we’ll do it with guts!!!" He defied that silver monster.
But Rosencreutz wasn't finished. He pulled out his Crystal World Map.
The supposedly old man listened intently to that boy's impassioned response, his expression inscrutable behind his clairvoyant card. After a moment of contemplation, he spoke.
“Gemstone, you speak of breaking free from the chains of repetition, of forging a new destiny against the backdrop of eternal return. It is a noble aspiration, indeed. However, consider this: eternal return is not merely a philosophical concept or a whimsical notion of fate. It is the very fabric of existence, woven into the nature of time itself.” He pressed his finger on the Miniature Garden and a 3D holographic projection flew out—
“In ancient times, the Stoics grappled with the idea, seeing in it both a sense of cosmic order and a challenge to individual agency. Augustine and others recoiled from its implications, fearing it as a negation of free will and salvation. And yet, Nietzsche, in his brilliance, dared to confront the concept anew, exploring its depths in the crucible of human consciousness.”
Didn't Aleister Crowley say that he had to shatter every single phase in order to eliminate the concept of fate?
“I will shatter every last phase and put an end to all mysticism. It can be helped and we need not restrain our tears and bite our lip when faced with tragedy. I will bring back the pure world in which everyone can feel anger like normal and question it all like normal!!”
And didn't Coronzon appear to break down all the phases including the Pure World?
Partial destruction would be meaningless. If anything remains and an eternal distortion is born from that, then it will all happen again. I will eliminate the ten spheres, the twenty-two pathways, and the hidden eleventh symbol. Collisions between phases? Sparks and spray? You cannot save anyone if you only treat those symptoms. All of the fundamental clogs must be removed. All so we can pass the baton to whoever comes next.”
“Sparks and Sprays…” Rosencreutz muttered.
“Eh?” The #7 didn't quite hear him.
"Beside time stands fate, cruelty's steadfast herald. In the silent chambers of the soul, whispers the most profound wisdom. Humanity, in its folly, neglected to exalt life's splendor, its radiance, its grandeur. Truly, it is a rare gift to comprehend the forces that shape our existence.” That magician spoke in despair.
“From the moment man ate the fruit of knowledge, he guaranteed your species’ failure... Entrusting his future to the whims of fate, man clutches to a flickering hope. Yet, within the Miniature Garden lies the key to all revelation. Beyond the well-trodden path lies the ultimate terminus. It matters not who you are; Death is the sole certainty awaiting all.” he finished with scorn.
Shokuhou Misaki was currently linked to Sogiita Gunha so was overhearing the entire conversation.
“Are you okay, Leader?” asked Kamijou back at the hospital.
“Yeah…” she responded.
“Really?” Mikoto breathed a white sigh. “It wasn’t the shock of seeing their school destroyed. Nor was it the fear of having those rioters attack. …They’re afraid of their own power. And after learning how exactly to use that power to survive, they’re not sure they can just switch it off and return to their normal lives. So their gears have ground to a halt.” Tokiwadai Middle School was a prestigious esper development school.
The young ladies registered there were Level 3 at the lowest and Level 5 at the highest.
Almost all of the students had a power that surpassed that of a blade or handgun if used properly, but something had become twisted.
Yes.
“A lot of them weren’t really sure why they were training their powers.”
Shokuhou breathed a white breath, wrapped her own arms around herself, and rubbed her thighs together.
Why are you studying?
How many people could give a proper answer to that question? Because my parents told me to, because my teachers taught me to, because that’s how the world works. Those would be most people’s answers. Even the students with a clear vision of their future would only have something vague like “for the entrance exams” or “for my future”.
Only a small handful would have specific puzzle pieces in mind, such as “I need to learn how to use this equation so I can build a rocket”.
The young ladies of Tokiwadai Middle School were the same.
What if the very gears that humans have…their actions, reactions, inactions were all the result of some transcendental entity hovering above.
Like God or The Devil watching over humanity’s reality sphere and ordering around his system like everyone was a pre-programmed NPC that had specific events occur to them to get them to develop in the way that they did and determined their genetic bloodline that composed their psyche?
Is there truly a free will?
It was said that in order for you to break out of the system of society that the working class was stuck in you had to climb to the top where the corrupt elites resided.
Imagine Breaker negated sparks, Aleister Crowley could see through the veil thanks to Holy Guardian Angel Aiwass, Great Demon Coronzon could always see the cogs.
Christian Rosencreutz could view the entire world through his Miniature Garden.
The rest of humanity was at the mercy of their own destinies.
A Guardian Angel wouldn't arrive to save a parent’s child from fate every single time.
"Okay, nice poetry, can we get back to fighting already?" asked the #7 impatiently.
"Seems I got carried away," the old man conceded with a nod. "The synchronicities of this world, akin to the astral configurations in astrology, serve as an example of synchronicity, according to Jung. It describes circumstances that appear meaningfully related yet lack a causal connection, much like the parallel relationship between celestial and terrestrial phenomena. Synchronicity experiences entail subjective encounters where coincidences between events in one's mind and the external world may lack a clear causal link but still harbor an unknown connection.”
"Ah," Sogiita chimed in, recalling his philosophy class discussions. "We talked about synchronicity back then. Jung thought it was a good thing for the mind, but said it could get dicey in psychosis. He cooked up this theory as a kind of mental link between those meaningful coincidences, calling it a noncausal principle. This term came about in the late 1920s, and then he teamed up with physicist Wolfgang Pauli to dive deeper. Their work, The Interpretation of Nature and the Psyche, dropped in 1952. They were big on this idea that these connections, even the ones that don't seem to have a cause, could still teach us a lot about how our minds and the world work."
“Mhm, you know more than you lead on, Gemstone.” pondered CRC.
“Oh this? My teachers say I'm not good at remembering speeches hahaha…” The #7 looked slightly nervous. “You know, analytical psychologists really push for folks to get what these experiences mean to boost their awareness instead of just feeding into superstitions. But funny thing is, when clients spill about their synchronicity experiences, they often feel like no one's really hearing them out, or getting where they're coming from. And hey, having a bunch of these meaningful coincidences flying around can sometimes ring the schizo bell. Delusions aren't healthy.”
Where was this conversation going?
"Delusion! Hah! That's a good one coming from you," CRC fired back.
"The real delusion is thinking humanity isn't worth a damn," Sogiita shot back, pulling out some info from Johansen and Osman. "Some scientists think coincidences are just random flukes, but counselors and psychoanalysts reckon there's more to it, like some deep-down stuff needing to come out.”
"Delusion! Hah! That's a good one coming from you," CRC fired back.
"The real delusion is thinking humanity isn't worth a darn," Sogiita shot back, pulling out some info from Johansen and Osman. "Some scientists think coincidences are just random flukes, but counselors and psychoanalysts reckon there's more to it, like some deep-down stuff needing to come out. Unconscious material to be expressed."
Rosencreutz interjected, his expression reflecting a mix of confusion and concern. "Aleister Crowley's actions have left a lasting scar on this world and this city," he began, his voice weighted with solemnity. “The vacuum-like dichotomy between magic and science created by the use of that colossal psychotronic weapon, has damaged this world's memory irreparably.”
Psychotronic weapon?
The Archetype Controller?
He paused, his gaze piercing as he continued, "Jung's exploration of synchronicity as evidence of the paranormal paved the way for further inquiry, notably by Koestler and the subsequent embrace of these ideas by the New Age movement.”
Sogiita shrugged, "Some folks say synchronicity is impossible to test or prove, so it gets labeled as pseudoscience. Jung even acknowledged that these synchronicity events are basically just coincidences, statistically speaking. But hey, who's to say what's really going on without some solid scientific studies, right?"
"Dubious as his experiments may have been," CRC interrupted, "Jung believed in a connection between synchronicity and the paranormal, drawing parallels to the uncertainty principle and works by parapsychologist Joseph B. Rhine.” CRC posed a thought-provoking question, "How are we to recognize acausal combinations of events, since it is obviously impossible to examine all chance happenings for their causality? The answer lies in the fact that acausal events are most readily expected where a causal connection appears inconceivable upon closer reflection. It's impossible, with our current resources, to explain ESP or meaningful coincidences as mere phenomena of energy. This challenges the very notion of cause and effect, as these events occur simultaneously rather than in a linear cause-and-effect manner. Hence, I have coined the term 'synchronicity' to describe this phenomenon, placing it on equal footing with causality as a principle of explanation."
Getting closer to that Gemstone, CRC emphasized, "Esper abilities cannot be fully understood with science alone. They defy traditional cause-and-effect explanations, instead representing a convergence of factors that create a quantum phenomenon affecting both the micro and macro. Why were there the naturally gifted and the naturally ungifted?”
Why did some students get praised for their abilities while others needed to work harder?
Others among them would have worked every hour of their free time and not progressed anywhere in this city’s leveling curriculum.
Why did this city present such an unfair and unpredictable status quo of potential?
Why did hard work barely matter in a city of empirical evidence to record any possible progress?
Sogiita Gunha wasn't a normal Level 5 but he wasn't always this powerful. He went through the curriculum same as everyone but if the outside conditions for his Gemstone ability to manifest didn't form in the exact way that it did, in such an acausal form then would he even be here to challenge Christian Rosencreutz right now?
Everything just happened to fall right into place.
All those puzzle pieces that would lead to this moment here and now.
Was it all just talent? God picking a fool as his champion?
The #7 leaned back, absorbing CRC's words with a thoughtful expression. "So, what you're saying is, there's this whole other layer to reality that we can't quite wrap our heads around," he summarized, nodding slowly. "I mean, it's like trying to catch smoke with your bare hands—slippery and elusive."
He chuckled, shaking his head slightly. "Historic recurrence, synchronicities, all these things—they're like pieces of a puzzle scattered across this substantial reality. And sometimes, they just... click into place, right? It's like the universe has its own plan, and we're just along for the ride."
That bandana wearing boy's gaze drifted, lost in thought. "You know, CRC, it's funny," he remarked, a wry smile playing on his lips. "Here we are, with all our powers and potential, but at the end of the day, we're still grappling with the same questions as everyone else. Talent, destiny, divine intervention—maybe they're all just different sides of the same coin."
He shrugged, the weight of the philosophical musings settling over the broken city. "Who knows? Maybe God does have a sense of humor, after all.” that boy chuckled.
There was a deep silence between them.
Rosencreutz’ response was swift and resolute, his tone filled with certainty. "All this ‘universe has a plan’ banter is just a distraction from the inevitable," he declared, his eyes narrowing. "We can debate the nature of us being all-powerful yet struggling with mortal issues until the sun burns out, but it won't change the fact that our fate was sealed upon the knowledge Adam learned."
“To think so many trivialities have developed while this old man wasn’t watching. Heh heh. Then I should assume the thread of fate has again begun to weave its strange connections between myself and some unknown human.”
He rose forward, his movements purposeful. "It's time to put an end to this dance of platitudes," CRC continued, his voice cold and unwavering. "We'll settle this the only way that somewhat matters—through objective action in this grand play."
“Silence, preserved doll. Illusionists are meant to remain silent. That is all we magicians are: wielders of substanceless illusions. Opening your mouth serves only to break the illusion.”
With a flicker of resolve in his eyes, he locked gazes with the #7. "I am Hydra, Gemstone," he said, his voice carrying a hint of challenge. "Our battle ends now.” CRC opened both his palms and began shooting at their surroundings, the buildings, the pavement, the apartments, the rubble.
It probably wasn't random as it seemed to create a pattern.
“Huh are you getting senile old man?” asked the young Gemstone.
“What fun. I never imagined someone would bother diligently polishing their skills this far while knowing it is all essentially an illusion. Didn’t you ever feel silly going to the effort?”
Rosencreutz dropped to all fours, his rosy cross sword gripped tightly in his right hand.
He moved—
“Arrgh!” Sogiita yelled amidst the relentless and precise and precise strikes from that golden cross. “Old man?” he asked.
That magician didn't say anything.
That silver man’s movements became more beastly.
Faster.
Stronger.
Fiercer.
Something new was beginning to manifest.
With each strike of his higher dimensional blade that old man’s blows seemed infused with an otherworldly energy.
The wounds inflicted by his weapon burned with a venomous intensity, sending searing pain coursing through Sogiita's body.
That boy grimaced as the poison from that silver man’s strikes surged through his being, each wound feeling like it was ablaze with venomous fire.
"Damn... That burns…like a killer hornet’s sting," he muttered through clenched teeth, his voice strained with effort. Gritting, he fought to maintain his focus, despite the agony threatening to overwhelm him.
Was this another application of The Four Stages? Citrinitas? No, there was nothing yellow here, it was more like a dirty purple.
But it wasn't just the physical damage that posed a threat.
As the Rosy Cross leader leaped on all fours his movements took on an almost erratic quality, he was bouncing from one building to another with an animalistic agility.
With each jump, a shockwave rippled through the air, carrying with it a palpable sense of dread.
Something was spreading.
The air around them seemed to thicken with a toxic miasma. The #7 struggled to breathe, the noxious fumes clouding his senses.
Like a chaotic monster’s venomous poison breath.
The once-clear air now felt thick and suffocating.
Gasping for breath, the bandana boy struggled to maintain his focus amidst the swirling chaos.
His vision blurred, his movements sluggish as he fought against the oppressive atmosphere.
Blinded that heroic boy could only fire a flame arrow without his sight.
His fists striking out with all the strength he could muster. Igniting in that poisonous compressed air.
It seemed to be flammable like a dragon’s breath.
???
At the hospital, Shokuhou's voice carried a mix of surprise and relief. “He caused real damage.” she exclaimed.
Kamijou turned his attention to her, intrigued. “What happened?”
“It's hard to see clearly, but it looks like the #7 managed to rip off CRC's left arm,” she explained. “Though, I'd say it was more of a lucky shot. I can read he acted on pure instinct.”
Kamijou nodded, a hint of melancholy in his tone. “Yeah... the psychic link and all.”
Had the #7 Level 5 given up on the old man?
Back on the battlefield, Sogiita cursed under his breath. “Dammit... Sorry, old man,” he muttered. “I was aiming to hit your whole body to maximize the surface area, maybe break a few bones as a casualty. We can probably get your arm reattached at the hospital. Heaven Canceller has enough guts to even fix me.”
It was clear—he hadn't given up.
It was an accidental strike of his arm.
“As each ghastly head was severed from its serpentine form, dreadfully, two more writhed forth from the abyss.” a cryptic voice amidst the chaos spoke.
Wasn't it said that the Hydra’s lair was the lake of Lerna in the Argolid.
Lerna was reputed to be an entrance to the Underworld.
The abyss.
The Ungrund.
There is no limit to the depth of the Alcyonian Lake, and I know of nobody who by any contrivance has been able to reach the bottom of it since not even Nero, who had ropes made several stades long and fastened them together, tying lead to them, and omitting nothing that might help his experiment, was able to discover any limit to its depth. This, too, I heard. The water of the lake is, to all appearance, calm and quiet but, although it is such to look at, every swimmer who ventures to cross it is dragged down, sucked into the depths, and swept away.
The keeper of the gate to the Underworld that lay in the waters of Lerna was the Hydra.
The serpentine Lake Monster.
“Rosencreutz……?” The #7 muttered.
That magician chuckled ominously. "Indeed, young Heracles," he intoned, his voice echoing with a bizarre resonance. “The Lernaean Hydra's curse is upon you now.” as he said that he ripped off a bit of his arm that was cuterarised and it began bleeding.
Anna Sprengel’s blood was said to create unknown miracles when spilled.
Christian Rosencreutz’ blood was so virulent that even its scent was deadly.
As Sogiita Gunha glanced at his severed arm lying on the ground, a creeping sense of horror enveloped him. "All fate is a curse and that curse," he murmured, his words barely audible over the din of battle, "extends even to my severed limb.”
Christian Rosencreutz’ left arm grew back.
No.
Two new arms grew in its place.
The arm was fully functioning with no defects.
Although one of the arms appeared somewhat scaly and lanky like a serpent.
It had human anatomy but something was abnormal here.
He almost looked like a spider as he emerged from the poisonous fog as he remained on all fours.
“So short-stack. Are you ready to complete your final labor: Crossing the abyss!!!” He challenged that boy with his cross sword facing him.
"Boss, what's up? You look kinda stuck," Kamijou asked, his tone concerned.
Two students were sitting together in the waiting room at a hospital.
"—abyss, Hydra, curse, synchronicities, Historic recurrence." she replied, her words carrying a weight of unease.
"Huh? What? Can you give me the lowdown?" Kamijou prodded, his urgency evident.
"Can't quite wrap my head around it. But what I can tell you is that after CRC started talking about these esoteric concepts, he leveled up his power ability, managed to seriously hurt the #7 despite me cranking up all his stats for the win condition," the honey-blonde girl explained, frustration creeping into her voice.
"Can you beam all that stuff into my head, like a memory download? You're a psychological esper, right? My right hand won't mess with it, and we've done the telepathy thing before," Kamijou suggested.
"Memory download's not quite it, but I can send you a recording," she clarified.
"Got it," Kamijou muttered as he absorbed the info.
"You got any ideas to help the #7’s situation ability, Kamijou-san? We're kinda desperate here," she asked.
"I wish Index was still here, dammit.” he lamented, “But you know about magic, right?" he queried.
"Yeah, people converting their delusions into reality right?," she admitted.
"Well, magic's not just about delusions; it can be tied up to the whole world. Not sure if it's relevant, but based on Idol Theory, Rosencreutz might be pulling in 'energy’ from the Greek 'phase’ of Heracles for an edge," Kamijou theorized.
"Like a chessboard flip?" Shokuhou Misaki inquired, her brow furrowed with concern.
"No, more like... imagine you're playing checkers with a buddy, and you're totally crushing it because you're a checkers pro. Then suddenly, your buddy switches it up and challenges you to an arm wrestling match, and you lose because, well, arm wrestling isn't your forte," Kamijou Touma explained, trying to paint a vivid picture.
"So, by taking on the role of the Hydra from Greek myth, he's essentially forcing the #7 into the role of Heracles? But didn't Heracles defeat the Hydra?" Shokuhou sought clarification.
"Yeah, but..." Kamijou recalled the tale from the movies he'd seen. "Lichas gave Heracles a shirt soaked in the Hydra's poisonous blood from his arrows, which ends up killing him by tearing his flesh down to the bone," he elaborated.
"It was actually Nessus seeking vengeance and tricking Deianira into giving it to Heracles as a gift, delivered by Lichas without disclosing the tunic's lethal bloodstained secret from the Lernaean Hydra, but you're right," Shokuhou corrected gently. "So, Rosencreutz is harnessing the power of that legend to slowly poison the #7?"
"Not literal. I mean the poison is real but his slashes do significant harm now so it's more like shifting the paradigm in his favor…shifting his position.” The spiky-haired boy wasn't in the mood to explain Phases, “Earlier, he mentioned Sogiita spreading his 'virus' throughout the world. A virus isn't a poison in the traditional sense, but the Rosicrucians originally sought to create a universal cure for all illnesses. Now, CRC is spreading a literal poison, positioning himself as the ultimate predator and his opponents as prey rather than his savior role, the paradigm has been shifted." Kamijou concluded, his voice tinged with gravity.
“So he’s changed the environment to get the win condition? The #7’s durability doesn't matter in the face of the world being forced to go about a certain way because of Rosencreutz stage play?” The girl asked.
“Yeah…if things keep going this way…Sogiita will….goddamnit….” The spiky haired boy swore. “I can't let someone else die after all that's happened but I feel like if I go out there I really will kill him…” he muttered that last bit while clenching his right fist that began shaking uncontrollably.
The girl’s eyes seemed confused. “What did you say?” The honey blonde middle schooler asked.
“Nothing, just mumbling to myself.” he spat out.
That boy and girl could never come to the right conclusion on their own without the aid of former Magic God Othinus by their side.
“Did you think I had challenged you with no hope of succeeding, you cesspool? The magic born on earth is bound by the directions based on the earth’s magnetic field and by the density and composition of the air which is determined by air pressure which is in turn influenced by gravity. That is inevitable when you are focused on the cardinal directions of north, south, east, and west or on the basic elements of fire, water, wind, and earth. But what you will find upon leaving the atmosphere is an unknown. Coronzon, are you sure there will be no malfunction in the magic giving you control of Avatar Lola? And before, my power was bound by the puny speck named earth which failed to become a black hole or even a sun, but once we enter outer space, just how far do you think that power will be released? I do not mind at all that I will lose the support of Academy City.”
Well the boy was half right.
“Let us test it out, you cuspidor. On one side, we have you using the planet and bound to an avatar. On the other, we have me exposed and freed from the planet. Now, who will be the star of this show?”
Christian Rosencreutz did not shoot at his surroundings for no reason.
The battlefield transformed into Rosencreutz's canvas, resembling the legendary battleground of Lerna where Heracles once clashed with the Hydra.
Yes.
He didn't unleash his powers randomly; every action was deliberate.
In the magical side of Idol Theory, mimicking an object, event, or person allowed one to tap into a fraction of its power.
And that even applied to locations that essentially worked as stage plays.
Idol Theory was so absolute that even the basic cross held a portion of the son of God’s power.
As Above, So Below.
As Below, So Above.
Macro to micro.
Micro to macro.
And the macrocosm and the microcosm are always linked.
submitted by Imagen-Breaker to Toaru [link] [comments]


2024.05.15 16:35 riccarjo Feel like I'm not getting the nemesis system

I'm about 75% through the main quest and now in the process of branding 4 warchiefs in the 2nd area, so pretty far in.
However, the nemesis system is confusing and I don't think I'm really getting it. The way I understand it is that each enemy captain is uniquely generated with their own name, voice, armor, traits, etc.
The captains will remember you if you run from them or die from them, and level up. There's also a lot of interaction between captains with power struggles, etc.
This all sounds really fucking cool, but it just doesn't seem to have much impact in my game. I think the main issue is that I rarely die, so I don't see too many of these things build up. A new captain shows up, I kill them, and then they get replaced. There's not a lot of "chess" happening as other people have talked about it. Plus, there's a ton of functions for branding orcs, pitting them against each other etc, but I'm finding that with my skills I'm able to just kill a captain or warchief in a fraction of the time.
I'm wondering if I should up the difficulty in order to see the benefits? Or am I missing something about it. It just doesn't' feel "worth" interacting with since direct combat is always faster and easier, and I don't see too many beefed up orcs because I rarely die.
submitted by riccarjo to shadowofmordor [link] [comments]


2024.05.15 16:34 SomeWomanfromCanada What, if anything should I make of this radiology report?

I (52F) went to A&E back in late February because I waws having trouble drawing a full breath. Thinking I was going to be Rx'd some inhalers and perhaps referred to the respirology (I've been having problems for years but have never formally been diagnosed with asthma), you can imagine my shock when I was advised that I was being admitted because they were unhappy with some cardiac blood work results (they're working through those as I type).
Anyway, I'm on a waiting list to be seen by the Respiratory service (appointment is in mid July) but I've been given access to the radiology report(s) from all of the film they took on the day of my visit to A&E (X ray/CT scan etc).
A HOSPITAL NEAR YOU Patient Name: SomeWomanFromCanada MIS Number: 8186935918824 Hospital Number: 295375063 10118287 22/02/2024 CT Angiogram pulmonary Clinical Question:SOB intermittent worse this today, raised d-dimer and troponin?PE Findings: No previous imaging available for comparison. Adequate opacification of the pulmonary artery trunk (350HU). No pulmonary embolism from the pulmonary artery trunk to the subsegmental levels. There is reflux of contrast into the hepatic veins, no other radiological evidence of right heart strain. There is patchy atelectasis and parenchymal infiltrate in both lower lobes. There are small granulomas noted in the right upper, lower lobe and the left upper lobe and scattered tiny sub 2mm nodules in the right middle and lower lobes. No pleural effusion or focal consolidation. No endobronchial lesions. No thoracic lymphadenopathy. Unremarkable appearance of the imaged upper abdominal viscera. No destructive osseous lesions. Conclusion: No pulmonary embolism. Non specific patchy atelectasis and parencymal infiltrate as desribed. Dr Cassian Andor Consultant Radiologist GMC 2266977 This report is generated for the referring clinician. Should patients have queries regarding the report, these should be discussed with the referring clinical team. Reported by: Dr Orson KRENNICK
Can anyone please tell me what to make of this report?
I''m most interested in the references to _patchy atelectasis_ and _parencymal infiltrate_
From my limited medical knowledge, there's something going on in my lungs but it's not cancerous or anything icky like that nor is it cardiac in nature or a blood clot.
FWIW, I am prone to getting bronchitis every time I get a head cold (regardless of how mild the cold is); in the winter, cold air triggers repeated episodes of bronchitis (when I lived in Canada, I carried a bottle of Buckleys Mixture and an oral syringe in my purse all winter every winter because it was the only thing that would come close to helping the cough).
I've also recently been prescribed a 'blue' salbutamol (rescue) inhaler and a Clenil Modulite 100mcg (beclamethasone) 'brown' (reliever) inhaler by my GP (while I wait for my appointment with the respiratory service) ... I've felt better since I've started using them (I had a lung function test this morning and haven't had the Clenil Modulite since Monday night and am feeling a little congested in my chest.
Anyway, I am new to all of this and I thank you all for a) reading this far and b) offering your collective wisdom as I try to figure out WTF is going on.
submitted by SomeWomanfromCanada to Asthma [link] [comments]


2024.05.15 16:30 AutoModerator SpiderWeb ($ARAC) - Quick Fundamentals - "Proof-Of-Use" Mining guide!

SpiderWeb ($ARAC) - Quick Fundamentals -
Good day everyone and welcome again to our quick fundamentals!
In this guide, we will cover the basics about our "Proof-Of-Use" system and how it can reward YOU the user and/or your business!
Different from traditional competitive approach currently available to everyone, Spiderweb ($ARAC) aims to build a more energy-efficient and sustainable ecosystem through our "Proof-Of-Use" mechanism; A reward mechanism based on the contribution nodes make in the ecosystem.
\"PoU\" - When the Spiderweb Official Node (SON) receives a requests from general users for accessing the client's content, it will encrypt the user's IP, time, and the domain name via SHA256 hash, and generate a new set of hash values with the official key and the public key of the client.
This hash value will be broadcasted by the (SDN). Then our (SVN) receives the instruction to verify and confirm the hash value with the (SON) to complete the block uploading, called \"Proof of Used, PoU\".
Spiderweb ($ARAC) will proactively provide the most optimized node resource for clients, so node contributors can keep an eye on their resource environment, such as: network speed, available hard disk space, etc., rather than general computing power contributions to see how much they earn!
Hopefully this post gives you a base idea of how the "mining box" or ADN works within our network! For more details, please visit our other posts on individual nodes, or check out our whitepaper here: https://discord.gg/UPQ5gwBA4G
Thank you once again for your interest in our project and let's weave a brighter future together!
submitted by AutoModerator to SpiderWeb_ARAC [link] [comments]


2024.05.15 16:23 Beautiful-Parsley-24 Finding Consulting Work?

Hi fellow computer scientists,
TLDR: I always hear people talk about the "highly paid consultants". "That's how you make the big money". But how does one get into that work? I think I'm qualified.
I believe I'm qualified to be a "highly paid consultant"; I have a fairly respectable curriculum vitae. I put the following in spoiler tags because it makes me sound conceited. Only open if you want to read about "muh credentials".
I have a PhD in Computer Science from a top-10 public US university. My dissertation topic gets me regular messages from recruiters asking me to interview for highly paid full-time employee roles. "Your PhD dissertation describes the exact problem we have". If I wanted to work full-time, I could have a new job in a week.
I put in my crunch time at some "prestigious" companies: I worked at a FANG company, was the 7th hire and first machine learning hire at a unicorn startup that's now worth several billion (I exited early for ~$5 million), I worked for one of the most well known video game studios and my name appears in the credits for some games you almost certainly heard of (if not played). I have some of the most cited papers in my area of computer science. My name appears on several patents on generative artificial intelligence, machine learning, and computer vision.
I could probably FIRE. But, I don't really want too. I want to make myself useful and maybe make some extra money for hobbies/travel/etc. At the same time, I don't want to do the full time employee thing anymore.
Are there firms or recruiters that specialize in helping people find consulting work? Most advertised contracting (UpWork etc.) work seems to be companies looking to lowball naive workers while still expecting them to function as full-time employees, i.e. you are contracted to work 40-hours a week for 6-months. I suppose I could market myself to prospective clients. But that's a tedious. I'd rather give someone a cut of my earnings to find me work.
I'm looking for work that pays for ~5-10 hours/week to consult on a project. I've tried UpWork, but many of my interactions are of the "No, you don't need a LLM for that; you need a Bloom filter. Here is a wiki link. Find any python programmer and tell them to implement this: ..." type.
A lot of small/medium business managers (and even software developers for some reason!?) read the tech news and think they need whatever is new, even when an algorithm from the 1980s will be computationally faster, easier to implement, more reliable, and does exactly what is asked without any of the "probabilistic" problems that come with machine learning. I'm not anti-machine learning. That's what I do. But, I am against people using LLMs to sort lists lol
I'd like to find work where I help guide small/medium businesses to use AI/ML/CV correctly. I've steered many companies from computer vision to radar, when it was the superior sensor. I've seen a lot of companies go down the wrong path because "they don't know what they don't know". I'd like to help prevent those sort of mistakes, and hopefully make some money at the same time?
Thanks in advance for any advice!
submitted by Beautiful-Parsley-24 to cscareerquestions [link] [comments]


2024.05.15 16:20 Honest-File9357 Why I'm vehemently FTP

Tl;dr Version for anyone who doesn't want to read a bit of a rant: This game is way too damn greedy.
Some Various disclaimers and background information before the rant:
  1. No, this is post is not to shame people who aren't FTP. Do what you want with your money, I just want to explain why I don't think I'll ever support this game financially and see how the rest of the community feels. This is also not some propaganda to get you to either not spend money or stop spending money, or in other words by all means keep supporting Shift-Up and their products, do you boo.
  2. I'm not the biggest gacha game player, I've only played two prior to this (Girls Frontline and some Star Wars one), both that I did end up throwing a little money at to support them despite Nikke ultimately being more fun imo (just to show no, I'm not against in game purchases for free games out of principle)
  3. I do enjoy this game and don't imagine I'll stop playing any time soon, as far as phone games go this is probably the most fun I've had (not the highest bar to set, I know).
  4. I understand that ultimately the goal of any game is to generate income, and I don't hold it against any game. Rather I have a problem with how this game "encourages" you to spend money.
  5. I started playing this game during the RE:Zero collab and quickly came to this conclusion, don't know what ultimately compelled me to rant about it (maybe just one too many all blue pulls)
Okay with that out the way let's get to the meat of the issue, which can honestly be summarized to 2 main sins so hell get ready for another list I guess : ^ )
1.The top heavy nature of the roster. "When everybody's special, no one will be"- Angry animated ginger dude (rip in peace). When I first started playing this game and doing some pulls I felt like a superstar, I mean wow I'm pulling all these super rares like it's nothing, even got all my counter girls maxed out and after about ~60 pulls I've managed 2 super super rares! Then I started to notice how all these "super rares" seem to have all hit max limit break and peeked at the Nikkepedia to realize the sad truth of this game. Given my past experiences with gacha I expected maybe something like 30% of the roster to be "SSR", not 95%. What's even more baffling is that the SSR actually does have it's own subcategory of "hey, these are actually the super rare ones" with Pilgrims having a miniscule chance to pull. I didn't want to put a list inside my list ( yo dawg, heard you like lists) but there's a few reasons why I really dislike this, and it was getting more and more "massive block of text" while I typed it so sorry.
-The first and probably most readily apparent issue being that it means you're unlocking new characters at a snails pace. It feels like the intended way to unlock new characters is to throw thousands of gems/ recruit rosters at the slot machine so you can do the high quality mold to actually have a chance (more on this later) to get a new character. I realize luck is a subjective matter, and yeah I've seen posts from people bragging about pulling 4-5 SSR in a pull, but objectively speaking the other gacha games were far more generous with the unlocking of new characters.
-Secondly, and probably what I hate the most, is that these "SSR" are simply not created equally (putting aside the obvious and aforementioned "actual SSR" of the pilgrims). I'm not saying every Nikke has to be an absolute powerhouse (more on this later) but if you want to make Nikkes that are just inferior versions of other Nikkes or have kits that just straight up aren't good, I dunno chief...maybe put them in a lower tier of the roster? Hell putting aside the meta/ actually caring about the kits of your waifus let's just talk about the lore/ backstory of these characters. Matis (my favorite squad, big hearts and kisses especially for Drake), the super star hero squad and best the Missilis company has to offer? Okay sure, makes sense they're SRR. Prima Donna Nikkes that...work in the music industry for some reason? Uh okay not sure why these military bots are making music but they're famous ig so why not, SSR it is. Oh hey Absolute, Rapi's former squad and supposed elite of Elysion now that's a contender for SSR for sure. Maid for you, Nikkes that run a maid cafe...well let's make em SSR. Okay okay I shouldn't hawk on the waifu game having waifus that are character archetypes even if it makes absolutely no sense in the setting of the game but you still get the point right? You have characters that are presented to you as the cream of the crop (in other words have lore friendly reasons to be classified as SSR) thrown into the same category of rarity of characters that work in maid cafes or other random civilian jobs/ hobbies. This all putting aside the actual strength of these character's kits (Matis is pretty good at least, big hearts and kisses) I'm simply referring to the story reasons for characters to be presented as "SSR".
-Thirdly this all just reeks of some system you see in a lot of games where they use certain words to artificially make you feel more accomplished, if that makes any sense. The lowest tier (of absolute garbage) is referred to as "rare", the slightly better but ultimately still useless (<3 u Rapi/ Anne) tier is "super rare", and the bulk of the roster is "super super rare." Fellas, that's not how the word "rare" works at all. I feel like most games at least refer to their filler trash as "common" or the like so why does the game call the, in lore, mass produced no personality foot soldier Nikkes "rare"? This leads back to "SSR" having it's own category of rarity, did they realize "SSSR" would look and sound stupid so that's why Pilgrims don't have their own category? I dunno, could have called it "ultra super dooper cream your pants because you're a real winner rare" or they could have just (alongside making some of the "unworthies" a lower tier) gone with 4 tiers with a more honest and conventional naming system (common- uncommon-rare-epic) but they didn't because that doesn't trigger the dopamine in slack jawed gamer so they like you more and spend more money or whatever reason so many games use terminology that feels like patting you on the back. Almost lost my cool there, sounding a lil schizo huh? Let's move on to the other main point to save face.
  1. The way progression is handled (and how that ties to the roster) "When you come to it and you can't go through it and you can't knock it down, you know that you've found the wall, the wall, the wall." -Mark Henry (still kicking, I think). Gacha games, or really most games, have parts that are for the cream of the crop. The real go getters (or go spenders) who invest a lot of time (or money) into the game and are rewarded for it. Usually these are things like raids or other limited time events, typically speaking though it's not the main story of the game that's the major hurdle for the playerbase to surmount. Typically speaking there's a slow and steady incline of requirements for players to progress through the story of a game, be it skill (let's be honest, not really a factor for gacha games) or equipment/loot, but not here. Instead you have rapidly increasing arbitrary "recommended power levels" (yes, we'll talk about this later) coupled with a massive middle finger in the form of level limit/ limit breaking in a nice package of pain and inconvenience, because I hate you for enjoying and caring about the story we wrote (which the game will proceed to spoil in events, which have a way lower bar of entry) or something idk. Jamie, pull up that list again.
-So pulling a SRR is "accomplishment" enough, pulling the same SRR 3 more times is whack crazy luck, doing that whole process 5 times is insultingly absurd (b-buh muh Kilo tho, because rip anybody who wasn't here for this event). Technically speaking there are systems in place to make this easier, but both of them are still hella rough. You can either use the wishlist feature (on the normal recruitment, and not for pilgrims) to cut out the massive bloat of SRR you don't care about and still pray on that 4% chance or you can grind out 200 total recruits to get mileage tickets to knock out one of 20 pulls you'll need in order to get pass this wall. You've already seen posts either lamenting their luck or singing praises to lord because after months people have managed this, and imo that is not a good system of progression for the main story of your game. I don't have a problem with there being content that encourages you to spend money, for heavens sake they have a "hard campaign" (which is just the same lay out of campaign maps with massively spiked up requirements with the same exact rewards as the normal story, minus the actual story part) so why not just let people enjoy the normal campaign. It comes off as a really cheap and scummy way to encourage people to spend money, holding the story of your game hostage. Just lower the requirements of the normal campaign, I'm sure older players don't have the "naw these new players need to suffer like I suffered" mentality, nobody is going to be mad at you.
-Oh yeah, recommended power levels. A lot of games have the system of "increase your number to keep up with the enemies increasing number" but none of those feels like a slap in the face as this game's system of "you'll either meet this required number or we'll just nerf your damage to the ground" (evidently the exact percentage of this used to be a lot worse before they patched it, further proof that the playerbase isn't against the game being made more accessible). This is probably the part where the Nikke superfan tells me I just have a massive skill issue and it's totally possible to clear these missions at a deficit, and this is absolutely true. I've seem some superstars talking about clearing levels while under 20k or more the recommended amount (I've only managed 10k, all thanks to Crown whom I love and cherish) and you know what the secret to success is? I just hinted at it in those parenthesis but it comes down to pulling "the right" SSR Nikkes. Okay that's a little disingenuous , as there's a little bit of skill/ understanding of the games system involved and grinding out the various resources you need to level said actually good SSR Nikkes, but it doesn't change the fact that there are Nikkes you actually want if you care about progressing through the game and there's all the ones you don't that seemingly only exist to reduce your chances of pulling these Nikkes. Let's backtrack to that "wishlist" system for a bit, which is what is intended to make sure you get the (non pilgrim) Nikkes you want like Liter or Tia. You'll recall that the wishlist doesn't increase your total chance to pull a SRR (makes sense) but just ensures that you only pull the designated SSR, but the problem is this only applies to this normal pulling. It is still my opinion that most of the SSR you're gonna get are going to come from the various molds, which cleverly has no such system of wishliting (because let's be honest, this would probably destroy any incentive to pay money for people who don't care about costumes). So you're either dealing with a system of most likely not getting any SSR from normal pulling or having a slim chance of pulling the SSR you need (assuming you even pull a SSR to begin with) with the mold, neither of which sound too appealing to me
-Speaking of molds, and this probably going to be my most controversial take (or at the least the most demanding), it is blatantly unfair that high quality and company molds aren't a guaranteed SSR. In the case of of the high quality mold the process of getting one is slow enough (I maybe manage 1 a week, outside of events or CD redemption that may give more) and there are enough SSR (putting aside the fact that you want to pull the same SSR multiple times anyway) that I really don't think it would be that bad if you just don't let us get kicked in the gut by pulling Neon after all that effort. In the case of the company specific molds from the tribe towers you are quite literally hard limited to pulling 3-7 a day (assuming of course you have a squad capable of tackling the tower), and you're going to make them have an even lower total chance of a SSR than the normal high quality mold. I'm only half way to my pilgrim mold (I had to wait till crown before I even felt like starting the tower, because even doing the easiest levels is mind numbing with just one Nikke) but I've heard horror stories of going 5 pilgrim molds with no pilgrim in sight, and ngl I may just weep when it's my turn to experience that. If you want to further reduce the acquisition of molds to still encourage some spending that's fine by me, but please let us have some safety net in this ruthless Nikke grind.
That's pretty much it for the rant so I just want to finish with some closing thoughts. I really do like this game, honest, and I wouldn't mind supporting it if it just didn't make me feel so used and abused. There are plenty of games with microtransactions or additional content where it feels like you're buying them because you want to support the dev, not because it feels like they're holding a gun to your head, and I just want this game to feel more like the former. I'm happy to discuss this rant further if anybody has their own ideas and opinions (or even if people just want to defend the game) so let me know what yall think, assuming you even read that blob of text up there.
submitted by Honest-File9357 to NikkeMobile [link] [comments]


2024.05.15 16:17 Inevitable-Brush9810 Compiling Problem (sorry it's in Italian)

-- Could NOT find CCache (missing: CCache_EXECUTABLE)
CMake Deprecation Warning at third_party/zlib/CMakeLists.txt:1 (cmake_minimum_required):
Compatibility with CMake < 3.5 will be removed from a future version of
CMake.
Update the VERSION argument value or use a ... suffix to tell
CMake that the project does not need compatibility with older versions.
CMake Deprecation Warning at third_party/libpng/CMakeLists.txt:33 (cmake_minimum_required):
Compatibility with CMake < 3.5 will be removed from a future version of
CMake.
Update the VERSION argument value or use a ... suffix to tell
CMake that the project does not need compatibility with older versions.
CMake Deprecation Warning at third_party/libpng/CMakeLists.txt:34 (cmake_policy):
Compatibility with CMake < 3.5 will be removed from a future version of
CMake.
Update the VERSION argument value or use a ... suffix to tell
CMake that the project does not need compatibility with older versions.
-- curl version=[7.79.1-DEV]
-- Could NOT find Perl (missing: PERL_EXECUTABLE)
-- Enabled features: SSL IPv6 unixsockets libz AsynchDNS Largefile SSPI alt-svc HSTS SPNEGO Kerberos NTLM
-- Enabled protocols: DICT FILE FTP FTPS GOPHER GOPHERS HTTP HTTPS IMAP IMAPS LDAP MQTT POP3 POP3S RTSP SMB SMBS SMTP SMTPS TELNET TFTP
-- Enabled SSL backends: Schannel
-- Version: 10.0.0
-- Build type: RelWithDebInfo
CMake Deprecation Warning at third_party/cmark/CMakeLists.txt:1 (cmake_minimum_required):
Compatibility with CMake < 3.5 will be removed from a future version of
CMake.
Update the VERSION argument value or use a ... suffix to tell
CMake that the project does not need compatibility with older versions.
CMake Deprecation Warning at third_party/libarchive/CMakeLists.txt:2 (CMAKE_MINIMUM_REQUIRED):
Compatibility with CMake < 3.5 will be removed from a future version of
CMake.
Update the VERSION argument value or use a ... suffix to tell
CMake that the project does not need compatibility with older versions.
-- Could NOT find OpenSSL, try to set the path to OpenSSL root folder in the system variable OPENSSL_ROOT_DIR (missing: OPENSSL_CRYPTO_LIBRARY OPENSSL_INCLUDE_DIR)
CMake Warning (dev) at C:/Program Files/CMake/share/cmake-3.29/Modules/FindPackageHandleStandardArgs.cmake:438 (message):
The package name passed to `find_package_handle_standard_args` (LIBGCC)
does not match the name of the calling package (LibGCC). This can lead to
problems in calling code that expects `find_package` result variables
(e.g., `_FOUND`) to follow a certain pattern.
Call Stack (most recent call first):
third_party/libarchive/build/cmake/FindLibGCC.cmake:17 (FIND_PACKAGE_HANDLE_STANDARD_ARGS)
third_party/libarchive/CMakeLists.txt:1258 (FIND_PACKAGE)
This warning is for project developers. Use -Wno-dev to suppress it.
-- Could NOT find LIBGCC (missing: LIBGCC_LIBRARY)
-- Could NOT find PCREPOSIX (missing: PCREPOSIX_LIBRARY PCRE_INCLUDE_DIR)
CMake Warning (dev) at C:/Program Files/CMake/share/cmake-3.29/Modules/FindPackageHandleStandardArgs.cmake:438 (message):
The package name passed to `find_package_handle_standard_args` (PCRE) does
not match the name of the calling package (PCREPOSIX). This can lead to
problems in calling code that expects `find_package` result variables
(e.g., `_FOUND`) to follow a certain pattern.
Call Stack (most recent call first):
third_party/libarchive/build/cmake/FindPCREPOSIX.cmake:23 (FIND_PACKAGE_HANDLE_STANDARD_ARGS)
third_party/libarchive/CMakeLists.txt:1263 (FIND_PACKAGE)
This warning is for project developers. Use -Wno-dev to suppress it.
-- Could NOT find PCRE (missing: PCRE_LIBRARY)
-- Extended attributes support: none
-- ACL support: none
CMake Deprecation Warning at laf/clip/CMakeLists.txt:4 (cmake_minimum_required):
Compatibility with CMake < 3.5 will be removed from a future version of
CMake.
Update the VERSION argument value or use a ... suffix to tell
CMake that the project does not need compatibility with older versions.
-- laf backend: skia
-- laf zlib: zlibstatic
-- laf pixman: pixman
-- laf freetype: C:/deps/skia/out/Release-x64/freetype2.lib
-- laf harfbuzz: C:/deps/skia/out/Release-x64/harfbuzz.lib
-- skia dir: C:/deps/skia
-- skia library: C:/deps/skia/out/Release-x64/skia.lib
-- skia library dir: C:/deps/skia/out/Release-x64
-- aseprite libwebp: C:/deps/skia/out/Release-x64/libwebp.lib
CMake Deprecation Warning at src/observable/CMakeLists.txt:4 (cmake_minimum_required):
Compatibility with CMake < 3.5 will be removed from a future version of
CMake.
Update the VERSION argument value or use a ... suffix to tell
CMake that the project does not need compatibility with older versions.
CMake Deprecation Warning at src/undo/CMakeLists.txt:4 (cmake_minimum_required):
Compatibility with CMake < 3.5 will be removed from a future version of
CMake.
Update the VERSION argument value or use a ... suffix to tell
CMake that the project does not need compatibility with older versions.
-- Could NOT find Git (missing: GIT_EXECUTABLE)
-- Configuring done (3.7s)
-- Generating done (2.2s)
-- Build files have been written to: C:/aseprite/build
C:\aseprite\build>ninja aseprite
[1/1280] Building CXX object laf\os\CMakeFiles\laf-os.dir\system.cpp.obj
FAILED: laf/os/CMakeFiles/laf-os.disystem.cpp.obj
"C:\Programmi\Microsoft Visual Studio\2022\Community\VC\Tools\MSVC\14.39.33519\bin\HostX64\x64\cl.exe" /nologo /TP -DCLIP_ENABLE_IMAGE=1 -DCMARK_STATIC_DEFINE -DHAVE_CONFIG_H -DHAVE_CONFIG_OVERRIDE_H=1 -DLAF_FREETYPE -DLAF_SKIA -DLAF_WINDOWS -DLAF_WITH_CLIP -DLAF_WITH_REGION -DNDEBUG -DPNG_NO_MMX_CODE -DSK_ALLOW_STATIC_GLOBAL_INITIALIZERS=1 -DSK_BUILD_FOR_WIN -DSK_ENABLE_SKSL=1 -DSK_GAMMA_APPLY_TO_A8 -DSK_GAMMA_SRGB -DSK_GL=1 -DSK_INTERNAL -DSK_SCALAR_TO_FLOAT_EXCLUDED -DSK_SUPPORT_GPU=1 -DUNICODE -DWINVER=0x0A00 -D_CRT_SECURE_NO_WARNINGS -D_UNICODE -D_WIN32_WINNT=0x0A00 -IC:\aseprite\third_party\zlib -IC:\aseprite\build\third_party\zlib -IC:\aseprite\third_party\libpng -IC:\aseprite\build\third_party\libpng -IC:\aseprite\third_party\tinyxml -IC:\aseprite\third_party\pixman\pixman -IC:\aseprite\build -IC:\aseprite\third_party\giflib -IC:\aseprite\third_party\jpeg -IC:\aseprite\third_party\curl\include -IC:\aseprite\third_party\simpleini -IC:\aseprite\laf\os\..\third_party -IC:\aseprite\laf -IC:\aseprite\build\laf -IC:\aseprite\src -IC:\deps\skia -IC:\deps\skia\third_party\externals\freetype\include -IC:\deps\skia\third_party\externals\harfbuzz\src -std:c++17 -MT -DNOMINMAX /showIncludes /Folaf\os\CMakeFiles\laf-os.dir\system.cpp.obj /Fdlaf\os\CMakeFiles\laf-os.dir\laf-os.pdb /FS -c C:\aseprite\laf\os\system.cpp
C:\aseprite\laf\os/skia/paint.h(73): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(73): error C2065: 'kClear': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(74): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(74): error C2065: 'kSrc': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(75): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(75): error C2065: 'kDst': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(76): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(76): error C2065: 'kSrcOver': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(77): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(77): error C2065: 'kDstOver': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(78): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(78): error C2065: 'kSrcIn': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(79): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(79): error C2065: 'kDstIn': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(80): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(80): error C2065: 'kSrcOut': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(81): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(81): error C2065: 'kDstOut': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(82): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(82): error C2065: 'kSrcATop': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(83): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(83): error C2065: 'kDstATop': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(84): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(84): error C2065: 'kXor': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(85): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(85): error C2065: 'kPlus': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(86): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(86): error C2065: 'kModulate': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(87): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(87): error C2065: 'kScreen': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(88): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(88): error C2065: 'kLastCoeffMode': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(89): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(89): error C2065: 'kOverlay': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(90): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(90): error C2065: 'kDarken': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(91): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(91): error C2065: 'kLighten': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(92): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(92): error C2065: 'kColorDodge': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(93): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(93): error C2065: 'kColorBurn': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(94): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(94): error C2065: 'kHardLight': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(95): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(95): error C2065: 'kSoftLight': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(96): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(96): error C2065: 'kDifference': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(97): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(97): error C2065: 'kExclusion': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(98): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(98): error C2065: 'kMultiply': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(99): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(99): error C2065: 'kLastSeparableMode': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(100): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(100): error C2065: 'kHue': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(101): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(101): error C2065: 'kSaturation': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(102): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(102): error C2065: 'kColor': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(103): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(103): error C2065: 'kLuminosity': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(104): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(104): error C2065: 'kLastMode': identificatore non dichiarato
[2/1280] Building CXX object laf\os\CMakeFiles\laf-os.dir\window.cpp.obj
FAILED: laf/os/CMakeFiles/laf-os.diwindow.cpp.obj
"C:\Programmi\Microsoft Visual Studio\2022\Community\VC\Tools\MSVC\14.39.33519\bin\HostX64\x64\cl.exe" /nologo /TP -DCLIP_ENABLE_IMAGE=1 -DCMARK_STATIC_DEFINE -DHAVE_CONFIG_H -DHAVE_CONFIG_OVERRIDE_H=1 -DLAF_FREETYPE -DLAF_SKIA -DLAF_WINDOWS -DLAF_WITH_CLIP -DLAF_WITH_REGION -DNDEBUG -DPNG_NO_MMX_CODE -DSK_ALLOW_STATIC_GLOBAL_INITIALIZERS=1 -DSK_BUILD_FOR_WIN -DSK_ENABLE_SKSL=1 -DSK_GAMMA_APPLY_TO_A8 -DSK_GAMMA_SRGB -DSK_GL=1 -DSK_INTERNAL -DSK_SCALAR_TO_FLOAT_EXCLUDED -DSK_SUPPORT_GPU=1 -DUNICODE -DWINVER=0x0A00 -D_CRT_SECURE_NO_WARNINGS -D_UNICODE -D_WIN32_WINNT=0x0A00 -IC:\aseprite\third_party\zlib -IC:\aseprite\build\third_party\zlib -IC:\aseprite\third_party\libpng -IC:\aseprite\build\third_party\libpng -IC:\aseprite\third_party\tinyxml -IC:\aseprite\third_party\pixman\pixman -IC:\aseprite\build -IC:\aseprite\third_party\giflib -IC:\aseprite\third_party\jpeg -IC:\aseprite\third_party\curl\include -IC:\aseprite\third_party\simpleini -IC:\aseprite\laf\os\..\third_party -IC:\aseprite\laf -IC:\aseprite\build\laf -IC:\aseprite\src -IC:\deps\skia -IC:\deps\skia\third_party\externals\freetype\include -IC:\deps\skia\third_party\externals\harfbuzz\src -std:c++17 -MT -DNOMINMAX /showIncludes /Folaf\os\CMakeFiles\laf-os.dir\window.cpp.obj /Fdlaf\os\CMakeFiles\laf-os.dir\laf-os.pdb /FS -c C:\aseprite\laf\os\window.cpp
C:\aseprite\laf\os/skia/paint.h(73): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(73): error C2065: 'kClear': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(74): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(74): error C2065: 'kSrc': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(75): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(75): error C2065: 'kDst': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(76): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(76): error C2065: 'kSrcOver': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(77): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(77): error C2065: 'kDstOver': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(78): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(78): error C2065: 'kSrcIn': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(79): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(79): error C2065: 'kDstIn': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(80): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(80): error C2065: 'kSrcOut': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(81): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(81): error C2065: 'kDstOut': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(82): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(82): error C2065: 'kSrcATop': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(83): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(83): error C2065: 'kDstATop': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(84): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(84): error C2065: 'kXor': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(85): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(85): error C2065: 'kPlus': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(86): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(86): error C2065: 'kModulate': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(87): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(87): error C2065: 'kScreen': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(88): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(88): error C2065: 'kLastCoeffMode': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(89): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(89): error C2065: 'kOverlay': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(90): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(90): error C2065: 'kDarken': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(91): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(91): error C2065: 'kLighten': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(92): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(92): error C2065: 'kColorDodge': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(93): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(93): error C2065: 'kColorBurn': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(94): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(94): error C2065: 'kHardLight': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(95): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(95): error C2065: 'kSoftLight': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(96): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(96): error C2065: 'kDifference': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(97): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(97): error C2065: 'kExclusion': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(98): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(98): error C2065: 'kMultiply': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(99): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(99): error C2065: 'kLastSeparableMode': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(100): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(100): error C2065: 'kHue': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(101): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(101): error C2065: 'kSaturation': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(102): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(102): error C2065: 'kColor': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(103): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(103): error C2065: 'kLuminosity': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(104): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(104): error C2065: 'kLastMode': identificatore non dichiarato
[3/1280] Building CXX object laf\os\CMakeFiles\laf-os.dir\common\event_queue.cpp.obj
FAILED: laf/os/CMakeFiles/laf-os.dicommon/event_queue.cpp.obj
"C:\Programmi\Microsoft Visual Studio\2022\Community\VC\Tools\MSVC\14.39.33519\bin\HostX64\x64\cl.exe" /nologo /TP -DCLIP_ENABLE_IMAGE=1 -DCMARK_STATIC_DEFINE -DHAVE_CONFIG_H -DHAVE_CONFIG_OVERRIDE_H=1 -DLAF_FREETYPE -DLAF_SKIA -DLAF_WINDOWS -DLAF_WITH_CLIP -DLAF_WITH_REGION -DNDEBUG -DPNG_NO_MMX_CODE -DSK_ALLOW_STATIC_GLOBAL_INITIALIZERS=1 -DSK_BUILD_FOR_WIN -DSK_ENABLE_SKSL=1 -DSK_GAMMA_APPLY_TO_A8 -DSK_GAMMA_SRGB -DSK_GL=1 -DSK_INTERNAL -DSK_SCALAR_TO_FLOAT_EXCLUDED -DSK_SUPPORT_GPU=1 -DUNICODE -DWINVER=0x0A00 -D_CRT_SECURE_NO_WARNINGS -D_UNICODE -D_WIN32_WINNT=0x0A00 -IC:\aseprite\third_party\zlib -IC:\aseprite\build\third_party\zlib -IC:\aseprite\third_party\libpng -IC:\aseprite\build\third_party\libpng -IC:\aseprite\third_party\tinyxml -IC:\aseprite\third_party\pixman\pixman -IC:\aseprite\build -IC:\aseprite\third_party\giflib -IC:\aseprite\third_party\jpeg -IC:\aseprite\third_party\curl\include -IC:\aseprite\third_party\simpleini -IC:\aseprite\laf\os\..\third_party -IC:\aseprite\laf -IC:\aseprite\build\laf -IC:\aseprite\src -IC:\deps\skia -IC:\deps\skia\third_party\externals\freetype\include -IC:\deps\skia\third_party\externals\harfbuzz\src -std:c++17 -MT -DNOMINMAX /showIncludes /Folaf\os\CMakeFiles\laf-os.dir\common\event_queue.cpp.obj /Fdlaf\os\CMakeFiles\laf-os.dir\laf-os.pdb /FS -c C:\aseprite\laf\os\common\event_queue.cpp
C:\aseprite\laf\os/skia/paint.h(73): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(73): error C2065: 'kClear': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(74): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(74): error C2065: 'kSrc': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(75): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(75): error C2065: 'kDst': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(76): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(76): error C2065: 'kSrcOver': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(77): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(77): error C2065: 'kDstOver': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(78): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(78): error C2065: 'kSrcIn': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(79): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(79): error C2065: 'kDstIn': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(80): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(80): error C2065: 'kSrcOut': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(81): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(81): error C2065: 'kDstOut': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(82): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(82): error C2065: 'kSrcATop': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(83): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(83): error C2065: 'kDstATop': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(84): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(84): error C2065: 'kXor': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(85): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(85): error C2065: 'kPlus': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(86): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(86): error C2065: 'kModulate': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(87): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(87): error C2065: 'kScreen': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(88): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(88): error C2065: 'kLastCoeffMode': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(89): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(89): error C2065: 'kOverlay': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(90): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(90): error C2065: 'kDarken': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(91): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(91): error C2065: 'kLighten': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(92): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(92): error C2065: 'kColorDodge': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(93): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(93): error C2065: 'kColorBurn': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(94): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(94): error C2065: 'kHardLight': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(95): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(95): error C2065: 'kSoftLight': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(96): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(96): error C2065: 'kDifference': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(97): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(97): error C2065: 'kExclusion': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(98): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(98): error C2065: 'kMultiply': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(99): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(99): error C2065: 'kLastSeparableMode': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(100): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(100): error C2065: 'kHue': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(101): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(101): error C2065: 'kSaturation': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(102): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(102): error C2065: 'kColor': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(103): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(103): error C2065: 'kLuminosity': identificatore non dichiarato
C:\aseprite\laf\os/skia/paint.h(104): error C2027: utilizzo di tipo non definito 'SkBlendMode'
C:\deps\skia\include/core/SkPaint.h(31): note: vedere la dichiarazione di 'SkBlendMode'
C:\aseprite\laf\os/skia/paint.h(104): error C2065: 'kLastMode': identificatore non dichiarato
[4/1280] Building CXX object laf\os\CMakeFiles\laf-os.dir\win\color_space.cpp.obj
FAILED: laf/os/CMakeFiles/laf-os.diwin/color_space.cpp.obj
submitted by Inevitable-Brush9810 to aseprite [link] [comments]


2024.05.15 16:09 Laidbackwoman Do I need graph database for this Entity Linking problem?

Context:
I am tasked to develop a solution to identify business registration codes of companies mentioned in articles. The ultimate goal is to build an early-warning system of negative news, given a watchlist of business codes.
Current solution:
1/ Extract mentions using NER (Named Entity Recognition). 2/ Generate a candidate list by querying where company names contain the mention (SELECT * FROM db_company WHERE name like N'%mention%') 3/ Embed by embedding model and compare the company's business line with the NER-extracted business line (generated by an LLM) to calculate similarity scores 4/ Select the company with the highest similarity score (most similar business line)
Question:
My solution purely relies on data from 1 table in SQL database. However, after reading more about Entity Linking, I find that lots of use cases utilize Knowledge Graph.
Given my limited knowledge about Graph Database, I don't quite understand how graph database would help me with my use case. There must be a reason why Entity Linking problems use Graph Database a lot. Am I overlooking anything?
Thanks a lot!
submitted by Laidbackwoman to LanguageTechnology [link] [comments]


2024.05.15 16:06 EtherealGears Scheme for assigning EMC values in my modpack

I typed this out for my own benefit, but thought I'd share it in case anyone finds it useful. The following is the philosophy behind the assigning of EMC values to blocks and items in my modpack:
The Transmutation Table and its various variants and upgrades (Tablet, Interface, etc.) can only transform into EMC inorganic blocks and items that form part of the natural world. This means all blocks that form part of natural world generation (i.e. excluding artificial structures), as well as any items that can be acquired by mining those blocks, with or without Silk Touch. The one exception is raw metals, as well as ore blocks and other similar blocks that can be affected by the Fortune enchantment. In addition, there are five categories of blocks and items which have EMC values despite not meeting the criteria detailed above. These are:
1 & 2 Alchemicals (Fuel & Matter)
3 Dyes
4 Lumber
5 Turf
Categories #1 and 2# are grouped together as "Alchemicals", and refers to the matters and fuels utilized by ProjectE itself (plus Project Expansion), as well as a small group of related items such as covalence dusts, and the matter balls and singularities from Applied Energistics 2. Note that "fuels" doesn't merely refer to items and blocks with "fuel" in their names, but any block or item which can be used or created by an Energy Collector, including Charcoal, Blaze Powder, etc.
Category #3 simply refers to the 16 types of dye that exist in Minecraft. Note that dyed variants of blocks, even if part of the natural world, do not have EMC values. So for example, only undyed Terracotta has an EMC value, even though Brown, Red, Orange and other colors of Terracotta do form part of natural world generation.
Category #4 refers to all naturally occurring logs, stems and other woody blocks capable of being turned into Planks. For special wood types such as Bamboo or the Chorus wood type from L_Ender's Cataclysm, only the "Log-like" block plus the Planks have an EMC value. So Bamboo Blocks and Bamboo Planks have EMC values, but Bamboo itself does not. Similarly, while all naturally occurring Logs have EMC values, Woods (the blocks with the bark texture on all six sides) do not. Sticks also have an EMC value and form part of the Lumber category.
Category #5 refers to dirt and all related or similar blocks that form part of the "terrain" or "ground" of biomes, even if partially or wholly organic. So for example Grass Blocks, Podzol, Mycelium and Netherrack have EMC values, and so do Moss Blocks and Moss Carpets, as well as related inorganic blocks partially covered by vegetation, such as Mossy Cobblestone. This category is by its nature rather arbitrary, and so a few blocks to note which do NOT have an EMC value despite possibly being considered part of the Turf category include: Sculk blocks, Coral Blocks and Sponges.
submitted by EtherealGears to feedthebeast [link] [comments]


2024.05.15 16:03 GodotOverslept The Ultimate Cross Guild Powerscaling Post

I'm just tired of the dozens and dozens of posts powerscaling Cross Guild oh so wrongly, so I sat down and am about to finish the conversation once and for all.
  1. Buggy. I think this is obvious enough that I don't need to explain it, but still. An Emperor of the Sea that is finally caught up with the likes of Blackbeard, Straw Hat, and Shanks, a former warlord, the mastermind behind the Impel Down incident, recognised by both Crocodile and the world's best swordsman. Also, he beat Roronoa Zoro and would have killed Straw Hat if his daddy hadn't been there to save his ass, so yeah.
  2. Crocodile. I really would prefer to avoid agenda talk, but I know I won't hear the end of it from Mihawkards. I really don't care, though: Crocodile beat an Emperor of the Sea, twice he beat him, before the time skip. Imagine what he could do right now. Also, former warlord, logia user, transcended gender, and was recognised by the Revolutionary Army to the point that he gave birth to Dragon's son. Fight me.
  3. Mihawk. People say I hate him. I'm just impartial! I like Mihawk! He beat Roronoa at Baratie and hurt Straw Hat at Marineford, so he does have feats. He's also a former warlord, and now that he's Buggy's third-in-command, we can assume he is at least YCL. I favor Crocodile, but I do think the Croco-agenda in general underestimates Mihawk. Like, come on, guys, him and Sanji would be 50-50. A true threat with so much potential.
  4. Daz Bones. Not much to say here: he's been an executive for two warlords, an emperor, and fought Roronoa equally. He did lose to Mihawk at Marineford, though, so a solid fourth place. Maybe when he awakens his fruit, though...? I mean, Oda has sidelined him for so long, he's bound to have a big moment like that soon.
  5. T-Bone's killer. Okay, hear me out. Other characters have names and no feats (I'm looking at you, Worst Generation). What does this guy have? Well, definitely the raw power to mortally wound a high-ranking marine officer, plus the smarts to bypass his OH, and the skill to be accepted by the future King of the Pirates. Remember when Blackbeard was a no-name at Whitebeard's crew? Oda is clearly foreshadowing something for this guy...
  6. Puggy. People are going to hate me for this one, but I'm comfortable putting him at 6th place. He did go toe-to-toe with Zoro and Sanji, but that was like two or three power boosts ago. He is also Buggy's bodyguard and that is something, but it's not like Buggy needs that much protection anyway. Like, Big Mom had to be put to sleep and traumatized just to make her vulnerable to attacks. I didn't see the need for a bodyguard with her, so I def. don't see it either with Buggy.
7-8. Galdino and Alvida: Honestly, interchangeable. Galdino beat Dorry and Broggy, and Alvida had Garp's protegee under her boot until Straw Hat came along, so they're forces to be reckoned with. Still, ultimately all Ls.
  1. Kabaji. Too many swordsmen in this crew, no? Lost to Roronoa, but managed to hurt him, so def. above Mohji and Richie.
  2. Mohi and Richie. Look, they are the emotional backbone of Cross Guild. No one is disputing that. In a crew of monsters, you need some grounded characters for the readers to identify with, and that's them. Still, powerscaling-wise, here they are. I'm open to disagreement on this one, though!
  3. Kinoko. "Ooooooh he was a level 5 Impel Down prisoner, he's so stroooooong" shut up. Where are the receipts? Show me any feats. One, I'm only asking for one thing he's done in 1114 chapters. Total fraud. Shouldn't even be here.
submitted by GodotOverslept to MemePiece [link] [comments]


2024.05.15 16:02 HisSunshine3-9 Peach Pepsi

Peach Pepsi
Good morning my love. I saw you a lot yesterday. I didn't even have to dream at this time. I saw plenty of signs as I was awake. A recall for your car (that you no longer have) came in the mail for you yesterday. That's the first piece of mail I've seen with your name on it in a while. But it was funny, because as I was sitting around yesterday thinking about things, I just kept saying your name over and over and over because sometimes I feel like it draws you to me or manifests your energy toward me or maybe if I do it enough you will feel my energy that I send through the vibrations in the universe. Clearly it worked, at least over here. Because not only did that come in the mail, but then I was buying something online and I went to type in my name and it it auto-generated your name. Another sign. Another foreshadowing. They are always there and trust me I am seeing, understanding and listening to the messages. I just know it's not the right time yet. Not yet, hunny.
Yesterday when I was getting R's drinks at the store I saw they came out with a peach Pepsi. Of course, it immediately made me think of our crown peach and Pepsi drink that we love, so I decided to try it. It's not bad. It's definitely drinkable, but it's not as good as with crown LOL. I need to try it with crown peach and peach Pepsi for extra peachy flavor lol. I'm sure it would be good. But I'm not really a drinker anyway. I don't want to drink alone, because that makes me an alcoholic LOL. And it just doesn't do it for me anyway. The aftermath isn't worth it most of the time. I still have all of the same bottles of crown peach that were here from before.
Today I'm going to get a massage and I am actually going to make it to the thrift and pawn shops that I said I was going to do the other day. I am on a mission for something with citrine. A pendant, earrings or a cool ring. The last time I had a reiki massage she suggested that I start wearing and eating more yellow and orange. Not only that, but a bonus is that citrine is your birthstone so I want to wear it anyway. I saw a really cool flower and moon ring on Etsy but it was $400 and I'm not quite ready to spend that much on a ring right now. Which is why I'm hoping to find a good score at a pawn shop. Fingers crossed. Your energy was so present yesterday, actually the last few days really, so I am hoping it continues into today. I feel really good about finding a really cool piece of something with your birthstone with your energy being with me 🥰. I hope that me feeling you around so much means that you are missing me too and I hope that you can feel the energy that I try to send to you. One of my biggest fears is that you forget me, so I try to send vibes to prevent that from happening. Maybe I try too hard but I do it anyway. Maybe that sounds a little selfish, but I try not to look at it as being a negative gesture. I try to see the good so you know how much I think about you and love you and that I never forget you.
I hope you have a wonderful day my love. I miss you so much. I always wonder if you get tired of hearing me say that, but it's true, so I'm going to tell you anyway even if it's annoying. I wish there was a kissy face sticker in the little aliens or robots or whatever they are in the chat, but I don't see one. If there was one, I would send it to you 😘😘😘. I will talk to you soon. Always and forever. I love you more ❤️
submitted by HisSunshine3-9 to u/HisSunshine3-9 [link] [comments]


2024.05.15 16:00 Pleaston Race Report: Copenhagen Marathon - 2nd Marathon

Race Information

Goals

Goal Description Completed?
A Sub 3:40 Yes
B Sub 4:00 Yes
C Finish Yes

Splits

Kilometer Pace
5 5:11/km
10 5:13/km
15 5:06/km
20 5:10/km
21.1 5:04/km
25 5:03/km
30 5:01/km
35 4:51/km
40 4:54/km
42.2 4:44/km

Training

I'm a 27M who has been running intermittently since my teens. I completed my first marathon in 2022 with a 4:05 finish which I was super happy about and I decided I wanted a new challenge to push myself. I set a goal for a sub 3:40 which I thought was relatively doable. I started training in December with no formal plan, just working to increase my base fitness and get some more weekly mileage in.
In January, I started increasing my long runs to 15km+ and was building from there. Things were going quite well and I was feeling good. I wasn't really going for any 'speed' work, just was running roughly 3 times a week at a 5:30-6:00 km pace with one long run.
Then in the first week of February, I got very ill. I was so sick I was practically bedridden for 2 weeks, with extreme fatigue and lack of appetite. I didn't have a scale to measure but I lost a noticable amount of weight. Even after two weeks, I had a persistent cough with mucus in my chest which kept me away from even trying to run. I was healed by the end of February, however, at this point I was feeling very discouraged that I had definitely lost any progress and had a lot of ground to make up (and weight to gain back).
In March, my runnign friends encouraged me to not give up and I got back into a training routine. A 10k race I joined at the last minute with my friends gave me confidence that I was in better shape than I had thought and helped push me to continue.
I built up to roughly 50km weekly mileage, with a few long runs of 25, 30 and 31km. Definitely not ideal but I was confident I would at least be able to finish.

Pre-race

I traveled to Copenhagen 3 days before the race to visit friends. I was excited and feeling good, however, on my first day while getting off of my bike, I banged just below my knee quite hard on the frame of the bike as I was swinging my leg over.
In the moment the pain was pretty bad and I was thinking I'd ruined any chance of running the race. I decided I'd see how it felt/bruised over the next 3 days, but had given up any hope of breaking 3:40, instead I just wanted to be able to run.
That night I iced and elevated my knee. There were thankfully no signs of swelling and limited bruising. The next day the pain limited the mobility of my knee. It hurt to rotate my leg inwards. It was tender to the touch, but manageable, I limited my walking as much as possible and rested.
The next day it felt better and I was able to rotate the knee inwards with limited pain, very light signs of bruising appeared and still no swelling however it was tender to the touch. I was able to walk without pain so I decided to do a shakeout run to see how it felt to run. I didn't experience any pain on the shakeout run and decided I would show up to the race, take it easier than I had planned and just try to finish, and quit at the first sign of knee pain.

Race

The knee felt again even better on race day so I was feeling decently confident. The weather was ideal with an overcast sky and roughly 12 degrees of temperature. I lined up behind the 3:40 pace group and was ready to finish somewhere between there and 3:50 if I was able to finish.
For the first 10km I was hyper focused on how my body was feeling, especially my knee. I had some doubts but just continued on. I was able to keep a steady 5:10/km pace. I had a crew of friends cheering me on who I first saw at KM 9 and seeing them definitely gave me some reassurance.
By km 15, I realized my knee was feeling good, and I decided to try speeding up a bit since my HR was comfortably in Zone 2. With this pace feeling better, and after 20km I had probably a dangerous thought that "well if the knee feels fine after 20, it'll probably be good for another 20", so I decided to go to a 5:00/km pace.
From 20-35 on I was feeling on Cloud 9, was making up ground, and even passed the 3:40 pace group. I saw my friends again at KM 32 and the crowd was electric which pushed my pace even faster to a 4:50, I was feeling fantastic overall and had a huge smile.
By KM 38, my previous boost was wearing off, and I was feeling a lot of exhaustion, but thankfully no knee pain. My smile had turned to a grimace and I think a lot of people could see that I was hurting which led to a lot of cheers of encouragement which I really appreciated, I was still gaining on many people at this point which fueled me to keep pushing, I wasn't really looking at splits at this point and was focused on maintaining this effort to the end.
In the final 200m as we rounded the corner and the finish line came into view, I was overcome with emotion and could hardly breathe as I was choking on sobs. I've had a tough year this year, with a lot of failures, and seeing this finish line and knowing that I was well ahead of my goal time, even with my hurdles was an experience I'll never forget. I crossed the finish line with salty tears running down my face purely from the emotion, a couple of the finish line "catchers" checked on me but I assured them I was just happy.

Post-race

Roughly 20 minutes after my finish, as I was stumbling around the finish area trying to collect the freebies, it started to rain. My friends met up with me and we quickly snapped some pictures, and I rang the PR bell before we started heading out for lunch.
As we were leaving, the metro was absolutely jammed with people so we opted to walk despite an absolute downpour that started. I had lived in Copenhagen before and had never seen rain like this so I really felt for the people still on the course.
In the days after, despite significant muscle soreness, my knee didn't feel any different, so I'm fairly confident that I managed to avoid further damage despite the obvious risk I took. In hindsight, it would have been smarter to not run, but considering that I had flown in for this race specifically with many friends planning on watching me, it felt hard to pull myself out. Obviously the result made me feel fantastic but maybe my behaviour shouldn't have been rewarded.
The experience pushed me to sign up for another Fall marathon where I'm hoping to go sub 3:20 which I think will be doable with a comprehensive race plan.
Made with a new race report generator created by herumph.
submitted by Pleaston to running [link] [comments]


2024.05.15 15:56 VillainDay Lord Ryam Reyne - The Fiery Lion

Reddit Account: u/VillainDay
Discord Tag: mevilmevil
Name and House: Ryam Reyne
Age: 45
Cultural Group: Westerman
Trait: Strong
Skill(s): First Man Warrior (e) Swords (e), Shields
Talent(s): Military Strategy, Running, Looksmaxxing
Negative Trait(s): N/A
Starting Title(s): Lord of Castamere, The Fiery Lion, Ser
Starting Location: Opening event
Alternate Characters: N/A
Family Tree
BIOGRAPHY
The story of Ryam Reyne is one that young squires know by heart and repeat like a sacred melody every night before going to sleep.
Growing up in the gloomy, dark caves of Castamere, young Ryam showed such impressive prowess from an early age that rumours spread that he was actually the son of the Warrior himself, who had come to incarnate himself as a man to defend the Kingdom of the West from a titanic foe.
After eight years of life he was already fighting opponents twice as tall and heavy, and at 14 he defeated his master-at-arms with disarming ease.
This event triggered within him the realisation that no man had anything to teach him, and driven by a mystical mania he decided to flee into the woods to live as a hermit, hoping that nature could strengthen him in a way that training could no longer.
He took only one treasure with him, the most important, his father's Valyrian steel sword.
Lord, enraged, sent an expedition of Castamere's ten best hunters to find it.
Only one of them returned, with a message.
"Do not look for me, I will return."
And when the dragons came west, when suggestion and need knocked at the door, Ryam returned.
At last the time had come for which he was fighting and strengthening himself, and it was with the spirit of a hero come down from the mountain to save the world that Ryam faced the dragons with courage and determination.
It was not enough.
Legends tell that Ryam killed three times a hundred men that day, turning his blade into a scythe of blood, but despite his efforts and the prophecy he felt he was fulfilling, the battle was lost.
Roger died during that tragic day, as a result Ryam had to face not only the desolation of failure but also the burden of having to become the new Lord of Castamere.
He began drinking and seeking pleasure to distract himself from his failure, but this did not stop him from continuing to train and improve.
Thus his life continued for twenty years, until he had the opportunity to use a dormant force again.
During the Lodos Rebellion he fought on the front line, heedless of danger, and his legendary skill was instrumental in enabling Ser Gregor to win victory.
Every wound, every scratch on his skin was nothing compared to the glory and the knowledge that those years of training had not been in vain.
Later, during the Strawberry Tourney, Ryam decided to take part in the melee to test the youth's skills.
He was disappointed to see that the new generation was so weak and from that day on, he decided to devote himself completely to training a new generation of men of the West.
A generation of tough and powerful men, to save the region from depravity.
TIMELINE:
20 BC: Ryam is born, first son of Lord Roger Reyne
17 BC: Norwin is born, second son of Lord Roger Reyne
15 BC: Teora is born, first daughter of Lord Roger Reyne
6 BC: Ryam defeats his master at arms and goes into a mystic mania that leads him to steal Red Rain and disappear in the woods
1 BC: Ryam returns from the woods to participate in the battle against Targaryen's forces
Lord Roger dies and Ryam becomes the new Lord of Castamere
3 AC: Raynald is born, first son of Lord Ryam Reyne
5 AC: Cersei is born, first daughter of Norwin Reyne
6 AC: Rohanne is born, first daughter of Lord Ryam Reyne
7 AC: Amerei is born, second daughter of Norwin Reyne
20 AC: The Songbird strikes against House Reyne, claiming that Norwin's wife has a secret affair with Ryam
21 AC: Ryam and Raynald participate in the Strawberry Tourney
AC:
Name and House: Raynald Reyne
Age: 22
Cultural Group: Westerman
Trait: Strong
Skill(s): Thw (e), First Man Warrior
Talent(s): Rizzing, Listening, Being there when you need someone to complain to
Negative Trait(s): N/A
Starting Title(s): Heir to Castamere, The Second Rain, Ser
Starting Location: Opening Event
Alternate Characters:N/A
BIOGRAPHY
Raynald is the eldest son and heir to the seat of Castamere.
He was schooled, educated and raised as a warrior, but despite this he does not possess his father's manic obsession with fighting.
Frequent partying and excesses have led him to embrace a more libertine lifestyle, in spite of Lord Ryam's wishes.
The young man possesses a passion for wine and women that is balanced by a strict and formal upbringing, and an innate tendency to quell situations before they become open confrontations.
SC:
Name: Norwin Reyne
Archetype: General
(Ryam's younger brother, all his life he felt inferior to him and lived in his shadow.
Despite this, he made up for his lack of talent with intelligence and application, which led him to become a reliable and solid general)
Name: Cersei Reyne
Archetype: Magnate
(Norwin's eldest daughter is famous for her beauty and intelligence.
Her studies in mathematics and finance have made her the mastermind behind the development of Castamere, and the proud Lord Ryam has rewarded this talent with a major role within the castle)
submitted by VillainDay to ITRPCommunity [link] [comments]


http://activeproperty.pl/