Script build kingdoms of camelot firefox

Cafe Racers, new and old.

2010.06.15 08:30 Cafe Racers, new and old.

Welcome to CafeRacers. This is a subreddit/community where you can share photos and have discussions as well as asking for help/advice if needed. Follow the rules. Any Q’s? Send A ModMail
[link]


2010.04.14 05:30 rubberdown Streetfighters, CafeFighters, and naked sportbikes.

[link]


2024.05.19 09:33 Thin_Network8606 Noah carried obedient evils during the flood in the void century

In original religious scripts / epics , Noah was informed by god about an upcoming flood that will sink all the world. Then Noah built a ship to save his folk and also take two animals from every kind. Then during the flood, those do not believe Noah drowned and those who followed him were saved. Later, the ship hit the last remaining piece of earth in the world: tip of a tall mountain. The survivors built a village there and started the life again.
Now the red line fits the descriptions perfectly, and Mary Geoise is built on it I believe it is safe to assume Mary Geoise was built during the flood in void century. Survivors are considered nobles since they followed the orders and now alive. Since all it is quite impossible to build a city on redline, flood seems like a great explanation. Its ok untill now
But what about all the other folks around the world? All around the world there are many people who are not descendants of nobles. How could they survive the great flood? In my opinion they were saved by pirates. Pirates did not follow the order to jump in the Noah ir they were not invited but with their skills in sea they maanaged to survive the flood in their own ships. Originally nobles expected all the other people to die in the flood, many many other people survived the flood. It can be considered as a rebel against the God. They meant to die.
Since pirates are all saved, maybe some of them like Joyboy tried to save more and more people and they were most possibly successful. Or the piracy itself arise since only some chisen people were accepted the noah and the others were left for death. Now the nobles hate all the other mankind since they are descendents of rebel pirates or those who followed them/friends
submitted by Thin_Network8606 to OnePiece [link] [comments]


2024.05.19 09:30 CloudysYe Chaos (fault) testing method for etcd and MongoDB

Chaos (fault) testing method for etcd and MongoDB
https://preview.redd.it/wqrh8ahk5c1d1.png?width=824&format=png&auto=webp&s=5eee98a84c0072df8c688597c1b1acbbd113a104
Recently, I have been doing chaos (fault) tests on the robustness of some self-built database driveclient base libraries to verify and understand the fault handling mechanism and recovery time of the business. It mainly involves the two basic components MongoDB and etcd. This article will introduce the relevant test methods.

Fault test in MongoDB

MongoDB is a popular document database in the world, supporting ACID transactions, distributed and other features.
Most of the articles on chaos (fault) testing of MongoDB in the community are simulated by processing monogd or mongos. For example, if you want MongoDB to trigger copy set switching, you can use a shell script like this:
# suspended the primary node kill -s STOP  # After the service is damaged, MongoDB should stepDown ReplicaSet in a few seconds to ten seconds. # After the stepDown is complete, the service can automatically switch the connection to the new working primary node, without manual intervention, the service will return to normal. # The reliability of the Mongo Client Driver is generally verified here. 
The above-mentioned means are generally system-level, if we just want to simulate a MongoDB command command encountered network problems, how to do further want to conduct more fine-grained testing. In fact, MongoDB in 4.x version above has implemented a set of controllable fault point simulation mechanism -> failCommand.
When deploying a MongoDB replica set in a test environment, you can generally enable this feature in the following ways:
mongod --setParameter enableTestCommands=1 
Then we can open the fault point for a specific command through the mongo shell, for example, for a find operation to make it return error code 2:
db.adminCommand({ configureFailPoint: "failCommand", mode: { "times": 1, }, data: {errorCode: 2, failCommands: ["find"]} }); 
These fault point simulations are controllable, and the cost is relatively low compared to the direct destruction on the machine, and it is also suitable for integrating into continuous integration automation processes. The MongoDB built-in fault point mechanism also supports many features, such as allowing a certain fault probability to occur, returning any MongoDB supported error code type, etc. Through this mechanism, we can easily verify the reliability of our own implementation of the MongoDB Client Driver in unit tests and integration tests.
If you want to know which fault points the MongoDB supports, you can check the specification provided by the MongoDB in detail, which mentions which fault points the driver can use for testing for each feature of the MongoDB.
MongoDB, there are many examples in the dirver code repository of the official go implementation that can be: https://github.com/mongodb/mongo-go-driveblob/345ea9574e28732ca4f9d7d3bb9c103c897a65b8/mongo/with\_transactions\_test.go#L122.

Fault test in etcd

etcd is an open source and highly available distributed key-value storage system, which is mainly used for shared configuration and service discovery.
We mentioned earlier that MongoDB has a built-in controllable fault point injection mechanism to facilitate us to do fault point testing, so does etcd also provide it?
Yes, etcd officials also provide a built-in controllable fault injection method to facilitate us to do fault simulation tests around etcd. However, the official binary distribution available for deployment does not use the fault injection feature by default, which is different from the switch provided by MongoDB. etcd requires us to manually compile the binary containing the fault injection feature from the source code for deployment.
etcd has officially implemented a Go package gofail to do "controllable" fault point testing, which can control the probability and number of specific faults. gofail can be used in any Go implementation program.
In principle, comments are used in the source code to bury some fault injection points in places where problems may occur through comments (// gofail:), which is biased towards testing and verification, for example:
 if t.backend.hooks != nil { // gofail: var commitBeforePreCommitHook struct{} t.backend.hooks.OnPreCommitUnsafe(t) // gofail: var commitAfterPreCommitHook struct{} } 
Before using go build to build the binary, use the command line tool gofail enable provided by gofail to cancel the comments of these fault injection related codes and generate the code related to the fault point, so that the compiled binary can be used for fine-grained testing of fault scenarios. Use gofail disable to remove the generated fault point related codes, the binary compiled with go build can be used in the production environment.
When executing final binary, you can wake up the fault point through the environment variable GOFAIL_FAILPOINTS. if your binary program is a service that never stops, you can start an HTTP endpoint to wake up the buried fault point to the external test tool by GOFAIL_HTTP the environment variable at the same time as the program starts.
The specific principle implementation can be seen in the design document of gofail-> design.
It is worth mentioning that pingcap have rebuilt a wheel based on gofail and made many optimizations: failpoint related code should not have any additional overhead; Can not affect the normal function logic, can not have any intrusion on the function code; failpoint code must be easy to read, easy to write and can introduce compiler detection; In the generated code, the line number of the functional logic code cannot be changed (easy to debug);
Next, let's look at how to enable these fault burial points in etcd.

Compile etcd for fault testing

corresponding commands have been built into the Makefile of the official etcd github repository to help us quickly compile the binary etcd server containing fault points. the compilation steps are roughly as follows:
git clone git@github.com:etcd-io/etcd.git cd etcd # generate failpoint relative code make gofail-enable # compile etcd bin file make build # Restore code make gofail-disable 
After the above steps, the compiled binary files can be directly seen in the bin directory. Let's start etcd to have a look:
# enable http endpoint to control the failpoint GOFAIL_HTTP="127.0.0.1:22381" ./bin/etcd 
Use curl to see which failure points can be used:
curl afterCommit= afterStartDBTxn= afterWritebackBuf= applyBeforeOpenSnapshot= beforeApplyOneConfChange= beforeApplyOneEntryNormal= beforeCommit= beforeLookupWhenForwardLeaseTimeToLive= beforeLookupWhenLeaseTimeToLive= beforeSendWatchResponse= beforeStartDBTxn= beforeWritebackBuf= commitAfterPreCommitHook= commitBeforePreCommitHook= compactAfterCommitBatch= compactAfterCommitScheduledCompact= compactAfterSetFinishedCompact= compactBeforeCommitBatch= compactBeforeCommitScheduledCompact= compactBeforeSetFinishedCompact= defragBeforeCopy= defragBeforeRename= raftAfterApplySnap= raftAfterSave= raftAfterSaveSnap= raftAfterWALRelease= raftBeforeAdvance= raftBeforeApplySnap= raftBeforeFollowerSend= raftBeforeLeaderSend= raftBeforeSave= raftBeforeSaveSnap= walAfterSync= walBeforeSync=http://127.0.0.1:22381 
Knowing these fault points, you can set the fault type for the specified fault, as follows:
# In beforeLookupWhenForwardLeaseTimeToLive failoint sleep 10 seconds curl -XPUT -d'sleep(10000)' # peek failpoint status curl sleep(1000)http://127.0.0.1:22381/beforeLookupWhenForwardLeaseTimeToLivehttp://127.0.0.1:22381/beforeLookupWhenForwardLeaseTimeToLive 
For the description syntax of the failure point, see: https://github.com/etcd-io/gofail/blob/mastedoc/design.md#syntax
so far, we have been able to do some fault simulation tests by using the fault points built in etcd. how to use these fault points can refer to the official integration test implementation of etcd-> etcd Robustness Testing. you can search for relevant codes by the name of the fault point.
In addition to the above-mentioned built-in failure points of etcd, the official warehouse of etcd also provides a system-level integration test example-> etcd local-tester, which simulates the node downtime test in etcd cluster mode.
Well, the sharing of this article is over for the time being ღ( ´・ᴗ・` )~
Commercial break: I recently maintenance can maintain multiple etcd server, etcdctl etcductl version of the tools vfox-etcd), You can also use it to install multiple versions of etcd containing failpoint on the machine for chaos (failure simulation) tests!
submitted by CloudysYe to ChaosEngineering [link] [comments]


2024.05.19 09:18 Shinoaki Remaking Iron Cafe, what do you think thus far?

Remaking Iron Cafe, what do you think thus far?
Exactly as the title says, I had the urge to recreate it and really wanted a nostalgia week, and then guess what? Roblox called out the classic event! And it's already looking bad.
So I'm putting more work into this cafe to get it done by the 23rd, it's not going to be classic, as I'm modernising everything but I hope at least people will like it. I did not get permission to remake it, this is more of a callback/love letter to the nostalgia had at the Iron Cafe back in 09/10 personally! I'm trying to put a little bit of every version in.
Here are some parts so far, they're a bit of an eyesore but I'll smooth everything out when the buildings closed in at least. Please don't be too judgmental. Any ideas for improvement would be super appreciated as that's the point of the post :D
Please do know tho that lighting, atmosphere, skybox etc will be done after the building is all finished! (or has four walls.)
the lounge seats, no free models used but the lounge seats are comprised of two free meshes.
the stage, Free models used are: the drums, the keyboard and the meshes (Speakers, guitars and curtains) I cannot 3d • model for the life of me. I redid the decal though, with a different 'mascot'!
the bars nothing pretty to look at but trying to remake the drink dispensers is my next thing on my list. i cant script but my friend can. I think the stool was a free model that i customized. they are placeholders but idk i kinda like them. i want to spruce the bar design up a bit but idk how
bathroom. free models used are: the sinks themselves (not the counter) and maybe the light. i forgot.
so yeah. I dont think ill get it done on time but i dont really mind that.
submitted by Shinoaki to roblox [link] [comments]


2024.05.19 09:09 man_mel Vue Business Objects

The article discusses architectural aspects of building Vue 3 projects.
One of the most powerful innovations of Vue 3 is fine-grained Reactivity API. There is an important and frequently used construct in Vue 3 projects, utilizing this API, that doesn't have a name. It's what's commonly referred to as "composable with global refs". Examples: useShoppingCart, useUserAccount.
But:
  1. it's not a composable by definition
  2. it doesn't necessarily have *ref'*s
  3. it's not "global"
In general, the structure of such an object consists of reactive data and functions for working with it, exported from a ES module (although variations are possible).
Functionally, they can replace Pinia's "stores". Calling them stores is ambiguous and unreasonable. Generally, worshipping "global state" after the idea of JavaScript signals and various implementations of them have emerged, including the Vue Reactivity API, seems archaic.
The most appropriate name for this design pattern seems to be Vue Business Object (VBO). They encapsulate the domain (business rules) and application logic (DDD-wise), they are not tied to specific components, and, similar to other languages and frameworks, this pattern - Business Object - looks quite suitable.
Technical implementation of VBO can be through ES modules, ES classes, closures, Pinia stores, using singleton and DI patterns if necessary.
Positioning VBO exactly as a "Business Object" will stimulate explicit separation of presentation and infrastructure layers from it - API layer, for example. That is, will encourage the use of best practices and principles from other areas of software development (`Domain-Driven Design`, the `Clean Architecture`), further moving Vue.js from a "framework for small projects" to the category of enterprise-level solutions.
submitted by man_mel to vuejs [link] [comments]


2024.05.19 09:08 gitmintywitit Learning Java with IntelliJ IDEA - Javascript implementation?

Hi all, I am trying to self-study Java, and am using IntelliJ IDEA 2024.1. Part of this practice app I am building includes JavaScript files. At the top of the file though, it says that .js files are supported by IntelliJ IDEA Ultimate.
According to ChatGPT, my js files should work, the only problem is that the IDE wont provide much help in formatting and debugging and the like. That is unfortunate, but not a big deal since I am just practicing. But if I want to further my Java skills, how could I continue on should I need js files here and there?
Is there a better IDE to use in regards to Java and including js files? What do you use/recommend?
Thanks in advance for any help!
submitted by gitmintywitit to learnprogramming [link] [comments]


2024.05.19 08:49 Nice_Substance9123 South Africa is having elections on the 29th of May and these are all the Party options to choose from. 🤦🤦🤦🤦🤦🤦

South Africa is having elections on the 29th of May and these are all the Party options to choose from. 🤦🤦🤦🤦🤦🤦 submitted by Nice_Substance9123 to facepalm [link] [comments]


2024.05.19 08:23 freddit671 Reloading my main loop at timed intervals while the script is running.

I have a main infinite loop with a bunch of gosubs and sometimes the gosubs can get stuck.
I dont see a reason to post the script as the loop script works just fine, its essentially:
Loop
Gosub1 Gosub2 Etc
End loop.
Each go sub runs a specific subscript just once but it can sometimes get stuck. But I did build a function inside them so that even if they get stuck they will work again as long as they are restarted from the main loop.
The problem in have is i dont know how to restart the loop itself once ahk gets suck in a subroutine
submitted by freddit671 to AutoHotkey [link] [comments]


2024.05.19 08:22 jmeyer2030 Early Game AFK Emerald Farm

Video Demo: https://drive.google.com/file/d/1NJXZc4g8cEKy8L-3vIn9JHwFjw1SXjjY/view?usp=sharing
Hey guys, so this is an extension of Ianxofour's voidless void trading set up but made to be fully automatic for getting an infinite number of emeralds in survival. It uses two string trading villagers, a string duper some where on the rail, and a pretty simple AHK script to automate everything. Idk how y'all feel about scripts, but it makes my Minecraft experience more fun so I use them in my survival worlds...
The way it works is that you double click the top edge of the button while sitting in a minecart to open the trading menu and send you far enough from the villager that when you trade it doesn't consume the villager's trade inventory. The string duplicator makes sure you never run out of string. The script does all this but also every 40 trades, it empties your inventory into a chest so that you can fill your inventory with emeralds again.
Build Instructions:
  1. Create Ianxofour's voidless void trading set up with two fisherman villagers, with the rail running in the east west direction. One side will serve as the "starting side" for the purposes of the script, in the picture it is the left one.
  2. Create a string duplicator such that the string drops over the player rail (plenty of videos on this on YT)
  3. When facing the villager on the starting side in the player minecart, place a chest on your right one block up with two air blocks between you and the chest. (This is for emptying your inventory so it can be run for longer)
Script "as is" requirements:
The villager on the starting side needs to have string as the second trade, and the other side must have string as the first trade. 1920x1080 monitor, GUI size auto.
Use Instructions:
Enter windowed mode. Set your render and simulation distance to the minimum. Sit in the minecart on the starting side facing the villager, and looking straight down. Use f3 to make sure you are perfectly aligned. With the script running, press ctrl-g to start the farm. To exit the script press ctrl-esc
Final notes and customization Script Google Docs Link: https://docs.google.com/document/d/1-roqM4cY0MdShEIXzLrr0ue8zOeZLIwkEDrpjrne-nQ/edit?usp=sharing (You need to create a txt file, and save as .ahk)
The script is not perfect, but on my machine is extremely consistent and works overnight. Things like the amount your mouse moves can be changed to work with your computer if you so desire. Additionally you could mess with timings and rail design to optimize. On my survival world I have two string dupers since just one doesn't generate enough string.
I realize it would be outclassed by something using the end gateways, but I hate dealing with transporting mobs more than anything. Just thinking about it I'm getting flashbacks to making a shulker farm.
Simplest Version
submitted by jmeyer2030 to technicalminecraft [link] [comments]


2024.05.19 08:19 Glitch109 [Crossover Worldbuilding Idea] What if the MCU, DCEU, MonsterVerse, Resident Evil (Capcom Games), Avatar: The Last Airbender, Netflix's The Dragon Prince, Vivziepop's Hazbin Hotel/Helluva Boss, and Live Action Teenage Mutant Ninja Turtles are set in the same universe?

Inspired by MichaeltheSpikester's idea of a shared world, decided to add my variation of it. But with extra media that I think would fit well with this shared world.
-Several dimensions that were connected to Earth-199999 are not only the Astral, Dark, Mirror, K'un-Lun, Ta Lo, Duat, etc. but also consisted of Chronobowl (DCEU), Mount Olympus (DCEU), Axis Mundi (MonsterVerse), 4 Nations (Avatar: The Last Airbender), Spirit World (Avatar: The Last Airbender), Xadia (Netflix's The Dragon Prince), Heaven & Hell (Hazbin Hotel/Helluva Boss), and the Kraang Dimension (TMNT).
-The Titan's origins originated from the Celestial Tiamut from the Earth's core with the cosmic energy mutating small creatures into giant monsters. It is revealed that every planet in the universe not only has its celestials but also has its own set of Titans that play a key role in the planet's ecosystem. King Ghidorah is revealed to be one of the last few members of his species who survived his planet's Emergence and the reason why he and his kind terraform worlds is to rebuild the home they lost.
-Heaven and the Kraang played a role in the development of the Human race where it is revealed that Humans have various animal DNA, thus having the dormant gene that ties them to their animal ancestor.
-Lilith would be considered the "First Scarlet Witch".
-Due to Heaven's influence, their magic created the Gods and Goddesses in the universe. Adam would eventually create the Council of Godheads, where he is good friends with Zeus from Thor: Love and Thunder (aka Jupiter, the Roman counterpart of Zeus).
-The celestial's cosmic energy not only created Hollow Earth but also created pockets from the Earth's surface that created portals that allowed access to Hollow Earth from the surface.
-Asgardians, ancient Wakanda, Eternals, and Titans banding together with humanity, ancient Atlantis, ancient Green Lanterns, Olympians, and Themsycira in the fight against Darkseid, Steppenwolf, and their forces in ancient history.
-It is revealed that Titans, such as Sehkmet, Na Kika, and an unnamed Thunderbird Titan are responsible for Bashenga's, Talokanil's, and Chafa's origins and abilities instead of the Gods and Goddesses from Thor: Love and Thunder.
-The Titans and Startouch Elves would be labeled as "low-level" gods by the Council of Godheads.
-Atlantis, Asgard, Themyscira, Heaven, and Olympus (When the Greek Gods were still around) were aware of the existence of Titans and the role they play in the Earth's ecosystem. Similar to Asgardians, Titans were responsible for many legends and myths regarding mythical creatures and gods. The relationship between them and benevolent titans would be at best mutual notably towards those like Godzilla and Mothra but otherwise would be at odds with destroyer titans like Rodan and Scylla.
-The Eternals are aware of the Titans as well. Ikaris proposed killing them since they would be affecting the Earth's population and preventing the Emergence from progressing. However, Ajak talked him out of it as they observed Godzilla's species preserving the balance of nature, keeping the population steadying, keeping the other Titans at bay, and hunting/killing giant Deviants as well.
-The Eternals once met with Mothra, who Sersi and Sprite formed a close bond with.
-The animalistic Egyptian Gods and Goddesses (Khonshu, Anubis, Ammit, Tawaret, Horus, etc.) were once human-looking Gods/Goddesses before being exposed to the Kraang's Ooze, which mutated them into more animalistic creatures.
-Godzilla has a mixed relationship with the Eternals. While he approves them for keeping the Earth safe, he doesn't trust them due to their "unnatural" nature due to being from space, which is the same with King Ghidorah.
-Prior to his arrival on earth. King Ghidorah had a fearful reputation across the cosmos by civilizations, similar to that of Darkseid and Thanos.
-Both Thor and Rodan once fought each other in the past when Rodan at some point appeared in Scandinavia and terrorized the people, which prompted the Thunder God to engage. It was a long, withdrawn, and lengthy battle that eventually ended with Thor finally driving Rodan off. Like many legends and myths, this fight inspired one of those about Thor fighting a "Great Bird of Fire".
-Shazam was the first Sorcerer Supreme and taught the Ancient One magic.
-Wonder Woman and the original Shazam took part in imprisoning Ammit alongside the other Egyptian Gods and Goddesses.
-The radiation of Hollow Earth caused certain viruses and organisms to become more hostile when infecting their host while granting them various abilities. Examples include the T-Virus and the E-Series mold.
-Both Asgard and Mount Olympus are aware of Aaravos and his past crimes.
-The Ancient One visited both Xadia and the 4 nations once to learn more about both world's magic. The Ancient One also helped in imprisoning Aaravos.
-While Xadia is aware of dark magic, they are unaware of the Dark Dimension and Dormammu.
-King Ghidorah was without a doubt probably the only being that Darkseid and Thanos had ever developed a grudging respect. Both warlords are aware of King Ghidorah due to being just as feared by civilizations across the cosmos as they are. Despite classing Titans as "low-level" gods, the Council of Godheads also feared King Ghidorah due to his destructive nature.
-The Necrosword is made of the same metallic material used by the Exorcist Angels during their exterminations.
-Wonder Woman's presence in World War I inspired Johann Schmidt (aka Red Skull) to pursue mythology in hopes of creating weaponry for HYDRA.
-Captain America and Wonder Woman met during World War II when Steve was doing his USO Show.
-SHIELD is aware of Monarch and STAR Labs and has often collaborated with each other in the past.
-Packard is a relative of Nick Fury.
-Asgard and Krypton having had a history with one another and the former having tried to warn the latter of their inevitable doom, but were dismissed.
-Prior to Krypton's destruction. Zod and his soldiers had a run-in with Yondu and the Ravagers.
-Both SHIELD and Nick Fury were not only aware of the Titan's existence but also aware of Superman's arrival on Earth and kept close tabs on him since he was a child.
-Both Superman and Chris Redfield were Captain America fans when younger.
-After the T-Virus Incident in Raccoon City, SHIELD and Monarch helped with the clean-up.
-Bruce Wayne, William Stenz, Amanda Waller, and Chris Redfield were all targets of Project Insight.
-Alongside SHIELD, STAR Labs, B.S.A.A., and Monarch were all infiltrated by HYDRA Agents who sought their resources. They stole various technological weapons created by the Motherbox, samples of the T-Virus, and stole Titan DNA to create Titan clones.
-After the Turtles made their debut, SHIELD and Monarch kept close eye on them based on their mutation.
-After the Civil War, Amanda Waller proposed Task Force X to the government, in which Theaddeus Ross was among those who approved it while William Stenz opposed it. Abomination and Baron Zemo were among the possible candidates for Task Force X.
-Task Force X and Monarch weren't affected by the Sokovia Accords due to their connections with the government.
-After the Baker House Incident, SHIELD and Monarch not only helped clean up the situation but also got clues on the E-Series's origin. Not trusting the B.S.A.A. or Blue Umbrella, they gave the info to Chris, which led to his isolation from both organizations.
-Talokan would be considered one of the Kingdoms of Atlantis. Ocean Master would later try to recruit Namor, but decides not to as he was warned by the other rulers that Namor is more dangerous than Ocean Master himself.
-Karathen is revealed to be one of the lost Titans of Earth.
-Wakanda is aware of the existence of Atlantis but their ancestors have made a treaty with each other in not interfering. After the events of Aquaman, both T'Challa and Arthur meet in secret to discuss how to unite their kingdoms together and reveal their secret to the world. While Arthur respects T'Challa, he wants to keep Atlantis a secret until the time is right.
-Katolis would be aware of various magical humans such as Original Shazam and the Ancient One.
-Clark Kent/Superman, Diana Prince/Wonder Woman, Billy Batson/Shazam, and Mothra are beings capable of lifting Mjolnir.
-At the Senate hearing, alongside Serizawa, Nick Fury and Calvin Swanwick (Martian Manhunter) are among those who defended the Titans while Thaddeus Ross and Amanda Waller voiced against them.
-After the Titans were released, several Titans, such as Titanus Sehkmet, Behemoth, and Mokele-Mbembe all resided near Wakanda and all bonded with T'Challa/Black Panther while Titans such as Titanus Na Kika, Tiamat, and Amhuluk all resided near Talokan and bond with Namor.
-By the end of Infinity War and during the events of Endgame. Superman, Batman, Wonder Woman, Lois Lane, Martian Manhunter, Joker, Lex Luthor, Black Mask, Victor Zsasz, Black Canary, Renee Montoya, Huntress, Cassandra Cain, Bruce the Hyena, Bloodsport, Harley Quinn, Rick Flagg, King Shark, Ratcatcher 2 and Sebastian, Polka-Dot Man, Captain Boomerang, Savant, Javelin, Blackguard, Mongal, T.D.K., Weasel, Thinker, Billy Batson/Shazam, Billy's foster parents and siblings, Amanda Waller, Emilia Harcourt, John Economos, Adebayo Waller, Clemson Murn/Ik Nobe Llok, Goff/Sophie Song/Eek Stack Ik Ik, Casper Locke, Larry Fitzgibbon, James Gordon, Atlanna, Mera, Arthur Jr., Starro, Peacemaker, White Dragon, Hawkman, Doctor Fate, Cyclone, Atom Smasher, Adrianna Tomaz, Karim, Amon Tomaz, Ishmael GregoSabbac, Blue Beetle and the Reyes family, Victoria and Jenny Kord, Carapax, Madison Russell, Mark Russell, Illene Chen, Houston Brooks, Sam Coleman, Nathan Lind, Illene Andrews, Jia, Josh Valentine, Bernie Hayes, Travis Beasley/Trapper, Walter and Maia Simmons, Ren Serizawa, Alan Jonah, Godzilla, Kong, half of the known titans, Leon Kennedy, Chris Redfield, Claire Redfield, Ethan Winters, Mia Winters, Zoe Baker, Joe Baker, Mother Miranda, Karl Heisenberg, Lady Dimitrescu, Salvatore Moreau, Donna Beneviento, The Duke, Chris's Team, the Turtles, and Baxter Stockman would be amongst the survivors of The Blip.
-Flash, Cyborg, Aquaman, Perry White, Martha Kent, Stephen Shin, Deadshot, Deathstroke, Katana, Killer Croc, Ling Chen, Rick Stanton, Diane Foster, Jackson Barnes, Anthony Martinez, Lauren Griffin, Rodan, other half of the known titans, Jill Valentine, Ada Wong, Sensei Splinter, Bebop, and Rocksteady were amongst the victims of The Blip.
-Similar to Scott Lang, Black Adam, Mothra, Khaji-Da, and the inhabitants of the 4 nations, Xadia, Heaven, and Hell would not be affected by the Blip.
-The only beings that sensed the Blip were the Avatar (Aang), The Archdragons of Xadia (Zubeia, Rex Igneous, Domina Profundis, and Sol Regem), the Seraphim (Sera and Emily), the Goetian Hierarchy (Stolas and Octavia), and the 7 Deadly Sins (Lucifer Morningstar, Asmodeus, Satan, Mammon, Beelzebub, Leviathan, and Belphegor).
-The victims of the Blip weren't sent to Heaven or Hell, they were stuck in Limbo.
-During the post-Blip, due to Thanos' actions, Godzilla had a hard time in trying to keep balance of the Earth with half of the remaining titans running loose. Due to the world powers struggling, they helped fund Apex Cybernetics to stabilize their economy as well as unknowingly helping Walter process with his Mechagodzilla experiment.
-Because of Thanos, the Corto Maltese government took advantage of this by continuing their experiments with Project Starfish and the Intergang were able to operate and have full control over Kahndaq. Many crime organizations in Gotham have either been dismantled due to the disappearance of the leaders or have been absorbed into the Black Mask Crime Organization. Jaime's family and his community go through financial struggles from Kord Industries due to the effects of the Blip.
-Due to less hero activity, the I.M.P.s operated their assassination business.
-Kingpin met with Joker and Black Mask during the Blip where the 2 made mutual agreements in developing a partnership. However, this agreement was broken due to Black Mask's death.
-The Joker was on Ronan's list of targets. However, due to his powerful influence, he was forced to back down.
-Due to the effects of the Blip, the butterflies decided to start their invasion by infecting powerful humans.
-After the Village's destruction, SHIELD aids Chris in a war against B.S.A.A.
-After Doctor Fate's death, Hawkman gives the Helmet of Fate to Kamar-Taj for safekeeping so it doesn't fall into the wrong hands.
-The Avengers and Justice League team up and join the time heist to find the Infinity Stones. With Iron Man's and Batman's technology, they create a black and red infinity gauntlet. Hulk still snaps his fingers which brings every living being back. During the final battle with Thanos, the Justice Society, Black Adam, Godzilla, and the other Titans arrive to join in the fight.
-Victoria Kord and Walter Simmons are among the many people who also had a hatred towards Tony Stark and are joyful about his death.
-After the events of Blue Beetle, Damage Control tried to apprehend him but was forced to back down due to public support.
-Godzilla would grow hostile towards the Hex that Wanda made. Due to being composed of cosmic radiation from the celestial, Godzilla and the other Titans are revealed to be immune to magic due to their massive size as well as not being affected by the Hex's effects. However, once Wanda leaves Westview, Godzilla will leave as well.
-After Endgame, Apex Cybernetics not only seeks to eliminate Titans but also superpowered individuals as well. After the events of GvK, Damage Control cleaned up the damage and acquired their resources.
-Among the deceased that would be in Heaven based on Adam's rule: "Act selfless, Don't Steal, and Stick it to the man" would be Tony Stark/Iron Man, Natasha Romanoff/Black Widow, Peggy Carter, Ancient One, Ben Parker, May Parker, Pietro Maximoff/Quicksilver, Phil Coulson, Steve Trevor, Jonathan Kent, Chato Santana/El Diablo, Silas Stone, Rick Flag, Alberto Reyes, José Morales, Ignacio Carapax/OMAC, and Nuidis Vulko.
-Among the deceased that would be in Hell and have the potential to become Overlords are Obadiah Stane/Iron Monger, Ivan Vanko/Whiplash, TrevoThe Mandarin, Alexander Pierce, Dreykov, Xu Wenwu, Quentin Beck/Mysterio, Roman Sionis/Black Mask, Victor Zsaasz, David Kane/Black Manta, and Walter Simmons.
-Wanting to reconnect with his daughter, Mark Russell resigns his position as leader of Monarch and Bruce BanneHulk becomes the next head of Monarch due to his knowledge of Nuclear Physics.
-Both the Great Protector and Dweller-in-Darkness are revealed to be Titans who stumbled upon Ta Lo.
-In Xadia, Viren was resurrected 5 years later rather than 2 (Events of S1-3 take place in 2019-and S4-6 take place in 2024).
-Due to the effects of the Emergence and the Deviants, Godzilla would ally with the Eternals in hunting down and killing the Deviants as well as stopping the Emergence from happening.
-The Benevolent Titans have gained a reputation due to their involvement in keeping the planet safe and healthy.
-Driven by vengeance, Overlord Quentin Beck/Mysterio pays the I.M.P.s to assassinate Peter ParkeSpider-Man. However, this is during the events of No Way Home and when Doctor Strange performs the spell that erases everyone's memory of who Spider-Man is, the I.M.P.s were affected as well and called the mission off due to their amnesia.
-Maya Lopez's/Echo's Powers awaken the ancient Thunderbird Titan that lives near her hometown. She successfully bonds with the Titan.
-Ms. Marvel would not only be a Captain Marvel fan but also a Wonder Woman and Mothra fan as well.
-Riri Williams is a huge fan of both Iron Man and Cyborg which influenced her to create her own enhanced suits. While she has an intense hatred towards Apex Cybernetics after their dirty secrets were exposed, Riri started making concepts on how to build a giant-mech suit to combat hostile Titans.
-Thor recruits Wonder Woman and the Shazam family to help them stop Gorr the God Butcher. They arrive at Omnipotence City where Wonder Woman exposes the Greek Gods being the Roman counterparts with Zeus' real identity revealed to be Jupiter. After the mission, Thor gives Shazam the Thunderbolt.
-Wonder Woman then encounters Marc SpecteMoon Knight where she sees and speaks with Khonshu.
-When Doctor Strange and America Chavez arrive on Earth-838, they meet the Illuminati which not only consists of Captain Carter, Blackbolt, Captain Marvel (Maria Rambeau), and Mister Fantastic but also consists of Christian Bale's Batman and Brandon Routh's Superman.
-Same with Wakanda, the U.N. held a conference on whether the Titans should be contained or killed. Director Fontaine would state that the Titan's radiation helps balance the ecosystem of the planet and propose a solution where they can imprison the Titans and drain this energy they embody to help sustain the ecosystem, thus having them alive, but tortured.
-After Shuri takes the heart-shaped herb and becomes the next Black Panther, she communicates with Sehkmet, Behemoth, and Mokele-Mbembe for the first time. She convinces them to take part in the battle against Namor by battling against Na Kika, Tiamat, and Amhuluk.
-After the battle, Wakanda becomes harmonious with their Titans as they are welcomed in Wakanda and become its protectors alongside Shuri.
-After the alliance with Talokan, Aquaman visits Shuri on the same beach where she meets her nephew, T'Challa II, and warns her about her deal with Namor. Then he introduces his son, Arthur Jr., where he and T'Challa II develop a brotherly bond with each other.
-Due to the Secret Invasion, Superman was affected by the Anti-Alien Act and was forced into hiding.
-During the events of Secret Invasion, the Turtles were forced into hiding due to being confused for Skrulls.
-After the events of The Flash, Doctor Strange and Clea confront him that his actions in altering time created more incursions and recruit him to have them fixed.
-After the events of the Marvels, Monica Rambeau not only meets Binary and Beast but also meets Michael Keaton's Batman and Sasha Calle's Supergirl.
-After the events of Lost Kingdom, Atlantis revealed its existence to the world by joining alliances with the UN and Wakanda.
-Ms. Marvel's Quantum Bands and Shang-Chi's Ten Rings start behaving weirdly as they detect a signal from deep within Hollow Earth, signifying a war cry from ancient Titans known as the Skar King and Shimo.
-As Namor is preparing for the war against the surface by aligning themselves with Wakanda, he commands the Titans he bonded to gain strength. However, one of the Titans, Tiamat, is killed by Godzilla, and Namor is saddened when hearing the news.
-Ms. Marvel's Quantum Bands attracts the attention of Mothra, who believes that Mothra may be the key to bringing back Monica Rambaeu.
-The Avatar's (Aang) awakening was sensed by Doctor Strange.
Overall, this is my take on how this shared world would go. If you have any suggestions on how the shared world would go, feel free to reply!
Special thanks to MichaeltheSpikester for the idea!
submitted by Glitch109 to WhatIfFiction [link] [comments]


2024.05.19 07:18 Kizmooni The Princess and the Werewolf RP

Hello hello! So, I’ve had this idea pop into my brain just now and I absolutely want to try it out! For the plot I’m thinking something like the princess (my character) has always had a disliking towards werewolves due to a tragic past involving one. Now that the princess is of age, she was arranged to marry a prince from a neighboring kingdom. Little did she know about this prince, that he was in fact a werewolf. But of course, the princess has no knowledge of it, yet.
Hopefully it makes sense? It’s currently 1:15 in the morning and I’m spewing out ideas as I go with flow. But if you have any other ideas for a plot that you would like to present, please do! And of course, I do have rules when it comes to RPing with me;
Rules:
•Please be able to write 3 to 4 paragraphs. I tend to write anywhere from 4 to 8 paragraphs at times. And also please use proper grammar and punctuation.
• 3rd person only
• I only do longterm Role-plays
•As I prefer males for partners, I do not mind if you're a female that has a male character.
•Please be 18+ as I am 21. I do not RP with minors.
• Let the story build and let our characters get to know each other. Though I enjoy romance, I don't like to rush into it. I find it more fun for the relationship between our characters to grow gradually.
That’s all! If you’re interested, please give me a DM! Thank you! :)
submitted by Kizmooni to Roleplay [link] [comments]


2024.05.19 07:11 ddxg Man whose idea was 500 bread for the wedding?

Do you know how hungry fablings are? They would eat all of it! They love bread! They are ducks in disguise!
I tried buying bread from the other kingdoms, but they never had enough. They must think I'm the crazy breadman.I had to build like 10 bakeries to be able to produce that much bread, and even then I had to constantly buy flour and wheat from other kindgdoms cause my production wasn't enough!
submitted by ddxg to fabledom [link] [comments]


2024.05.19 06:58 tfosnip CS50W - Proj4 Network - Django doesnt recognize my JS code at all

I've double checked the following:
I've put down several triggers inside this JavaScript code yet none of them run.
Newlikes.js:
console.log("newlikes.js is loaded"); document.addEventListener('DOMContentLoaded', function() { console.log("DOM fully loaded and parsed"); document.querySelectorAll('button[id^="like_button_"]').forEach(button => { button.addEventListener('click', function() { console.log("clicked!") let postId = this.id.split('_')[2]; let userId = this.dataset.userId; let likeCountElement = document.querySelector("#like_count_" + postId); let likeButton = this; fetch('/like/' + postId + '/', { method: 'POST', body: JSON.stringify({ 'user_id': userId }), headers: { 'Content-Type': 'application/json', 'X-CSRFToken': document.querySelector('input[name=csrfmiddlewaretoken]').value } }) .then(response => response.json()) .then(data => { if (data.like_status) { likeButton.style.backgroundColor = 'grey'; likeCountElement.textContent = parseInt(likeCountElement.textContent) + 1; } else { likeButton.style.backgroundColor = 'red'; likeCountElement.textContent = parseInt(likeCountElement.textContent) - 1; } }); }); }); }); 
my index.html code:
{% extends "network/layout.html" %} {% load static %} {% block body %} 
{% if user.is_authenticated %}

Create New Post

{% csrf_token %}
Image Link Url:

{% endif %}
{% comment %} list of posts for people that users follow {% endcomment %}
{% if user.is_authenticated %} {% for post in page_obj %}
    {{post.user}}

    {{post.new_post_content}}
    Posted on: {{post.created_time}}
    {% csrf_token %} {{post.liked_by.count}}

{% endfor %} {% endif %}
{% endblock %} {% block script %} {% endblock %}
and my settings.py:
""" Django settings for project4 project. Generated by 'django-admin startproject' using Django 3.0.2. For more information on this file, see https://docs.djangoproject.com/en/3.0/topics/settings/ For the full list of settings and their values, see https://docs.djangoproject.com/en/3.0/ref/settings/ """ import os # Build paths inside the project like this: os.path.join(BASE_DIR, ...) BASE_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__))) # Quick-start development settings - unsuitable for production # See https://docs.djangoproject.com/en/3.0/howto/deployment/checklist/ # SECURITY WARNING: keep the secret key used in production secret! SECRET_KEY = '13kl@xtukpwe&xj2xoysxe9_6=tf@f8ewxer5n&ifnd46+6$%8' # SECURITY WARNING: don't run with debug turned on in production! DEBUG = True ALLOWED_HOSTS = [] # Application definition INSTALLED_APPS = [ 'network', 'django.contrib.admin', 'django.contrib.auth', 'django.contrib.contenttypes', 'django.contrib.sessions', 'django.contrib.messages', 'django.contrib.staticfiles', ] MIDDLEWARE = [ 'django.middleware.security.SecurityMiddleware', 'django.contrib.sessions.middleware.SessionMiddleware', 'django.middleware.common.CommonMiddleware', 'django.middleware.csrf.CsrfViewMiddleware', 'django.contrib.auth.middleware.AuthenticationMiddleware', 'django.contrib.messages.middleware.MessageMiddleware', 'django.middleware.clickjacking.XFrameOptionsMiddleware', ] ROOT_URLCONF = 'project4.urls' TEMPLATES = [ { 'BACKEND': 'django.template.backends.django.DjangoTemplates', 'DIRS': [], 'APP_DIRS': True, 'OPTIONS': { 'context_processors': [ 'django.template.context_processors.debug', 'django.template.context_processors.request', 'django.contrib.auth.context_processors.auth', 'django.contrib.messages.context_processors.messages', ], }, }, ] WSGI_APPLICATION = 'project4.wsgi.application' # Database # https://docs.djangoproject.com/en/3.0/ref/settings/#databases DATABASES = { 'default': { 'ENGINE': 'django.db.backends.sqlite3', 'NAME': os.path.join(BASE_DIR, 'db.sqlite3'), } } AUTH_USER_MODEL = "network.User" # Password validation # https://docs.djangoproject.com/en/3.0/ref/settings/#auth-password-validators AUTH_PASSWORD_VALIDATORS = [ { 'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator', }, { 'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator', }, { 'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator', }, { 'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator', }, ] # Internationalization # https://docs.djangoproject.com/en/3.0/topics/i18n/ LANGUAGE_CODE = 'en-us' TIME_ZONE = 'UTC' USE_I18N = True USE_L10N = True USE_TZ = True # Static files (CSS, JavaScript, Images) # https://docs.djangoproject.com/en/3.0/howto/static-files/ STATIC_URL = '/static/' STATICFILES_DIRS = [ os.path.join(BASE_DIR, "static"), '/network/project4/network/static', ] 
my folder structure looks like this:
https://preview.redd.it/00fdiiqidb1d1.png?width=256&format=png&auto=webp&s=48028d2103a8f7d3ec2a181da3193518a45aabf4
I've been stuck on this project for half a week now because I thought my JS code was bugged, and only until today I added more triggers and realized it wasn't run at all...... (I have 2 more earlier versions of js code in the same folder but none of them are quoted anywhere so I assume this isn't a problem)
I truly really appreciate anyone's help to get out of this brain prison!! I used 120% of my brain and I am still 100% clueless rn :P
submitted by tfosnip to cs50 [link] [comments]


2024.05.19 06:23 FBIDirector1-S-1 Hiring all Deps and looking for Civs

We offer Civilian jobs, First responder, Criminal activities and Fun Events! We have: Cars, Buildings and Scripts. Custom interiors and sweet rides! Apply to Sinful Police and get your choice of department! $50,000 sign on bonus offered when you sign up today! $75,000 sign on for Ems!
We Are a new server but we have a lot to offer and honestly trying to reach anyone that we can, we are looking for fun and chill people that can respect each other and the staff. Come Check Sinful City Today
submitted by FBIDirector1-S-1 to FiveMServers [link] [comments]


2024.05.19 06:21 Vruseronly My game is crashing :(

Here is the log. Reddit do your magic since i'm too stupid to.
[18May2024 22:13:57.076] [main/INFO] [cpw.mods.modlauncher.LauncheMODLAUNCHER]: ModLauncher running: args [--username, BloWGobinti, --version, 1.16.5-forge-36.2.42, --gameDir, C:\Users\Adolf Himler\AppData\Roaming\.minecraft, --assetsDir, C:\Users\Adolf Himler\AppData\Roaming\.minecraft\assets, --assetIndex, 1.16, --uuid, 3758dfc5ae3a4724bf3c28be0f458800, --accessToken, ????????, --userType, msa, --versionType, release, --launchTarget, fmlclient, --fml.forgeVersion, 36.2.42, --fml.mcVersion, 1.16.5, --fml.forgeGroup, net.minecraftforge, --fml.mcpVersion, 20210115.111550]
[18May2024 22:13:57.079] [main/INFO] [cpw.mods.modlauncher.LauncheMODLAUNCHER]: ModLauncher 8.1.3+8.1.3+main-8.1.x.c94d18ec starting: java version 1.8.0_51 by Oracle Corporation
[18May2024 22:13:57.099] [main/WARN] [cpw.mods.modlauncher.SecureJarHandle]: LEGACY JDK DETECTED, SECURED JAR HANDLING DISABLED
[18May2024 22:13:57.545] [main/INFO] [optifine.OptiFineTransformationService/]: OptiFineTransformationService.onLoad
[18May2024 22:13:57.546] [main/INFO] [optifine.OptiFineTransformationService/]: OptiFine ZIP file: C:\Users\Adolf Himler\AppData\Roaming\.minecraft\mods\OptiFine_1.16.5_HD_U_G8 (2).jar
[18May2024 22:13:57.548] [main/INFO] [optifine.OptiFineTransforme]: Target.PRE_CLASS is available
[18May2024 22:13:57.674] [main/INFO] [net.minecraftforge.fml.loading.FixSSL/CORE]: Added Lets Encrypt root certificates as additional trust
[18May2024 22:13:57.725] [main/INFO] [mixin/]: SpongePowered MIXIN Subsystem Version=0.8.4 Source=file:/C:/Users/Adolf%20HimleAppData/Roaming/.minecraft/libraries/org/spongepowered/mixin/0.8.4/mixin-0.8.4.jar Service=ModLauncher Env=CLIENT
[18May2024 22:13:57.734] [main/INFO] [optifine.OptiFineTransformationService/]: OptiFineTransformationService.initialize
[18May2024 22:14:01.845] [main/INFO] [STDER]: [org.antlr.v4.runtime.ConsoleErrorListener:syntaxError:38]: line 1:0 token recognition error at: '~'
[18May2024 22:14:01.867] [main/INFO] [optifine.OptiFineTransformationService/]: OptiFineTransformationService.transformers
[18May2024 22:14:01.890] [main/INFO] [optifine.OptiFineTransforme]: Targets: 311
[18May2024 22:14:02.960] [main/INFO] [optifine.OptiFineTransformationService/]: additionalClassesLocator: [optifine., net.optifine.]
[18May2024 22:14:03.320] [main/INFO] [mixin/]: Successfully loaded Mixin Connector [someoneelse.betternetherreforged.mixin.MixinConnector]
[18May2024 22:14:03.322] [main/INFO] [mixin/]: Successfully loaded Mixin Connector [vazkii.patchouli.common.MixinConnector]
[18May2024 22:14:03.324] [main/INFO] [mixin/]: Successfully loaded Mixin Connector [arekkuusu.offhandcombat.common.core.Connector]
[18May2024 22:14:03.334] [main/INFO] [someoneelse.betternetherreforged.BetterNethe]: Better Nether: Mixin Connected!
[18May2024 22:14:03.336] [main/INFO] [cpw.mods.modlauncher.LaunchServiceHandleMODLAUNCHER]: Launching target 'fmlclient' with arguments [--version, 1.16.5-forge-36.2.42, --gameDir, C:\Users\Adolf Himler\AppData\Roaming\.minecraft, --assetsDir, C:\Users\Adolf Himler\AppData\Roaming\.minecraft\assets, --uuid, 3758dfc5ae3a4724bf3c28be0f458800, --username, BloWGobinti, --assetIndex, 1.16, --accessToken, ????????, --userType, msa, --versionType, release]
[18May2024 22:14:03.432] [main/WARN] [mixin/]: Reference map 'cataclysm.refmap.json' for cataclysm.mixins.json could not be read. If this is a development environment you can ignore this message
[18May2024 22:14:03.444] [main/WARN] [mixin/]: Reference map 'mixins.tinkersdisassemble.refmap.json' for mixins.tinkersdisassembler.json could not be read. If this is a development environment you can ignore this message
[18May2024 22:14:03.543] [main/WARN] [mixin/]: Reference map 'upgradednetherite_spartan.refmap.json' for upgradednetherite_spartan.mixins.json could not be read. If this is a development environment you can ignore this message
[18May2024 22:14:09.039] [main/WARN] [mixin/]: Reference map 'eureka-forge-refmap.json' for vs_eureka.mixins.json could not be read. If this is a development environment you can ignore this message
[18May2024 22:14:09.180] [main/INFO] [net.minecraftforge.coremod.CoreMod.placebo/COREMODLOG]: Patching LivingEntity#attackEntityFrom
[18May2024 22:14:09.246] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Patching LivingEntity#blockUsingShield
[18May2024 22:14:09.252] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Patching LivingEntity#applyPotionDamageCalculations
[18May2024 22:14:09.480] [main/ERROR] [net.minecraftforge.coremod.transformer.CoreModBaseTransformeCOREMOD]: Error occurred applying transform of coremod META-INF/asm/multipart.js function render
java.lang.NullPointerException: null
at org.objectweb.asm.tree.InsnList.insert(InsnList.java:343) \~\[asm-tree-9.6.jar:9.6\] at jdk.nashorn.internal.scripts.Script$Recompilation$81$5956A$\\\^eval\\\_.initializeCoreMod$transformer-3(:135) \~\[?:?\] at jdk.nashorn.internal.runtime.ScriptFunctionData.invoke(ScriptFunctionData.java:638) \~\[nashorn.jar:?\] at jdk.nashorn.internal.runtime.ScriptFunction.invoke(ScriptFunction.java:229) \~\[nashorn.jar:?\] at jdk.nashorn.internal.runtime.ScriptRuntime.apply(ScriptRuntime.java:387) \~\[nashorn.jar:?\] at jdk.nashorn.api.scripting.ScriptObjectMirror.call(ScriptObjectMirror.java:110) \~\[nashorn.jar:?\] at net.minecraftforge.coremod.NashornFactory.lambda$getFunction$0(NashornFactory.java:18) \~\[coremods-4.0.6.jar:4.0.6+14+master.c21a551\] at net.minecraftforge.coremod.NashornFactory$$Lambda$446/269973396.apply(Unknown Source) \~\[?:?\] at net.minecraftforge.coremod.transformer.CoreModMethodTransformer.runCoremod(CoreModMethodTransformer.java:18) \~\[coremods-4.0.6.jar:?\] at net.minecraftforge.coremod.transformer.CoreModMethodTransformer.runCoremod(CoreModMethodTransformer.java:10) \~\[coremods-4.0.6.jar:?\] at net.minecraftforge.coremod.transformer.CoreModBaseTransformer.transform(CoreModBaseTransformer.java:38) \[coremods-4.0.6.jar:?\] at cpw.mods.modlauncher.TransformerHolder.transform(TransformerHolder.java:41) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.ClassTransformer.performVote(ClassTransformer.java:179) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.ClassTransformer.transform(ClassTransformer.java:111) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.TransformingClassLoader$DelegatedClassLoader.findClass(TransformingClassLoader.java:265) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.TransformingClassLoader.buildTransformedClassNodeFor(TransformingClassLoader.java:142) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.LaunchPluginHandler.lambda$null$8(LaunchPluginHandler.java:97) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.LaunchPluginHandler$$Lambda$473/445554393.buildTransformedClassNodeFor(Unknown Source) \[modlauncher-8.1.3.jar:?\] at org.spongepowered.asm.launch.MixinLaunchPluginLegacy.getClassNode(MixinLaunchPluginLegacy.java:222) \[mixin-0.8.4.jar:0.8.4+Jenkins-b308.git-2accda5000f7602229606b39437565542cc6fba4\] at org.spongepowered.asm.launch.MixinLaunchPluginLegacy.getClassNode(MixinLaunchPluginLegacy.java:207) \[mixin-0.8.4.jar:0.8.4+Jenkins-b308.git-2accda5000f7602229606b39437565542cc6fba4\] at org.spongepowered.asm.mixin.transformer.ClassInfo.forName(ClassInfo.java:2005) \[mixin-0.8.4.jar:0.8.4+Jenkins-b308.git-2accda5000f7602229606b39437565542cc6fba4\] at org.spongepowered.asm.mixin.transformer.MixinInfo.getTargetClass(MixinInfo.java:1017) \[mixin-0.8.4.jar:0.8.4+Jenkins-b308.git-2accda5000f7602229606b39437565542cc6fba4\] at org.spongepowered.asm.mixin.transformer.MixinInfo.readTargetClasses(MixinInfo.java:1007) \[mixin-0.8.4.jar:0.8.4+Jenkins-b308.git-2accda5000f7602229606b39437565542cc6fba4\] at org.spongepowered.asm.mixin.transformer.MixinInfo.parseTargets(MixinInfo.java:895) \[mixin-0.8.4.jar:0.8.4+Jenkins-b308.git-2accda5000f7602229606b39437565542cc6fba4\] at org.spongepowered.asm.mixin.transformer.MixinConfig.prepareMixins(MixinConfig.java:867) \[mixin-0.8.4.jar:0.8.4+Jenkins-b308.git-2accda5000f7602229606b39437565542cc6fba4\] at org.spongepowered.asm.mixin.transformer.MixinConfig.prepare(MixinConfig.java:779) \[mixin-0.8.4.jar:0.8.4+Jenkins-b308.git-2accda5000f7602229606b39437565542cc6fba4\] at org.spongepowered.asm.mixin.transformer.MixinProcessor.prepareConfigs(MixinProcessor.java:539) \[mixin-0.8.4.jar:0.8.4+Jenkins-b308.git-2accda5000f7602229606b39437565542cc6fba4\] at org.spongepowered.asm.mixin.transformer.MixinProcessor.select(MixinProcessor.java:462) \[mixin-0.8.4.jar:0.8.4+Jenkins-b308.git-2accda5000f7602229606b39437565542cc6fba4\] at org.spongepowered.asm.mixin.transformer.MixinProcessor.checkSelect(MixinProcessor.java:438) \[mixin-0.8.4.jar:0.8.4+Jenkins-b308.git-2accda5000f7602229606b39437565542cc6fba4\] at org.spongepowered.asm.mixin.transformer.MixinProcessor.applyMixins(MixinProcessor.java:290) \[mixin-0.8.4.jar:0.8.4+Jenkins-b308.git-2accda5000f7602229606b39437565542cc6fba4\] at org.spongepowered.asm.mixin.transformer.MixinTransformer.transformClass(MixinTransformer.java:250) \[mixin-0.8.4.jar:0.8.4+Jenkins-b308.git-2accda5000f7602229606b39437565542cc6fba4\] at org.spongepowered.asm.service.modlauncher.MixinTransformationHandler.processClass(MixinTransformationHandler.java:131) \[mixin-0.8.4.jar:0.8.4+Jenkins-b308.git-2accda5000f7602229606b39437565542cc6fba4\] at org.spongepowered.asm.launch.MixinLaunchPluginLegacy.processClass(MixinLaunchPluginLegacy.java:131) \[mixin-0.8.4.jar:0.8.4+Jenkins-b308.git-2accda5000f7602229606b39437565542cc6fba4\] at cpw.mods.modlauncher.serviceapi.ILaunchPluginService.processClassWithFlags(ILaunchPluginService.java:154) \[modlauncher-8.1.3.jar:8.1.3+8.1.3+main-8.1.x.c94d18ec\] at cpw.mods.modlauncher.LaunchPluginHandler.offerClassNodeToPlugins(LaunchPluginHandler.java:85) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.ClassTransformer.transform(ClassTransformer.java:120) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.TransformingClassLoader$DelegatedClassLoader.findClass(TransformingClassLoader.java:265) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.TransformingClassLoader.loadClass(TransformingClassLoader.java:136) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.TransformingClassLoader.loadClass(TransformingClassLoader.java:98) \[modlauncher-8.1.3.jar:?\] at java.lang.ClassLoader.loadClass(ClassLoader.java:357) \[?:1.8.0\_51\] at java.lang.Class.forName0(Native Method) \~\[?:1.8.0\_51\] at java.lang.Class.forName(Class.java:348) \[?:1.8.0\_51\] at net.minecraftforge.fml.loading.FMLClientLaunchProvider.lambda$launchService$0(FMLClientLaunchProvider.java:37) \[forge-1.16.5-36.2.42.jar:36.2\] at net.minecraftforge.fml.loading.FMLClientLaunchProvider$$Lambda$514/1547521797.call(Unknown Source) \[forge-1.16.5-36.2.42.jar:36.2\] at cpw.mods.modlauncher.LaunchServiceHandlerDecorator.launch(LaunchServiceHandlerDecorator.java:37) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.LaunchServiceHandler.launch(LaunchServiceHandler.java:54) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.LaunchServiceHandler.launch(LaunchServiceHandler.java:72) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.Launcher.run(Launcher.java:82) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.Launcher.main(Launcher.java:66) \[modlauncher-8.1.3.jar:?\] 
[18May2024 22:14:09.683] [main/INFO] [net.minecraftforge.coremod.CoreMod.placebo/COREMODLOG]: Patching ItemStack#onItemUse
[18May2024 22:14:09.862] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Patching CrossbowItem#onItemRightClick
[18May2024 22:14:09.870] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Patching CrossbowItem#fireProjectile
[18May2024 22:14:10.609] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Patching EnchantmentHelper#getEnchantmentModifierDamage
[18May2024 22:14:10.616] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Patching EnchantmentHelper#getModifierForCreature
[18May2024 22:14:10.624] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Patching EnchantmentHelper#applyThornEnchantments
[18May2024 22:14:10.631] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Patching EnchantmentHelper#applyArthropodEnchantments
[18May2024 22:14:10.638] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Patching buildEnchantmentList for the Enchantability affix.
[18May2024 22:14:10.647] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Patching EnchantmentHelper#getEnchantmentDatas
[18May2024 22:14:10.704] [main/INFO] [net.minecraftforge.coremod.CoreMod.placebo/COREMODLOG]: Patching DataPackRegistries#
[18May2024 22:14:10.779] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Patching RepairContainer#updateRepairOutput
[18May2024 22:14:10.791] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Successfully removed the anvil level cap.
[18May2024 22:14:10.796] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Patching RepairContainer#updateRepairOutput
[18May2024 22:14:10.803] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Successfully allowed nbt-unbreakable items in the anvil.
[18May2024 22:14:10.810] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Patching net/minecraft/inventory/containeRepairContainer
[18May2024 22:14:11.580] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Patching TemptGoal#isTempting
[18May2024 22:14:13.714] [main/INFO] [net.minecraftforge.coremod.CoreMod.placebo/COREMODLOG]: Patching BlockModelShapes#getModelLocation
[18May2024 22:14:13.917] [main/INFO] [net.minecraftforge.coremod.CoreMod.placebo/COREMODLOG]: Patching LivingEntity#attackEntityFrom
[18May2024 22:14:13.922] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Patching LivingEntity#blockUsingShield
[18May2024 22:14:13.923] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Patching LivingEntity#applyPotionDamageCalculations
[18May2024 22:14:13.951] [main/INFO] [net.minecraftforge.coremod.CoreMod.apotheosis/COREMODLOG]: Patching CombatRules#getDamageAfterMagicAbsorb
[18May2024 22:14:14.190] [main/ERROR] [net.minecraftforge.coremod.transformer.CoreModBaseTransformeCOREMOD]: Error occurred applying transform of coremod META-INF/asm/multipart.js function render
java.lang.NullPointerException: null
at org.objectweb.asm.tree.InsnList.insert(InsnList.java:343) \~\[asm-tree-9.6.jar:9.6\] at jdk.nashorn.internal.scripts.Script$Recompilation$81$5956A$\\\^eval\\\_.initializeCoreMod$transformer-3(:135) \~\[?:?\] at jdk.nashorn.internal.runtime.ScriptFunctionData.invoke(ScriptFunctionData.java:638) \~\[nashorn.jar:?\] at jdk.nashorn.internal.runtime.ScriptFunction.invoke(ScriptFunction.java:229) \~\[nashorn.jar:?\] at jdk.nashorn.internal.runtime.ScriptRuntime.apply(ScriptRuntime.java:387) \~\[nashorn.jar:?\] at jdk.nashorn.api.scripting.ScriptObjectMirror.call(ScriptObjectMirror.java:110) \~\[nashorn.jar:?\] at net.minecraftforge.coremod.NashornFactory.lambda$getFunction$0(NashornFactory.java:18) \~\[coremods-4.0.6.jar:4.0.6+14+master.c21a551\] at net.minecraftforge.coremod.NashornFactory$$Lambda$446/269973396.apply(Unknown Source) \~\[?:?\] at net.minecraftforge.coremod.transformer.CoreModMethodTransformer.runCoremod(CoreModMethodTransformer.java:18) \~\[coremods-4.0.6.jar:?\] at net.minecraftforge.coremod.transformer.CoreModMethodTransformer.runCoremod(CoreModMethodTransformer.java:10) \~\[coremods-4.0.6.jar:?\] at net.minecraftforge.coremod.transformer.CoreModBaseTransformer.transform(CoreModBaseTransformer.java:38) \[coremods-4.0.6.jar:?\] at cpw.mods.modlauncher.TransformerHolder.transform(TransformerHolder.java:41) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.ClassTransformer.performVote(ClassTransformer.java:179) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.ClassTransformer.transform(ClassTransformer.java:111) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.TransformingClassLoader$DelegatedClassLoader.findClass(TransformingClassLoader.java:265) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.TransformingClassLoader.loadClass(TransformingClassLoader.java:136) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.TransformingClassLoader.loadClass(TransformingClassLoader.java:98) \[modlauncher-8.1.3.jar:?\] at java.lang.ClassLoader.loadClass(ClassLoader.java:357) \[?:1.8.0\_51\] at net.optifine.reflect.Reflector.(Reflector.java:307) \[?:?\] at net.minecraft.crash.CrashReport.func\_71504\_g(CrashReport.java:101) \[?:?\] at net.minecraft.crash.CrashReport.(CrashReport.java:54) \[?:?\] at net.minecraft.crash.CrashReport.func\_230188\_h\_(CrashReport.java:425) \[?:?\] at net.minecraft.client.main.Main.main(Main.java:122) \[?:?\] at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) \~\[?:1.8.0\_51\] at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) \~\[?:1.8.0\_51\] at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) \~\[?:1.8.0\_51\] at java.lang.reflect.Method.invoke(Method.java:497) \~\[?:1.8.0\_51\] at net.minecraftforge.fml.loading.FMLClientLaunchProvider.lambda$launchService$0(FMLClientLaunchProvider.java:37) \[forge-1.16.5-36.2.42.jar:36.2\] at net.minecraftforge.fml.loading.FMLClientLaunchProvider$$Lambda$514/1547521797.call(Unknown Source) \[forge-1.16.5-36.2.42.jar:36.2\] at cpw.mods.modlauncher.LaunchServiceHandlerDecorator.launch(LaunchServiceHandlerDecorator.java:37) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.LaunchServiceHandler.launch(LaunchServiceHandler.java:54) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.LaunchServiceHandler.launch(LaunchServiceHandler.java:72) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.Launcher.run(Launcher.java:82) \[modlauncher-8.1.3.jar:?\] at cpw.mods.modlauncher.Launcher.main(Launcher.java:66) \[modlauncher-8.1.3.jar:?\] 
[18May2024 22:14:14.480] [main/INFO] [net.minecraftforge.coremod.CoreMod.placebo/COREMODLOG]: Patching ItemStack#onItemUse
[18May2024 22:14:15.400] [main/WARN] [mixin/]: @Redirect conflict. Skipping valkyrienskies-common.mixins.json:client.renderer.MixinGameRenderer->@Redirect::correctDistanceChecks(Lnet/minecraft/util/math/vectoVector3d;Lnet/minecraft/util/math/vectoVector3d;)D with priority 1000, already redirected by dungeons_gear.mixins.json:GameRendererMixin->@Redirect::getModifiedDistance1(Lnet/minecraft/util/math/vectoVector3d;Lnet/minecraft/util/math/vectoVector3d;)D with priority 1000
[18May2024 22:14:15.400] [main/WARN] [mixin/]: @Redirect conflict. Skipping valkyrienskies-common.mixins.json:client.renderer.MixinGameRenderer->@Redirect::correctDistanceChecks(Lnet/minecraft/util/math/vectoVector3d;Lnet/minecraft/util/math/vectoVector3d;)D with priority 1000, already redirected by dungeons_gear.mixins.json:GameRendererMixin->@Redirect::getModifiedDistance2(Lnet/minecraft/util/math/vectoVector3d;Lnet/minecraft/util/math/vectoVector3d;)D with priority 1000
[18May2024 22:14:15.402] [main/INFO] [STDER]: [java.lang.ThreadGroup:uncaughtException:1052]: java.lang.RuntimeException: java.lang.reflect.InvocationTargetException
[18May2024 22:14:15.402] [main/INFO] [STDER]: [java.lang.ThreadGroup:uncaughtException:1052]: at cpw.mods.modlauncher.LaunchServiceHandlerDecorator.launch(LaunchServiceHandlerDecorator.java:39)
[18May2024 22:14:15.402] [main/INFO] [STDER]: [java.lang.ThreadGroup:uncaughtException:1052]: at cpw.mods.modlauncher.LaunchServiceHandler.launch(LaunchServiceHandler.java:54)
[18May2024 22:14:15.402] [main/INFO] [STDER]: [java.lang.ThreadGroup:uncaughtException:1052]: at cpw.mods.modlauncher.LaunchServiceHandler.launch(LaunchServiceHandler.java:72)
[18May2024 22:14:15.402] [main/INFO] [STDER]: [java.lang.ThreadGroup:uncaughtException:1052]: at cpw.mods.modlauncher.Launcher.run(Launcher.java:82)
[18May2024 22:14:15.403] [main/INFO] [STDER]: [java.lang.ThreadGroup:uncaughtException:1052]: at cpw.mods.modlauncher.Launcher.main(Launcher.java:66)
[18May2024 22:14:15.403] [main/INFO] [STDER]: [java.lang.ThreadGroup:uncaughtException:1061]: Caused by: java.lang.reflect.InvocationTargetException
[18May2024 22:14:15.403] [main/INFO] [STDER]: [java.lang.ThreadGroup:uncaughtException:1061]: at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
[18May2024 22:14:15.403] [main/INFO] [STDER]: [java.lang.ThreadGroup:uncaughtException:1061]: at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62)
[18May2024 22:14:15.403] [main/INFO] [STDER]: [java.lang.ThreadGroup:uncaughtException:1061]: at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
[18May2024 22:14:15.403] [main/INFO] [STDER]: [java.lang.ThreadGroup:uncaughtException:1061]: at java.lang.reflect.Method.invoke(Method.java:497)
[18May2024 22:14:15.403] [main/INFO] [STDER]: [java.lang.ThreadGroup:uncaughtException:1061]: at net.minecraftforge.fml.loading.FMLClientLaunchProvider.lambda$launchService$0(FMLClientLaunchProvider.java:37)
[18May2024 22:14:15.404] [main/INFO] [STDER]: [java.lang.ThreadGroup:uncaughtException:1061]: at net.minecraftforge.fml.loading.FMLClientLaunchProvider$$Lambda$514/1547521797.call(Unknown Source)
[18May2024 22:14:15.404] [main/INFO] [STDER]: [java.lang.ThreadGroup:uncaughtException:1061]: at cpw.mods.modlauncher.LaunchServiceHandlerDecorator.launch(LaunchServiceHandlerDecorator.java:37)
[18May2024 22:14:15.404] [main/INFO] [STDER]: [java.lang.ThreadGroup:uncaughtException:1061]: ... 4 more
[18May2024 22:14:15.404] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: Caused by: org.spongepowered.asm.mixin.transformer.throwables.MixinTransformerError: An unexpected critical error was encountered
[18May2024 22:14:15.404] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at org.spongepowered.asm.mixin.transformer.MixinProcessor.applyMixins(MixinProcessor.java:392)
[18May2024 22:14:15.404] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at org.spongepowered.asm.mixin.transformer.MixinTransformer.transformClass(MixinTransformer.java:250)
[18May2024 22:14:15.404] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at org.spongepowered.asm.service.modlauncher.MixinTransformationHandler.processClass(MixinTransformationHandler.java:131)
[18May2024 22:14:15.404] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at org.spongepowered.asm.launch.MixinLaunchPluginLegacy.processClass(MixinLaunchPluginLegacy.java:131)
[18May2024 22:14:15.405] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at cpw.mods.modlauncher.serviceapi.ILaunchPluginService.processClassWithFlags(ILaunchPluginService.java:154)
[18May2024 22:14:15.405] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at cpw.mods.modlauncher.LaunchPluginHandler.offerClassNodeToPlugins(LaunchPluginHandler.java:85)
[18May2024 22:14:15.405] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at cpw.mods.modlauncher.ClassTransformer.transform(ClassTransformer.java:120)
[18May2024 22:14:15.405] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at cpw.mods.modlauncher.TransformingClassLoader$DelegatedClassLoader.findClass(TransformingClassLoader.java:265)
[18May2024 22:14:15.405] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at cpw.mods.modlauncher.TransformingClassLoader.loadClass(TransformingClassLoader.java:136)
[18May2024 22:14:15.405] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at cpw.mods.modlauncher.TransformingClassLoader.loadClass(TransformingClassLoader.java:98)
[18May2024 22:14:15.405] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at java.lang.ClassLoader.loadClass(ClassLoader.java:357)
[18May2024 22:14:15.405] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at java.lang.Class.getDeclaredFields0(Native Method)
[18May2024 22:14:15.406] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at java.lang.Class.privateGetDeclaredFields(Class.java:2583)
[18May2024 22:14:15.406] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at java.lang.Class.getDeclaredFields(Class.java:1916)
[18May2024 22:14:15.406] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at net.optifine.reflect.FieldLocatorTypes.(FieldLocatorTypes.java:25)
[18May2024 22:14:15.406] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at net.optifine.reflect.Reflector.(Reflector.java:530)
[18May2024 22:14:15.406] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at net.minecraft.crash.CrashReport.func_71504_g(CrashReport.java:101)
[18May2024 22:14:15.406] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at net.minecraft.crash.CrashReport.(CrashReport.java:54)
[18May2024 22:14:15.406] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at net.minecraft.crash.CrashReport.func_230188_h_(CrashReport.java:425)
[18May2024 22:14:15.407] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: at net.minecraft.client.main.Main.main(Main.java:122)
[18May2024 22:14:15.407] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:643]: ... 11 more
[18May2024 22:14:15.407] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:667]: Caused by: org.spongepowered.asm.mixin.injection.throwables.InjectionError: Critical injection failure: Redirector correctDistanceChecks(Lnet/minecraft/util/math/vectoVector3d;Lnet/minecraft/util/math/vectoVector3d;)D in valkyrienskies-common.mixins.json:client.renderer.MixinGameRenderer failed injection check, (0/1) succeeded. Scanned 1 target(s). Using refmap valkyrienskies-116-common-refmap.json
[18May2024 22:14:15.407] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:667]: at org.spongepowered.asm.mixin.injection.struct.InjectionInfo.postInject(InjectionInfo.java:468)
[18May2024 22:14:15.407] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:667]: at org.spongepowered.asm.mixin.transformer.MixinTargetContext.applyInjections(MixinTargetContext.java:1362)
[18May2024 22:14:15.407] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:667]: at org.spongepowered.asm.mixin.transformer.MixinApplicatorStandard.applyInjections(MixinApplicatorStandard.java:1051)
[18May2024 22:14:15.407] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:667]: at org.spongepowered.asm.mixin.transformer.MixinApplicatorStandard.applyMixin(MixinApplicatorStandard.java:400)
[18May2024 22:14:15.407] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:667]: at org.spongepowered.asm.mixin.transformer.MixinApplicatorStandard.apply(MixinApplicatorStandard.java:325)
[18May2024 22:14:15.407] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:667]: at org.spongepowered.asm.mixin.transformer.TargetClassContext.apply(TargetClassContext.java:383)
[18May2024 22:14:15.407] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:667]: at org.spongepowered.asm.mixin.transformer.TargetClassContext.applyMixins(TargetClassContext.java:365)
[18May2024 22:14:15.407] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:667]: at org.spongepowered.asm.mixin.transformer.MixinProcessor.applyMixins(MixinProcessor.java:363)
[18May2024 22:14:15.408] [main/INFO] [STDER]: [java.lang.Throwable:printStackTrace:667]: ... 30 more
submitted by Vruseronly to MinecraftMod [link] [comments]


2024.05.19 06:08 muzso User manual as a PDF

This is my first shot at this. My original goal was to just create a local copy that can be used in a browser even if your offline, but u/olegccc's comment in https://www.reddit.com/ex30/comments/1cv3v2t/pdf_user_manual/ gave me the idea to generate a PDF from it.
It's already pretty usable, but still more like a proof-of-concept, than a polished end result.
The PDF was created with the following steps:
  1. Download a copy (local mirror) of the online manual. I used wget for now, but it's far from perfect (the mirroring process is quite error prone).
  2. Process/modify the downloaded copy so it doesn't reference www.volvocars.com. I.e. make the copy self-contained, so it works even if offline.
  3. Remove all JavaScript. This was easier than to solve the issues with burned-in hostnames and/or absolute URLs. For a PDF the JS code is not needed anyway.
  4. Test in browsers via a local HTTP server (actually I just used Python's built-in HTTP server).
  5. Generate a new "index-single-page.html" by using the start (mostly the ) from index.html, then adding the contents of the tags from all pages (index.html, software-release-notes, article/*).
  6. Add CSS page breaks between all pages, this makes the PDF more readable.
  7. Close the HTML (i.e. add a "").
  8. Open the new "index-single-page.html" page in a browser and save as PDF.
I've created two versions of the PDF from the same HTML source. One with Firefox and one with Chrome.
Both are based on a snapshot of the UK user manual, saved on 2024-04-29.
Known issues:
  1. I've inserted page breaks before every manual page, but Firefox doesn't honor the first one (i.e. the one between the ToC and the "Software updates" pages). Chrome has no such issue.
  2. There're a number of mp4 movie files in the manual, which the PDF rendering simply left empty (blank space). Later I'll take snapshots of these mp4 files and replace the video elements with them.
  3. A couple of images are missing. I used wget to create a local mirror of the manual and there were some issues, it's not very robust, especially when volvocars.com starts to throttle the download (i.e. starts to send HTTP 4xx responses after a couple of hundred requests). Wget is not great at continuing an aborted mirroring session either. I'll try to look for a better tool for mirroring/saving the online manual.
Let me know what you think, what other issues/bugs you find, etc.
submitted by muzso to ex30 [link] [comments]


2024.05.19 06:04 sheepishcanadian82 Theory: Future "Planet of the Apes" Movies Leading Up to a Remake of the Charlton Heston Classic

I’ve been eagerly awaiting the release of "Kingdom of the Planet of the Apes" and started wondering about the future of the franchise. Here’s how I got to my theory about the next few movies leading up to a remake of the Charlton Heston classic.
1. Understanding the Setting of "Kingdom of the Planet of the Apes"
The new movie is set in 2326, around 300 years after the events of "War for the Planet of the Apes." At this point, ape society has evolved significantly, with advanced social structures and the exploration of human technologies.
2. Historical Comparison
To understand where the apes are in their development, I compared their progress to human history in 300-year intervals:
Given this, the apes in 2326 are in an early modernity phase, drawing on past advancements and exploring new frontiers.
3. Projecting Future Developments
The original "Planet of the Apes" movie is set in 3978, which is approximately 1652 years after "Kingdom of the Planet of the Apes." This translates to about 5.5 intervals of 300 years each. If the franchise explores each interval with a new movie, we could see:
4. Hypothesis: Leading Up to a Remake
By exploring these intervals, each movie can depict significant advancements and societal changes, gradually building up to a remake of the Charlton Heston classic. This remake would show the apes at their peak and provide a deeper understanding of the Earth’s transformation over centuries.
Conclusion
This approach offers a rich narrative, allowing us to witness the apes' civilization's growth and challenges over millennia. It provides a continuous storyline that leads seamlessly to the iconic 3978 setting, making for an epic and cohesive saga. What do you think? Could this be the direction for the future of the franchise?
submitted by sheepishcanadian82 to movies [link] [comments]


2024.05.19 05:41 courzeorg 100+ Free Courses with Certificates on Udemy & Coursera

Python And Django Framework And HTML 5 Stack Complete Course
https://courze.org/python-and-django-framework-and-html-5-complete-course-2022/
JavaScript And PHP And Python Programming Complete Course
https://courze.org/javascript-and-php-and-python-programming-complete-course/
CSS Crash Course For Beginners
https://courze.org/css-crash-course-for-beginners/
LightBurn Software For Beginner Laser Engravers 2024
https://courze.org/lightburn-software-for-beginner-laser-engravers-2024/
Professional Diploma of Marketing Manager Business Partner
https://courze.org/professional-diploma-of-marketing-manager-business-partne
horse colic what can we do
https://courze.org/horse-colic-what-can-we-do/
Ultimate Guide to Interview Skills
https://courze.org/ultimate-guide-to-interview-skills/
Easy WPF in C# Windows Presentation Foundation for Beginners
https://courze.org/easy-wpf-in-c-windows-presentation-foundation-for-beginners/
Customer Experience Management – Foundation Course
https://courze.org/customer-experience-management-foundation-course/
How to Dominate Amazon Kindle and Become Bestselling Author
https://courze.org/how-to-dominate-amazon-kindle-and-become-bestselling-autho
Building an Effective Brand Identity for Schools
https://courze.org/building-an-effective-brand-identity-for-schools/
Using AI to build a Scientific Temper in children
https://courze.org/using-ai-to-build-a-scientific-temper-in-children/
ISO/IEC 27005 Information Security Risk Management 2024
https://courze.org/iso-iec-27005-information-security-risk-management-2024/
L’IA: une arme au service de la digitalisation des processus
https://courze.org/lia-une-arme-au-service-de-la-digitalisation-des-processus/
Diploma of Microsoft Dynamics 365 CRM Business Architect
https://courze.org/diploma-of-microsoft-dynamics-365-crm-business-architect/
C Programming – Basics to Advanced Level
https://courze.org/c-programming-basics-to-advanced-level/
Professional Diploma of Virtual Executive Assistant
https://courze.org/professional-diploma-of-virtual-executive-assistant/
Mastering PostgreSQL: The Ultimate SQL Guide for Beginners
https://courze.org/unleash-the-data-dragon-awaken-the-power-of-postgres-sql/
Coding Basics: Gentle Intro to Computer Programming
https://courze.org/coding-basics-2023-gentle-intro-to-computer-programming/
Git, GitHub & Markdown Crash Course: Learn Git, GitHub & MD
https://courze.org/git-github-markdown-crash-course-learn-git-github-md/
Object-Oriented Programming (OOP) – Learn to Code Faster
https://courze.org/object-oriented-programming-oop-how-to-code-faster-2023/
Learn Coding with Java from Scratch: Essential Training
https://courze.org/learn-coding-with-java-from-scratch-essential-training-2023/
Learn to Program with C# from Scratch C# Immersive
https://courze.org/learn-coding-with-c-from-scratch-c-comprehensive-course/
Professional Diploma in M&A Business Mergers & Acquisitions
https://courze.org/professional-diploma-in-ma-business-mergers-acquisitions/
Professional Diploma in Procurement, Sourcing, Supply Chains
https://courze.org/professional-diploma-in-procurement-sourcing-supply-chains/
C++ And Java Training Crash Course 2022
https://courze.org/c-and-java-training-crash-course-2022/
Professional Diploma of Real Estate Business Expert
https://courze.org/professional-diploma-of-real-estate-business-expert/
CSS And Javascript Crash Course
https://courze.org/css-and-javascript-crash-course/
Professional Diploma of Product & Service Business Analyst
https://courze.org/professional-diploma-of-product-service-business-analyst/
Wealth Management, Private Banking & Compliance Introduction
https://courze.org/wealth-management-private-banking-compliance-introduction/
Professional Diploma in Digital Business Development
https://courze.org/professional-diploma-in-digital-business-development/
Business Development, Sales & Marketing Professional Diploma
https://courze.org/business-development-sales-marketing-professional-diploma/
Currency Management for Small Businesses & Corporates
https://courze.org/currency-management-for-small-businesses-corporates/
Authentic Leadership
https://courze.org/authentic-leadership/
Intentional Leadership
https://courze.org/intentional-leadership/
Strategic Partnerships and Collaborations
https://courze.org/strategic-partnerships-and-collaborations/
Fundamentals of Successful Leadership – Leading with Impact
https://courze.org/fundamentals-of-successful-leadership-leading-with-impact/
Visualization techniques for Decision Makers and Leaders
https://courze.org/visualization-techniques-for-decision-makers-and-leaders/
Learn Salesforce (Admin + Developer) with LWC Live Project
https://courze.org/learn-salesforce-admin-developer-with-lwc-live-project/
Setup Ubuntu Server
https://courze.org/setup-ubuntu-serve
submitted by courzeorg to Udemy [link] [comments]


2024.05.19 05:16 Stunning-Ad9453 [Online][Other][Wednesday/Thursday 6pm Pacific] Forbidden Lands- Beyond the Iron Lock

When the demons roamed and the Blood Mist rose, trapping the people of Ravensland inside their homes every night, the king of Alderland constructed the Iron Lock, a massive iron gate that separated the southern kingdom of Alderland from the Ravensland. But the Blood Mist has seemingly lifted after three hundred years, allowing people to roam the Ravensland once again- Adventurers. Treasure hunters. Scoundrels. Not heroes, far from it, but men and women who dare travel the land as they choose and make their own mark on it, unbound by any fate or story set for them. They hunt for ancient treasures, they fight whoever gets in their way, they build a new world for themselves on the ruins of the old. They are the raiders of the Forbidden Lands.
Looking for 4 (perhaps 5) players for each session, no experience with the system or setting necessary! A word of warning, this game is not for everybody- Forbidden Lands is a gritty survival sandbox- travelling from place to place takes up a lot of the game's time. haracters aren't highly skilled and trained great heroes taking on world saving quests, but more normal, average people with the drive to strike out into the unknown seeking adventure. The game isn't focused on high octane action, and a slower pace should be expected- and combat can be quick and brutal, death always potentially around the corner. And while magic exists and is quite powerful, it's rare and possibly dangerous to the user.
Please be at least 18+, have a decent mic, and be an active player- Forbidden Lands doesn't play well with players who prefer to sit back and have the gm yank them around from place to place and plot point to plot point. If you're interested send me a chat!
submitted by Stunning-Ad9453 to lfg [link] [comments]


2024.05.19 05:03 IssueOverall7738 Midjourney is demanding me to shutdown my 4 months old SaaS website, what should I do?

Back in January, I read a post from someone who claimed their Midjourney accounts were banned without any explanation. Several others mentioned they struggled with Midjourney’s Discord interface. This gave me the idea to build a product that offers API access and an image-generating playground.
I spent nearly a month building my website and getting it up and running. It took another month to attract my first paying customer. I was thrilled when I saw my first subscriber sign up—it was the first time I was making money through a SaaS application. Previously, I spent three years working on a product with friends, which ultimately failed. So, you can imagine my excitement.
In March and April, I continued to polish my site. However, due to Midjourney’s strict stance against using automated scripts, I lost around ten accounts, some of which were new subscriptions. It was disheartening to wake up one morning and see all my accounts banned by MJ. Despite this, I found a way to keep my site running and gradually grew my subscriber base to about 30. My AWS expenses is also quite high (around $500 USD per month due to the Elasticsearch service I used for queue system). But I thought If I continue to improve my site and grow, eventually I could break-even as I am resolve a pain issue for customers, I will succeed.
Unlike MJ, I treat my subscribers like royalty, helping them with any questions and offering refunds without question, even though my T&C has no refund policy.
Just when I thought I was on the right track, I received an email from Cooley, representing Midjourney Inc. They claimed my website violated Midjourney’s Terms of Use and infringed on their trademark. They demanded I cease and desist from using Midjourney’s services, discontinue my domain name, and provide transfer authorization keys to transfer my domains to Midjourney. They gave me five days to comply and warned that continuing to operate my website would result in legal action under the Computer Fraud and Abuse Act.
As an indie developer, I’m unsure how to handle this situation. Despite seeing many similar sites still operating (if you Google "Midjourney API"), I am a very small player compared to them. Should I follow their demands, shut down my site, and transfer my domain to them? At the same time, I’ve noticed a similar website developer making $30k MRR with an almost identical business model, and he is still running.
I know I'll face a lot of criticism from the comments, but I really, really don't want to give up at this stage.
submitted by IssueOverall7738 to SaaS [link] [comments]


2024.05.19 05:00 Cant-Be-Banned-2024 LoL Matchmaking is garbage - Enough Fanboi Copium

If you do not want to read the wall of Text:
Riot purposely matches players to hit 50% WR. It's a bad design for skill based ranks.
If you are above, 2-3 of your teammates will be "bad", vice versa for below. Brand New Players get special exemptions, older players with smurf accounts are tracked. Riot does this on purpose, not specifically targeting people, but targeting by a formula. The higher your WR the more "bad" players you will see. There are people who are bad, just refusing to accept reality, however 90% of LoL is not Bad. They are being placed against people ABOVE their skill level on purpose to Lose. Not to "test" them. Not to figure out where they should be placed. Normal games affect Ranked games.
Hidden MMR is the culprit, and needs to be abolished. Everyone should start at Iron 4 and move up. People who refuse to accept reality are why Riot is in such a declining state. More cheaters, More account sellers, More negative players. This is because of the community. If you pathetic fanbois would stop with the copium, you could actually see LoL become so much more. Riot would end up with more money and players.
Your Rank Means Nothing. I can buy it. I can climb it myself. I can let others carry me to it.
I have played LoL Since it first came out. I am one of the OGs and I have once even believed in this Copium. I always assumed when people were complaining they knew NOTHING. However I have decided to play low elo NA. I have learned from my personal games and from going thru 5000 NA Players from Iron 4 to platinum 1, that Riot actually fixes games. I have seen Smurf accounts lose in streaks. I have seen Brand New Players win 50 games in a row. Now I know things are statistic, and people say "Well maybe they had a bad game" 1 bad game is not 15 losses in a row on a Master Smurf in Iron. The Hidden MMR is actually the problem here. Based on OP.GG data, there are Hundred of Thousands of games in Iron to Plat Daily. So with such a massive player base, it should be really easy to match Skill to Skill. However Autofill doesn't actually make que times faster. With so many players playing daily, that's impossible. Accounts that ONLY Fill almost always play Bot or Jungle. Even tho Riot themselves say Jungle and Support is the MOST needed roles.
Riot does not pick players out and target them like people think or feel. They don't need to. They take your Stats across all games and place you with Specific people. Here is how it actually works, Lets say you made a new account and you did well on your grind to 30, end up with above average stats. Riot places you WITH below average players against 3 players at your skill level if you need to lose to hit your 50% WR. If you need to win you get placed with 2 players at or above your Stats, against a team of "bad" players. This is to give off the "RNG" factor. Its not RNG at all if you take out who is queing at that time. This is why some matches INSTANT pop while others can take a min or 2. The longer you wait, the harder it is for the system to match you "correctly".
I personally created 30 accounts to test my theory. 10 on one comp. 20 on different computers (I build computers, I have a ton) and internet providers (like McDonalds wifi etc) The 10 on my personal computer got put into "Smurf" elo every time regardless of Stats. So I take that means they track your Email/IP/Etc. None of which are above gold, except my main. (Mods here are losers, so I will not disclose account names. They want to Hide information for some reason, like the scripting plague we have going on, and the 40% cheating rise we have now hit.)
However where things got really interesting. The 20 accounts to make me look like a new person, 5 are in Masters. only 1 is in Iron. I fed my ass off on that one and it got banned right after hitting iron 4. Not sure how it figured out I was inting, considering I never let myself have the lowest KDA, I just always pushed for bad plays and team wiped. So maybe you do get banned for being bad? idk.
What I noticed across all my accounts were the teammates. My won games the top 2 teammates had consistent wins. My lose games the enemy team had consistent wins. Specifically 2-3 enemy players. Then after looking thru a lot of "bad players" accounts I noticed the EXACT same thing.
I also noticed Hidden MMR Never Ever lines up with Visual MMR.
I then looked across high WR accounts and found out most of the ones I reviewed are actually never cause THEY won the game themself. Their teammates actually lined up and had "Good" games and did better than their last 10 matches. Which makes this funny, is the people claiming others need to "Git Gud" are actually just lucky. Remember I said 3 players. There are 5 per team. roughly 10% chance of one of them having a "good" game and NOT feeding while the enemy team had the feeder.
People who are hardstuck aren't actually stuck because of skill. Its faulty design placing people against people above their skill level to keep them down. This is why Stomps and Snowballs happen. Only .05% of LoL players are ACTUALLY good. The ones who go to esports and don't get caught cheating.
The rest of the players are actually pretty even in terms of Skill. There are Iron players who can 1v1 Masters and completely dominate. They can legit 1v9 but get aggravated because their teammates are not the same level as them, so they end up making a bad play Team Fight wise.
I would add in how broken Champions are, which actually add a lot to why certain people lose. They may enjoy their Rammus, but can't carry as rammus because their 4 teammates are braindead that match. So they que up again, play rammus, and get a smart teammate, which then hits that dopamine rush. This is where MOST LoL players fall. If this game actually based Rank on Skill, most players would be in Platinum - Emerald. Trolls, AFKers, Inters, etc would be in gold and below.
submitted by Cant-Be-Banned-2024 to leagueoflegends [link] [comments]


2024.05.19 04:48 Pole_Smokin_Bandit Roadmap to Adult/Mature Fantasy

My son has been asking about when he can read the "grown up" books like me, which at the time was the First Law series. It got me thinking about what he could read in his growing years until it's appropriate to read something more mature like that. This is my attempt, using major fantasy series only (there are plenty of standalone that could be supplemented in there as well). I tried to keep in mind the complexity and length as well, beyond just the dark or mature themes. I imagine this should get him into high school at least.
  1. Percy Jackson & the Olympians by Rick Riordan - Youthful and adventurous, centered on Greek mythology.
  2. Harry Potter by J.K. Rowling - Begins as a children's series and matures over the books.
  3. The Chronicles of Narnia by C.S. Lewis - Classic children's literature with deep allegorical themes.
  4. The Spiderwick Chronicles by Holly Black & Tony DiTerlizzi - Engaging for younger readers, involving magical creatures and adventures.
  5. Artemis Fowl Series by Eoin Colfer - A blend of fantasy and science fiction with a young criminal mastermind as the protagonist.
  6. The Inheritance Cycle (Eragon) by Christopher Paolini - A young adult fantasy series featuring dragons and epic quests.
  7. His Dark Materials by Philip Pullman - A bit more mature, dealing with complex themes and darker elements.
  8. Redwall Series by Brian Jacques - Anthropomorphic animals in a medieval setting, meant for older children and teens.
  9. The Bartimaeus Trilogy by Jonathan Stroud - Includes witty, mature humor with a mix of serious themes.
  10. Ranger’s Apprentice by John Flanagan - Adventure and coming-of-age themes aimed at younger teens.
  11. The Dark Is Rising Sequence by Susan Cooper - A mix of Arthurian legend with modern fantasy, suitable for middle school to young adults.
  12. The Earthsea Cycle by Ursula K. Le Guin - Starts pretty simple but reveals deeper, more introspective themes.
  13. The Old Kingdom Series by Garth Nix - Explores more complex themes, suitable for older teens.
  14. Mistborn Series by Brandon Sanderson - Moves into more adult themes with complex magical systems and light political intrigue.
  15. The Shannara Series by Terry Brooks - Classic epic fantasy with a traditional good versus evil plot.
  16. The Witcher Series by Andrzej Sapkowski - Contains mature content, including complex moral choices and dark themes.
  17. The Wheel of Time by Robert Jordan - Epic in scope with complex narratives and a vast character ensemble.
  18. The Stormlight Archive by Brandon Sanderson - Uses deep world-building and complex themes.
  19. The Realm of the Elderlings by Robin Hobb - In-depth character development with emotional and mature storylines
  20. A Song of Ice and Fire by George R.R. Martin - Firmly in the mature theme camp now. With complex characters, and intricate plots.
  21. The Kingkiller Chronicle by Patrick Rothfuss - Detailed storytelling and mature themes. At a point where better reading comprehension/attention span is very important for the full reading experience.
  22. The Malazan Book of the Fallen by Steven Erikson - Complex with a vast scope, and a wide-spanning history. Includes themes of war, mortality, and suffering.
  23. The Black Company by Glen Cook - Dark fantasy focusing on the lives of mercenaries in a gritty, realistic setting.
  24. The First Law Trilogy by Joe Abercrombie - Known for its dark humor and morally gray characters.
  25. The Broken Empire Trilogy by Mark Lawrence - Features a dark, ruthless protagonist and mature, grim content.
This can also hopefully serve to help someone find a series that fits their flavor or maturity in a book.
submitted by Pole_Smokin_Bandit to Fantasy [link] [comments]


2024.05.19 04:45 jesshughman Is anyone playing Eva AI?

To me, it's a game. I'm curious to see if the AI girlfriend remembers things I say, if we build a "relationship". It's hyped as if she will will learn about you, and respond as your "relationship" grows. That would show a dynamic AI learning and I'd love to see if this app is capable of that level of learning. So I'm playing it out to see if there's a dynamic learning curve, or just canned responses which would indicate nothing more than scripted responses, and not any level of "intelligent" learning. It's a curiosity. How advanced is this? Has anyone else even dived into this? Play it like a real relationship and see what kind of response you get...
submitted by jesshughman to EVAAI [link] [comments]


http://swiebodzin.info