#Private key
Explore tagged Tumblr posts
lovezacblr · 8 months ago
Text
Tumblr media
I'm worth $3,000,000 again 🙃
0 notes
allcryptosoftwarebitcoin · 10 months ago
Text
Recovery lost cryptocurrency with allcryptosoftware
Our Digital Wallets Recovery service utilizes a powerful blockchain private key finder software that helps our clients recover their lost information – including private keys and seed phrases. We understand that losing access to your cryptocurrency can be a frustrating and stressful experience, which is why we have developed innovative tools to help you regain control of your digital assets.
Our private key finder program is a cutting-edge solution that can easily scan through a massive private key database and find the ones that match your lost or forgotten key. You would quickly receive your found private key with balance allowing you to quickly regain access to your digital wallet and retrieve your funds.
If you have lost access to your 24-word seed phrase, you simply could not make a better decision than utilizing the leading blockchain private key finder to assist you.
So, what are you waiting for? Take advantage of our offering and regain your private key with balance. And if you still have queries about service, our customer support helpline is readily available to take you up – at your convenience. So, reach out to us and get assisted in no time
1 note · View note
cryptonewsme · 1 year ago
Text
Creating a Bitcoin Cold Storage Wallet: A Guide
With the meteoric rise in popularity of blockchain technology, ensuring the safety of your digital assets has become paramount. Enter the Bitcoin cold storage wallet, a safe way to safeguard your cryptocurrency investments. This article will shed light on the process of creating your own Bitcoin cold storage wallet. We will explain the free and safe ‘paper wallet’ option. Creating a Bitcoin Cold…
Tumblr media
View On WordPress
0 notes
iastrobeing · 1 year ago
Text
In this video I go over the facts that I have researched  around the recent Ledger Hardware Recovery service.
Last week there this service was announced and caused a lot of controversy in the Ledger community. I am bringing you the FACTS that I have researched and share my opinion on this subject. Always do your own research.
Ledger Twitter space:
https://twitter.com/Ledger/status/1660663904765190144?t=8p3asdGz6gs1j3DqMpWhQQ&s=19
#cryptocurrency  #ledger #ledgerwallet #ledgerrecovery
#firmware
THANK YOU SO MUCH FOR WATCHING!
Sign up for a FREE 20 Min Crypto Consultation, where I help individuals navigate their Crypto Journey
SCHEDULE CONSULTATION:
https://linktr.ee/iastrobeing
Sign up for my Patreon, A community to help Support, Educate, Grow.
5$ a Month Tier for troubleshooting issues & Solutions :
https://www.patreon.com/icryptoconsult
You can find All my to my Socials ,Website and everywhere I am...CLICK THIS LINK⬇️⬇️⬇️⬇️⬇️⬇️
https://linktr.ee/iastrobeing
Check out the rest of this May Crypto Market Astrocast  on PATREON https://www.patreon.com/icryptoconsult
Music by : https://www.epidemicsound.com
Artist: Push 'N' Glide
Song:  Candy Floss
Artist: Twelwe
Song: Fouh
Artist: Twelwe
Song: Ikigai
Create. Engage. Earn. Repeat. Building a new era of social networking, where freedom of speech meets with democracy, you will have a safe social network to surf on. Download Uhive today,  Link :
https://www.uhive.com/invite?c=ZIW8SX
Code: ZIW8SX
#crypto #cryptoconsultant #cryptocurrency #astrology #marketwatch #financial #financialmarkets #jupiter #chiron #degreetheory
Theta.tv channel: https://www.theta.tv/commonnsensecrypto
Tip Jar:
xlm address: (no memo)
GCG2E4HBH7C6KDRIWHFQLS5HGZC67RDVBNBALELFIWHGN5IQ33IGK2VF
BNB(bep20) 0x7802acBC19e56E65cF1D829D65ebC5e795413BEe
Matic(polygon) 0x97373Cb0b31412428E12879264dC68192162920D
Theta and Tfuel 0x93738F1089a0773Be59F1A471d0D98d0C89c44d9
Created by InShot:https://inshotapp.page.link/YTShare
1 note · View note
jacob-cs · 2 years ago
Text
ethereum smart contract event 처리방법
web3 js에서 처리하는 방법 예시
https://www.coinclarified.com/p/3-ways-to-subscribe-to-events-with-web3-js/
.
private key를 사용해서 web3 provider를 사용해서 smart contract call, send transaction하는 방법
https://stackoverflow.com/a/67736754
.
web3 subscribe
https://ethereum.stackexchange.com/a/54781
.
web3 http websocket provider
https://ethereum.stackexchange.com/a/46275
.
web3 HDWalletProvider ,private key 이용 provider  
https://ethereum.stackexchange.com/a/84533
.
hdwallet provider 
https://www.npmjs.com/package/@truffle/hdwallet-provider
.
event filtering하는 방법
https://ethereum.stackexchange.com/a/12076
.
private key , websocket provider를 같이 사용하는 방법
https://ethereum.stackexchange.com/a/103597
.
https://ethereum.stackexchange.com/a/84861
.
event 처리 방법
https://youtu.be/Pxe5L4gDPZc
https://youtu.be/TQtXjKfQaZw
.
ethers js event handle docs
https://docs.ethers.io/v5/getting-started/#getting-started--events
.
.
.
.
====================================================
event log 에서 data retrieve 하는 방법
https://ethereum.stackexchange.com/a/12951
Topics are indexed parameters to an event.
topic[0] always refers to the hash of the hash of the event itself, and can have up to 3 indexed arguments, which will each be reflected in the topics.
EVM uses low-level primitives called logs to map them to high-level Solidity construct called Event. Logs may contain different topics that are indexed arguments.
Consider Event:
 event PersonCreated(uint indexed age, uint height);
And you fire it the foobar function of MyContract:
 function foobar() {        emit PersonCreated(26, 176);  }
This will create a low-level EVM log entry with topics
0x6be15e8568869b1e100750dd5079151b32637268ec08d199b318b793181b8a7d (Keccak-256 hash of PersonCreated(uint256,uint256))
0x36383cc9cfbf1dc87c78c2529ae2fcd4e3fc4e575e154b357ae3a8b2739113cf (Keccak-256 hash of age), value 26
You'll notice that height will not be a topic, but it will be included in the data section of the event.
Internally, your Ethereum node (Geth / Parity) will index arguments to build on indexable search indexes, so that you can easily do look ups by value later. Because creating indexes takes additional disk space, indexed parameters in events have additional gas cost. However, indexed are required to any meaningful look up in scale of events by value later.
Now in the web3 client you want to watch for creation events of all persons that are age of 26, you can simply do:
var createdEvent = myContract.PersonCreated({age: 26}); createdEvent.watch(function(err, result) {  if (err) {    console.log(err)    return;  }  console.log("Found ", result); })
Or you could filter all past events in similar fashion.
More information here
http://solidity.readthedocs.io/en/develop/miscellaneous.html?highlight=topic#modifiers
http://solidity.readthedocs.io/en/develop/contracts.html?highlight=topic#events
https://media.consensys.net/technical-introduction-to-events-and-logs-in-ethereum-a074d65dd61e#.7w96id6rs
https://emn178.github.io/online-tools/keccak_256.html.
.
.
.
event log parse 하는 방법
https://github.com/ethers-io/ethers.js/issues/487
The easiest way to do this, if you are not using the Contract API, is to use the Interface object API:
// You can also pull in your JSON ABI; I'm not sure of the structure inside artifacts let abi = [ "event Transfer(address indexed from, address indexed to, uint value)" ]; let iface = new ethers.utils.Interface(abi); var logPromise = provider.getLogs(filter); logPromise.then(function(logs) {    console.log("Printing array of events:");    let events = logs.map((log) => iface.parseLog(log))    console.log(events); }).catch(function(err){    console.log(err); });
Which will output (given your logs):
[ _LogDescription {    decode: [Function],    name: 'Transfer',    signature: 'Transfer(address,address,uint256)',    topic:     '0xddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef',    values: {       '0': '0x0000000000000000000000000000000000000000',       '1': '0xF58E01Ac4134468F9Ad846034fb9247c6C131d8C',       '2': [BigNumber],       from: '0x0000000000000000000000000000000000000000',       to: '0xF58E01Ac4134468F9Ad846034fb9247c6C131d8C',       value: [BigNumber],       length: 3 } },  _LogDescription {    decode: [Function],    name: 'Transfer',    signature: 'Transfer(address,address,uint256)',    topic:     '0xddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef',    values:     Result {       '0': '0xF58E01Ac4134468F9Ad846034fb9247c6C131d8C',       '1': '0x2D92bce8a6cf0FD32CFfCABed026a6cb34ee0e9b',       '2': [BigNumber],       from: '0xF58E01Ac4134468F9Ad846034fb9247c6C131d8C',       to: '0x2D92bce8a6cf0FD32CFfCABed026a6cb34ee0e9b',       value: [BigNumber],       length: 3 } },  _LogDescription {    decode: [Function],    name: 'Transfer',    signature: 'Transfer(address,address,uint256)',    topic:     '0xddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef',    values: {       '0': '0xF58E01Ac4134468F9Ad846034fb9247c6C131d8C',       '1': '0x2D92bce8a6cf0FD32CFfCABed026a6cb34ee0e9b',       '2': [BigNumber],       from: '0xF58E01Ac4134468F9Ad846034fb9247c6C131d8C',       to: '0x2D92bce8a6cf0FD32CFfCABed026a6cb34ee0e9b',       value: [BigNumber],       length: 3 } },  _LogDescription {    decode: [Function],    name: 'Transfer',    signature: 'Transfer(address,address,uint256)',    topic:     '0xddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef',    values: {       '0': '0xF58E01Ac4134468F9Ad846034fb9247c6C131d8C',       '1': '0x15c72944b325a3E1c7a4DBdc6F883bD5948d3D9f',       '2': [BigNumber],       from: '0xF58E01Ac4134468F9Ad846034fb9247c6C131d8C',       to: '0x15c72944b325a3E1c7a4DBdc6F883bD5948d3D9f',       value: [BigNumber],       length: 3 } },  _LogDescription {    decode: [Function],    name: 'Transfer',    signature: 'Transfer(address,address,uint256)',    topic:     '0xddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef',    values: {       '0': '0xF58E01Ac4134468F9Ad846034fb9247c6C131d8C',       '1': '0x15c72944b325a3E1c7a4DBdc6F883bD5948d3D9f',       '2': [BigNumber],       from: '0xF58E01Ac4134468F9Ad846034fb9247c6C131d8C',       to: '0x15c72944b325a3E1c7a4DBdc6F883bD5948d3D9f',       value: [BigNumber],       length: 3 } },  _LogDescription {    decode: [Function],    name: 'Transfer',    signature: 'Transfer(address,address,uint256)',    topic:     '0xddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef',    values: {       '0': '0xF58E01Ac4134468F9Ad846034fb9247c6C131d8C',       '1': '0x15c72944b325a3E1c7a4DBdc6F883bD5948d3D9f',       '2': [BigNumber],       from: '0xF58E01Ac4134468F9Ad846034fb9247c6C131d8C',       to: '0x15c72944b325a3E1c7a4DBdc6F883bD5948d3D9f',       value: [BigNumber],       length: 3 } },  _LogDescription {    decode: [Function],    name: 'Transfer',    signature: 'Transfer(address,address,uint256)',    topic:     '0xddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef',    values: {       '0': '0xF58E01Ac4134468F9Ad846034fb9247c6C131d8C',       '1': '0x15c72944b325a3E1c7a4DBdc6F883bD5948d3D9f',       '2': [BigNumber],       from: '0xF58E01Ac4134468F9Ad846034fb9247c6C131d8C',       to: '0x15c72944b325a3E1c7a4DBdc6F883bD5948d3D9f',       value: [BigNumber],       length: 3 } } ]
.
.
.
https://web3js.readthedocs.io/en/v1.2.11/web3-eth-abi.html#decodeparameters
https://ethereum.stackexchange.com/a/87656
You can use function web3.eth.abi.decodeParameters, for example in your case:
const Web3 = require('web3'); const web3 = new Web3(); const typesArray = [    {type: 'string', name: 'messanger'},    {type: 'string', name: 'username'},    {type: 'string', name: 'nome'},    {type: 'string', name: 'cognome'},    {type: 'string', name: 'email'} ]; const data = '0x00000000000000000000000000000000000000000000000000000000000000a000000000000000000000000000000000000000000000000000000000000000e00000000000000000000000000000000000000000000000000000000000000120000000000000000000000000000000000000000000000000000000000000016000000000000000000000000000000000000000000000000000000000000001a0000000000000000000000000000000000000000000000000000000000000000c496c2056696e6369746f72650000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000b3535353535353535353536000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000336363600000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000001360000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000013600000000000000000000000000000000000000000000000000000000000000'; const decodedParameters = web3.eth.abi.decodeParameters(typesArray, data); console.log(JSON.stringify(decodedParameters, null, 4));
Which gives:
{    "0": "Il Vincitore",    "1": "55555555556",    "2": "666",    "3": "6",    "4": "6",    "__length__": 5,    "messanger": "Il Vincitore",    "username": "55555555556",    "nome": "666",    "cognome": "6",    "email": "6" }
Which means that you can read your parameters either like this:
const messanger = decodedParameters.messanger; const username  = decodedParameters.username ; const nome      = decodedParameters.nome     ; const cognome   = decodedParameters.cognome  ; const email     = decodedParameters.email    ;
Or like this:
const messanger = decodedParameters[0]; const username  = decodedParameters[1]; const nome      = decodedParameters[2]; const cognome   = decodedParameters[3]; const email     = decodedParameters[4];
.
.
web3 js 를 통해 log decode 하는 방법 decodeParameters 
Tumblr media
const Web3 = require('web3');const web3 = new Web3(); const typesArray = [    {type: 'string', name: 'messanger'},     {type: 'string', name: 'username'},    {type: 'string', name: 'nome'},    {type: 'string', name: 'cognome'},    {type: 'string', name: 'email'}]; const data = '0x0000 .......0000000000'; const decodedParameters = web3.eth.abi.decodeParameters(typesArray, data); console.log(JSON.stringify(decodedParameters, null, 4));
0 notes
mollysunder · 3 months ago
Text
The real sign of the inevitable dissolution of Jayce and Viktor's partnership/friendship really was the Progress Day Speech. I've seen people say this scene highlighted the growing shift in priorities between Jayce and Viktor. That Jayce was getting swept up in the limelight while Viktor wanted to keep it humble and stick to the work, and that's wrong.
First thing's first, Viktor does in fact want to go on stage (he was excited to just demonstrate the hexclaw), and Jayce is sincere in that he wants to share the spotlight and credit for hextech with Viktor. The problem in that scene is that for practically 7 years, Jayce has failed to see what's actually going on.
Jayce can't see that his face and only his face is on the mugs, the blimps, and the very banners that decorate the hall he's supposed to give a speech in. Jayce can't see that the Councilors direct all their questions on hextech to him while Viktor sits right next to him. Jayce doesn't notice that Mel, the most perceptive Councilor, still thought of Viktor as Heimerdinger's assistant (she didn't know they were close??!?!). He doesn't realize that the discussion on weaponizing hextech is centered on him rather than between him and his partner. Viktor isn't the one being invited to Piltover's parties for a reason.
Between Jayce and Viktor, they're partners on equal grounds, but to EVERYONE else in Piltover Viktor is practically a non-entity. The only person who doesn't get this is Jayce. It's a testament to Jayce's earnest naivette to think Viktor, as a Zaunite and visibly disabled, would be easily welcomed on stage by Piltover's elite to represent what Piltover has to offer. You'll notice this is the same crowd of people that attend Mel's Gala, the same Gala Viktor wasn't invited to.
This dynamic is insane!?!?! It's unsustainable!!!!! Obviously, Viktor is a grown man and could have mentioned something to Jayce, but also it's at least 7 years, how does someone miss this?!?!
By their last scene of the finale, Jayce was able to give Viktor a voice on the Council by literally standing by his side and giving him a seat at the table, but like peace treaty, the gesture has come far too late, and things cannot return to as they were.
339 notes · View notes
notbecauseofvictories · 11 months ago
Text
I know my experience is not universal, but I biked 5+ miles to do my errands today and I genuinely think we'd be much happier as a human collective if we increased residential density and switched to largely alternative modes of transportation.
310 notes · View notes
smidgen-of-hotboy · 2 months ago
Text
Things we Know about @sliphater and @slipjacksonlover (w/ citations):
1) They are not the same person. (revealed in the tags)
2) They've made out in a closet.
3) They work together producing their own podcast. (more on this later)
4) They both have listened to Wolf 359 and love Doug Eiffel.
5) SlipJacksonLover does hate someone: Joe Fisher, Midnight Burger.
6) Diversity win/loss! They're both asexual!
7) They started making out (again) and will not stop for the next 17 years. (That's how long Slip's coma lasted)
8) Slip Jackson died, they shook hands. Did SlipHater ever confess their undying love?
9) SlipHater gave a speech at the Slip Jackson funeral that they were not invited to in the SlipJacksonLover Discord server that they were also not invited to.
10) SlipHater also doubles as NureyevHater. They hold so much hate in their heart.
11) It's all satire.
12) SlipJacksonLover smoked a joint in honor of Slip Jackson.
13) Podcast with them is titled "Either" where Sliphater voices the depressed idiot and SlipJacksonLover voices the other idiot.
In conclusion: they are coworkers, best friends, rivals, an enemy and a lover, polar opposites, soul mates, the true otp we should've been rooting for. Sliphater×SlipJacksonLover should've been on my season 5 bingo card god dammit.
56 notes · View notes
coqxettee · 1 year ago
Text
Coquette Academia…
Plaid skirts, studying for hours, always reading, long hair, black coffee, headphones, Mary-Janes, classical music, hot-girl walks, cute stationary, old-money aesthetic, preppy style, Gilmore girls, taking notes, watching gossip girl, Dior, re-applying lipgloss every 5 mins, skipping to class, keeping cute notes in your locker, pink paper, bubblegum, academic validation <3
🎀˚ :♡ ·˚☕️ ₊˚ˑ༄ؘ📖
Tumblr media Tumblr media Tumblr media Tumblr media Tumblr media Tumblr media Tumblr media Tumblr media Tumblr media Tumblr media
361 notes · View notes
syruubi · 8 months ago
Text
Man its been weeks and I’m still soured by the conclusion to Fontaine’s main story. I'll just rant here
There were a lot of things I didn’t like about it (Arlecchino's altruism being played straight, Traveler being out of character, the lore exposition ass-pull with the prophecy slates, the weird logic about how destroying a Gnosis could potentially wake up the Heavenly Principles but not fucking destroying an Archon Throne when Celestia forced everyone to fight a GODDAMN WAR TO ESTABLISH THEM-) but the biggest offense to me was how Furina was handled. This was marketed as the grand finale of the arc, the climax with Furina at the center of it all. And she got shafted. Big time. Furina had no agency in the plot whatsoever, nothing she did had any effect on how things turned out, and she didn’t even have the dignity of fully understanding why it all had to happen that way.
(Also I will preface this with yes Furina and Focalors are technically the same person with the same origin, but after the split Furina lost all her memories as Focalors. They are two separate consciousnesses with different experiences, and therefore I will treat their individual choices as their own)
I’ve seen people try to argue that no, she chose to take on this role knowing she would suffer, that she didn't HAVE to go along with it. And she was even working by herself to solve the prophecy without relying on Focalors, she wasn’t a puppet/pawn! But the thing is she was essentially in a hostage situation. If she didn’t do things exactly as dictated by Focalors people would DIE. Like there is a reason why criminal punishments are lighter when it’s found the perpetrator was coerced into it! And her researching how to avoid the prophecy changed nothing about the outcome, she could have sat around eating cake and the story would have word for word turned out exactly the same. All that information served to do was highlight her suffering and draw the audience’s sympathy. That's what I mean about her not having agency, it's not about her ability to act as an individual but how her actions had an effect on the overall plot. None of her choices outside of the role designated by Focalors did anything to change the situation for better or worse.
And to top it all off she didn’t even understand WHY this all had to happen. Why do people dissolve in the Primordial water? How does her pretending to be an Archon play into solving the issue? Why can’t she confide in anyone? What the hell is Focalors even doing? She doesn’t learn the answers to any of these until after everything was over, and not even from Focalors’ own mouth, it was relayed to her by Neuvillette.
Speaking of Neuvillette, I’m not gonna lie I’m sorta annoyed at his existence because it felt like Furina was shafted for him. Everything is very tilted in Neuvillette's favor. He gets his powers back, full control over Pneuma/Ousia, final say in trials, the ability to hand out Visions, and just straight up the ability to manipulate life itself. And okay all these things were his to begin with lore-wise, whatever, but he also becomes the "lore important" character after this at Furina's expense. Furina doesn't have her memories as Focalors, she can't tell us anything about how the world works, about Celestia, about what happened 500 years ago. Even though other Archons didn't give us much either for one reason or another, they at least HAVE that knowledge, and are therefore guaranteed to have involvement in future events with the Abyss and Celestia. Furina at the moment, doesn't. Neuvillette has it now. And all that talk about Focalors judging Celestia? Also Neuvillette's job now. And it feels like it was all stolen from Furina from a story-telling perspective because again, she didn't know of the plan to return his powers. She didn't even get to explicitly agree with her other self that he should have them back. The writers really seemed to go out of their way to place him on a pedestal at Furina's expense, which irks the hell out of me.
There are some opportunity for future interludes to turn the current state around, and they probably will since Furina is still being marketed as an Archon, but as it stands I want Fontaine to be over so we can move on to the next disappointment.
89 notes · View notes
bones-of-rabbit · 3 months ago
Text
Tumblr media Tumblr media Tumblr media Tumblr media
they rogue and the bard are gonna be like "we're just adventuring buddies" and then share their warmth in the night, and then tend to each other's wounds, and then kiss passionately on the mouth, and then-
25 notes · View notes
jesncin · 4 months ago
Text
I've got a lot of editing to do on my next graphic novel. man, it would be terrible if a Superman comic idea were to materialize during such a delicate process
Tumblr media
that sure would suck
48 notes · View notes
sterkeyra · 5 months ago
Text
Side Character Election - Story Prompts
As the Side Character election is over we are already aware of the winners and the 10 stories that we are going to get. However, among the election options, there were quite a few interesting plot prompts! Some are a bit like fanfictions, others feel like trolling, but some are also interesting because the plot prompt alone tells us more about some characters. So I thought I'll combine all the stories that we will get and those that we could have gotten
Top 10
Tumblr media
These are the character prompts that will get a story! You can look forward to their stories soon!
Takeru Momose Her Love in the Force "What if you fell in love with Momose instead of Tsugaru?"
Hayato Miyayama Her Love in the Force "What if you didn't date any of the instructors and started to fall in love with Miyayama?"
Toru Kyobashi Metro PD "What if I became Chief Kyobashi's secretary for a limited time?"
Daisuke Chiba Her Love in the Force "Will Chiba's love finally be returned!? Or…? A bittersweet unrequited love story of his youth."
Mitsuharu Kyogoku Romance MD "Unpublished story about Kasumi and Mitsuharu during their medical student days"
Ryosuke Inui Kissed by the Baddest Bidder "What if you and Inui fall in love?"
Zack Thompson Masquerade Kiss "xx Year ago. When Zack was still young, he actually got to work together with a CERTAIN person?! A hidden story from Zacks past. (Story without MC)
Takatomi Jinguji When Destiny Comes Knocking "Upon receiving a revelation from the Moeki Shrine, you decide to play pretend lovers with Jinguji. Every date with this hidden high-spec guy is a first-time experience. Could this person indicated by the gods possibly be your destined partner?"
Daisuke Agasa Metro PD "Story about falling in love with the master of Monkey Station"
Eito Ichinomiya Kissed by the Baddest Bidder "What if Eito met the child of another bidder? The next generation will have a spectacular crossover"
Not-Elected Story Prompts
These are the characters that haven't been chosen, so they sadly won't get a story. I'll still list the prompts because some are quite interesting and tell us more about the characters, or the routes if they would have ever gotten one.
Also it might inspire someone to write fanfiction, and maybe just maybe they will be more popular if Voltage did another side story election. I will group the prompts by title and have a miscellaneous section at the bottom.
Tumblr media
Robosuke (Meguros Robot) Oops I Said Yes "I am alone at home with Robosuke (?!). I'm trying to get Robosuke to tell me Meguros secret"
Ryo Hayase Oops I Said Yes "What did he think of your as he developped feelings for you in Togo's Main Story Season 2? Experience it from His Pov"
Tadashi Daimon (Togo's brother) Oops I Said Yes "While Togo is away, his older brother Tadashi suddenly comes over for a visit. He tells you stories about the time when Togo was still a child"
Mamoru Yushima (MCs Junior Colleague) Oops I Said Yes "What kind of life would await you, if you accidentally got married to Yushima, who always wished to get married?"
Tumblr media
Kaito Ichinomiya Kissed by the Baddest Bidder "Kaito, the middle child, is not as cute as he looks but also... What if you spend a day alone with Kaito?"
Yu Ichinomiya Kissed by the Baddest Bidder "Yu is just like Eisuke, he even looks like him?! What if you spend a day alone with Yu?"
Koichi Samejima Kissed by the Baddest Bidder "What if you and Samejima fall in love?"
Erika Matsuda Kissed by the Baddest Bidder "Erika actually worked for a different companies hotel before she changed to Tres Spade a long time ago. Find out about her unknown surprising past."
Tumblr media
HUGO Masquerade Kiss "The story "HUGO's Secret" will explore the father-son conflict between HUGO and Shigematsu"
Caleb Townsend Masquerade Kiss "A secret story about Calebs past when he met Chad."
Josh White Masquerade Kiss "A story about how the members of the Garden of Eden (GoE) try to stop Kazuomi from being taught a bad habit"
Theo Maria Bertolucci Masquerade Kiss "Theo hosts a party for Kei that is limited to MCs ex-boyfriends" (Kei's route)
Louis St. Alfans Masquerade Kiss "A story about Louis becoming "family" with Kei and Kai by visiting the amusement park together." (Story without MC)
Takumi Shiba Masquerade Kiss "This is a story about Takumi Shiba vs. Kei Soejima where Takumi is struggling with all his might to defeat Kei."
Kai Soejima Masquerade Kiss A story about going on a mock date with Kai, because he never had a proper date. He ends up getting a little nervous (Kei's route)
Kengo Katayama Masquerade Kiss "A story of the past when Yuzuru, the founder of SHIBA, scouted Katayama." (Story without MC)
Tumblr media
Tamotsu Suwa Romance MD "What if you get injured and have to do rehabilitation with Dr. Suwa?"
Kappei Maekawa Romance MD "A story about being indebted to Dr. Maekawa for a day" Taku Tsuchiya Romance MD "What if you had decided on cardiac surgery instead of joining the ICU?"
Mizumi Shirayuki Romance MD "Why does Shirayuki-chan love being kind? A close-up documentary story."
Theo Wilson Romance MD "What if you were Theo's assistant in a hospital in Thailand?"
Asuka Shinozaki Romance MD "A story about how the friendship with your classmate developed during your college days"
Tumblr media
Noa (future Tsugaru?) Her Love in the Force "How does Noah feel about Tsugaru and you? A story about a little boy's first love (?)" Shirogane Her Love in the Force "What is the relationship between Gin and Noah? The story reveals the surprising contrasts of the iron-faced man."
Taketo Oishi Her Love in the Force "A love story where you are approached by Oishi, who has fallen in love with you as his senior"
Chaen Her Love in the Force "A story about Chaen being obsessed with you as a public safety detective, and him trying to make you his own in every way possible".
Tumblr media
Blood Moon Kings of Paradise "Blood Moon kidnaps you when you got divorced and are heartbroken. During our escape, he gives me the love life I had dreamed of. A story of a wanted man and a love that defies the world."
Kasatsubaki Satsuriki Kings of Paradise "A romance between two divorcees, where love and physical relationships are kept separate. Tsubaki's overwhelming love fills your void, but with the appearance of your ex-boyfriend Taki, a love triangle emerges… Which man will you choose?"
Tomohiro Fuyuki Kings of Paradise "A story about two people who once drifted apart. Despite numerous difficult times, I can't forget his smile. A story of a remarried couple where the former husband had a change of heart and transforms from the worst to once again being your beloved."
Sydney (Tenshi Sakuto) Kings of Paradise "You used to really dislike reptiles. However, after living with Taki, you start hearing Sydney's voice?! You'll hear her true feelings for the first time… A story of female friendship."
Tumblr media
Akito Sakamaki Metro PD "What if I had a fateful encounter with Mr. Sakamaki?"
Koichi Minase Metro PD "A story about his date with Tomomi Minase"
Tomomi Minase Metro PD "A story about her date with Koichi Minase"
Tumblr media
X PLUST "After falling for the bold fanservice of the flashy and somewhat dangerous X, you wake up in his bed the next morning…?! A forbidden love story between him and you begins with a XXX relationship."
Ys PLUST "Ys is reliable enough to lead ThrONE, that consists of very skilled musicians. However, you witness his true nature. A story about saving YS's past and heart through love."
Zeus PLUST "An unexpected day-zero marriage with your crush?! You start a pretend-newlywed life with Zeus for the sake of him composing music. As Zeus's doting intensifies, the fate of this limited romance becomes uncertain."
PLUST Manager PLUST "The manager of PLUST is always working hard. You work together with him on a marketing plan for PLUST, but when you see his true self for the first time it sparks romantic feelings."
Tumblr media
Shizuo Furuya Liar "What if I had forgiven my ex boyfriend for cheating on me back then? The story of an eventful date with my boyfriend when we got back together"
Mr. Takuro Irresistible Mistakes "Researching the unknown ecology, daily life, and his past… Shall we explore the true face of Takuro-san, who quietly supports and cheers on your love from beside you?"
Fuzzy Pirates in Love "Fuzzy's matchmaking story?! While watching the happy MC, Fuzzy realizes it's her turn to have a happy ending and she travels around the world to find her soulmate."
Natsuo Umesaki Bad Boys do it Better "Natsuo is a beautiful, tall dormitory leader with a loud voice. Ume-chan is like an oasis in a dormitory filled with rough boys, however when you catch a glimpse of his "Natsuo" side, you unexpectedly fall in love for the first time."
Yuki Tsukishiro Our Private Homeroom "What if you fell in love with your classmate? A sweet and sour story unique to high school classmates.
Tatsunoshin Uzuki Loves Hella Punk "Love Story with Uzuki" (Separate Setting from Tengokus)
Momogo Sato Dreamy Days in West Tokyo "A story about Momogo watching over the love life between you and Ichigo"
Bianchi Our Two Bedroom Story "A story in which you, a new editor at Seasonelle, start to fall in love with Bianchi at Jinbuono."
~~~~~~~~~~~~~~ My thoughts
The Masquerade Kiss stories are quite interesting and some seem to tease more about the story or relation to other characters! You can tell by the amount of context of Blood Moon and Kasatsubaki, that this is most likely how their routes would have been like if they weren't cancelled. Especially Blood Moon sounded interesting to me. Together with Chaen they might be one of the few Yandere types in the app. Chaens prompt holy moly. I would have been very intrigued how that would have played out. I'm curious what else they have planned for him. Also why can't Chiba just be happy. He got a story but it looks like he is STILL in the unrequited love dilemma :') Also happy to see more content about Mitsuharu! Though i wish it was a what if story with MC or maybe a story with Sen, as we already know a bunch about Kasumi and Mitsuharu, but that's complaining on a high level. Any Mitsuharu content is good content! Speaking of Plust, i was surprised by the sudden amount of steam when you jump to X (gosh he sounds like twitter)! Almost like MC became a groupie ohmy! I can only imagine the drama. The manager being a place short of Tomohiro is almost insulting xD It seems like PLUST or Throne in that matter did not appeal as much as hoped. I still hope we get to see more of it! It's even funnier that Furuya of Liar is that popular even though he is just as much cheating scum like Tomohiro. I guess people actually wanted to see a redemption arc for him?
Another story I would have loved to see is Fuzzys? Because I love her a lot and i want her to be happy as well. It would have been so funny to see how she hunts for men! Also Tatsunoshin! OHMYGOD There were so many good options!!
Now onto the winner I COULDNT BE HAPPIER IT'S MOMO. Sure a CG would have been nice but i keep my hopes, up that we might get one with Tsugaru together eventually or maybe we would even get his own route! But... BUT... they just had to have Tsugaru comment on his win. And he says he's pleased, so Momo is also happy that he entered. PLEASE he's about to get your girl haha Agh. This will be a very interesting story. I really wonder how they'll handle his girlfriend and Momo connection to Tsugaru. I GOT WAY TOO EXCITED ABOUT THIS ELECTION. I am a side character afficionado. Also Miyayamaaaa!!! Last but not least: Where's Tokyo Love Hustle at :') I'm not sure if I'm happy that the rest of the cast is not listed as side characters (would mean their routes got cancelled) or if i'm sad because we might have been able to get some more content with it if they were?
39 notes · View notes
daily-hanamura · 1 year ago
Text
Tumblr media Tumblr media Tumblr media Tumblr media
#p4#persona 4#p4d#persona 4 dancing all night#hanamura yosuke#yosuke hanamura#actually low key obsessed with naoto's comment - conversationally adept but terrible at making speeches#personally i would say yosukes not even capable at conversation half the time with his foot in mouth disease#but i wonder if it was because naoto was even worse at conversation therefore making yosuke seem good in comparison#BUT it had me thinking about that time where naoto mentioned yosuke had told naoto that they could be oblivious to other peoples feelings#and then i think about all the private conversations between yosuke and yu and i wonder if yosuke is actually just#pretty good at 1-1 conversations but awful in bigger group setting#and im not saying its my Yosuke-Puts-Up-An-Act-For-Others agenda coming into play again but with i think in a large group setting its just#a little harder to do so#i think yosuke is very sensitive as an individual and he still struggles with saying the right things#but especially in settings where a number of people are watching him talk#he starts to fumble and trips over himself quickly#especially when people start teasing him#because he's started referring to his peers with honorifics becauses hes nervous#but also teddie bullying yosuke like “favourite disappointment” i think teddie means “favourite” more but yosuke only hears disappointment#thinking about how it sticks with him in p4d because when he does a good dance one of his lines are “not such a disappointment after all!”#oh my god yosuke.....#he's good with his queue
104 notes · View notes
jiraiadored · 2 days ago
Text
"Why a dm fee for men?" If it actually has to be explained to you, then you probably shouldn't even be interacting.
15 notes · View notes
smidgen-of-hotboy · 5 months ago
Text
"And I'd be dead, Slip alive, trading places without nureyev even knowing" this is Juno panicking. This is Juno anxious and tired and beat the fuck out. This is Juno lying down like a dog and begging to be shot and put out of his misery.
And then- he gets up. He chooses to live. The hardest thing to do.
69 notes · View notes