Latest Daily Notes

Showing latest 10 of 5 posts

View Index


Time Flies

Date: 25 August 2025

When you don’t document your life, time slips away. It feels like just yesterday I recorded the last podcast on Web3TV. It almost seems like my podcast faded along with my youth. I guess that’s why I’m here. It’s time for me to start doing something consistently again. That last sentence felt a bit cringe as I typed it out. I see others pursuing their passions, and I can’t help but think I could do it better. I miss the daily grind.

What I’ve Been Up to Lately

This year, I’ve traveled more than ever before, moving almost as far across the lower 48 as physically possible—part of some divine plan, I suppose. I flew to Florida in December, then to Indianapolis shortly after, and eventually settled in Florida. I also made a trip back to Seattle, with at least two more planned before the year ends. Life feels different now. It doesn’t matter where I am as long as I have internet access, a seed phrase, and a weekly check. I’m still bummed about some past decisions, but wealth has never felt closer.

My life changed when I bought my Milady. That led me to Remilio, where I minted around 18. At one point, my Remilio portfolio made up 99% of my assets. I dove into Fumo, but things have been illiquid and tough—not as bad as I feared, though. After tallying it up, I still hold about $20,000 in Remilio assets. I’m confident this will be huge within a few years. Right now, I’m focused on stacking more ETH and buying as much CULT as I can, aiming for that golden parachute at a $900 million valuation. As the second-largest liquidity coin on Ethereum, I believe it’s one of the most exciting plays in crypto history.

Projects

All my projects can be found on my GitHub: Cmoneycodes

I created an ERC-404 bot that tracks mint events and posts them to Twitter.



2025 07 21 copy

Date: 21 July 2025

pain of reality

the world caught my attention

As most believe you need to pay bills. i got a job. negleted my blog crypto podcast and my internet vibe. i was lazy and didnt believe hard enough. i wasnt willing to move anywhere with an internet connection. typing that in my head sound like a remote island with starlink but after i finish typing a dream i invision reality as a small concrete box with a singular window sitting atop of the far right wall from the door. A mattress lies in the far corner. How pitiful even now i am in a creative cage as i am using puncuation.

what am i doing

At the moment it feels like im slaving my life away honestly. i am really investing everything into fumo404. all extra money goes there. it is a meme coin denomonitaewd in fumo with art. not a hard sell for me. crazy how 470$ fumo vs 1500$ fumo in less than a month. Its like we are falling up.



2025 06 28

Date: 28 June 2025

i am back

hotkeys in foam

Creating Notes: Cmd + Click (or F12): Create a new note from a [[wikilink]]. Cmd + Shift + P (Ctrl + Shift + P for Windows) and then execute "Foam: Create Note": Creates a new note with a Title Case Name. Alt + D (or remap to editor.action.revealDefinition): Open your daily note. Editing Notes: Alt + C: Change the state of a line to a TODO item. Cmd + B: Make the selected text bold. Cmd + I: Make the selected text italic. Alt + Shift + F: Format a table (place cursor in the table). Other Useful Shortcuts: Ctrl + N: Create a new blank page. Ctrl + O: Open a previously saved note. Ctrl + S: Save the current note. Ctrl + Shift + S: Save all open documents. Ctrl + W: Close a document. Ctrl + P: Open Print. Ctrl + Z: Undo. Ctrl + Y or Ctrl + Shift + Z: Redo. Ctrl + X or Shift + Del: Cut. Ctrl + C or Ctrl + Ins: Copy. Ctrl + V or Shift + Ins: Paste. Del: Delete selected text. Ctrl + A: Select All. F5 or Fn + F5: Insert the date and time. Ctrl + F: Open Find. Ctrl + H: Open Replace. Alt-spacebar, S, then arrow keys: Move or resize the Notepad window.

DN404 tool

i want to create a tool that will alert me so i can post when a new fumo404 is created or when one is burned, after which i can post the information to social media.



2024 11 24

Date: 24 November 2024

code for hyperspeed

import requests from bs4 import BeautifulSoup import logging import json from telegram import Bot import asyncio import time # Set up logging logging.basicConfig(level=logging.INFO, format='%(asctime)s - %(levelname)s - %(message)s') logger = logging.getLogger(__name__) # Telegram Bot setup BOT_TOKEN = "6789851954:AAFhh5WV_NbbINjnduOrtwJ16_8JQkbEwT8" CHAT_ID = "-4551064532" TRACK_FILE = "sent_articles.json" WAIT_TIME = 24 * 60 * 60 # Default: 24 hours MESSAGE_DELAY = 5 # Delay between messages in seconds def escape_markdown(text): """Escape special characters for Telegram Markdown.""" escape_chars = r'_*[]()~`>#+-=|{}.!' return ''.join(f'\\{char}' if char in escape_chars else char for char in text) def load_sent_articles(): """Load sent articles from the tracking file.""" try: with open(TRACK_FILE, "r") as file: return json.load(file) except (FileNotFoundError, json.JSONDecodeError): return {} def save_sent_articles(sent_articles): """Save sent articles to the tracking file.""" with open(TRACK_FILE, "w") as file: json.dump(sent_articles, file, indent=2) async def send_telegram_message(bot, message, retries=3): """Send a message to Telegram with retry logic.""" for attempt in range(retries): try: await bot.send_message( chat_id=CHAT_ID, text=message, parse_mode="MarkdownV2", # Changed to MarkdownV2 for better compatibility disable_web_page_preview=True ) logger.info("Successfully sent message to Telegram.") return True except Exception as e: logger.error(f"Attempt {attempt + 1}/{retries} failed: {e}") if attempt < retries - 1: await asyncio.sleep(2) # Wait before retrying continue return False def scrape_latest_articles(url): """Scrape the latest articles from the given URL.""" try: logger.info(f"Fetching URL: {url}") response = requests.get(url) response.raise_for_status() logger.info("Successfully fetched the webpage.") soup = BeautifulSoup(response.text, 'html.parser') logger.info("Successfully parsed the webpage content.") topic_rows = soup.find_all('tr', class_='topic-list-item') logger.info(f"Found {len(topic_rows)} topic rows.") articles = [] base_url = url.split('/latest')[0] for row in topic_rows: title_element = row.find(class_='link-top-line') if title_element: title = title_element.text.strip() link_element = title_element.find('a') link = link_element['href'] if link_element else "No link found" full_link = f"{base_url}{link}" if link.startswith('/') else link articles.append({"title": title, "link": full_link}) logger.info(f"Found title: {title}, Link: {full_link}") return articles except requests.exceptions.RequestException as e: logger.error(f"Error fetching URL: {e}") return [] async def scrape_and_notify(bot, websites): """Scrape articles from multiple websites and send new ones via Telegram.""" sent_articles = load_sent_articles() for site in websites: logger.info(f"Scraping site: {site}") articles = scrape_latest_articles(site) if site not in sent_articles: sent_articles[site] = [] new_articles = [a for a in articles if a["link"] not in sent_articles[site]] logger.info(f"Found {len(new_articles)} new articles for {site}.") for article in new_articles: safe_title = escape_markdown(article["title"]) main_name = site.split("//")[1].split(".")[0].capitalize() message = ( f"📢 *New {main_name} Proposal*\n\n" f"*Title:* {safe_title}\n" f"[Read More]({article['link']})" ) success = await send_telegram_message(bot, message) if success: sent_articles[site].append(article["link"]) save_sent_articles(sent_articles) # Save after each successful send await asyncio.sleep(MESSAGE_DELAY) else: logger.error(f"Failed to send article: {safe_title}") logger.info(f"Processed {len(new_articles)} articles for {site}.") async def main(): """Main function to repeatedly scrape and notify.""" websites = [ "https://gov.ethenafoundation.com/latest", "https://forum.arbitrum.foundation/latest", "https://gov.uniswap.org/latest", "https://governance.aave.com/latest", "https://forum.avax.network/latest", "https://www.comp.xyz/latest", "https://gov.curve.fi/latest" ] while True: try: bot = Bot(token=BOT_TOKEN) logger.info("Starting scrape-and-notify cycle...") await scrape_and_notify(bot, websites) logger.info(f"Waiting {WAIT_TIME} seconds before the next cycle...") await asyncio.sleep(WAIT_TIME) except Exception as e: logger.error(f"Main loop error: {e}") await asyncio.sleep(60) # Wait a minute before retrying if there's an error if __name__ == "__main__": asyncio.run(main())

i just wanna rock

THIS FUCKING WORKING GREAT FOR 90% of gov forums !/1?!?!!?!?!?!??!!?!?!?!?!?!?!?!?!?!?!?!??!?!?!?!?!?!?!!?!?!?!?!?!?!?!?!??!?!?!?!?!?!!?!?!?!?!?!?!?!?!?!?!?!?!?!?!?!?!?!??!



2024 08 20 copy

Date: 20 August 2024

What is Hyperspeed

Project Hyperspeed is a web scraper primarily for governance proposals. It filters for names (e.g., Wintermute and other top trading firms like Paradigm) and content traction.


Why Does It Even Matter?

The whole idea of protocols controlled by everyone fascinates me. It is the inclusivity that fascinates me. Most know about my fascination with ERC404. I love the fungibility, the accessibility. I digress. Governance democratized to this standard is extremely slow. This provides several weeks for investors to bet on the outcomes of currencies based on proposed protocol improvement proposals.

governance tokens: Decision-making process

How Long Does This Process Normally Take?


It depends. All governance protocols are different, but it takes at least 2 weeks for a proposal to gain any traction. Speed is important to prohibit frontrunners like us, but at the same time, there is a give and take by allowing all users participating in governance to vote. A historically massive problem with these governance structures is the lack of participation by the users. So adequate time is needed to allow the few users who do care the time to vote. This code will send alerts through Telegram to ensure rapid notice by the user.

As always, this code will be made free on my website for you to use as well.

  1. Ethena
  2. Arbitrum
  3. Uniswap
  4. MakerDAO
  5. Aave
  6. Avax
  7. Compound
  8. Curve

Sources



project Chartres

Date: 24 April 2024

overwhelming …. i found this https://github.com/Elenchev/order-book-heatmap/tree/main maybe i can bust it fown to rebuild

deep blue ocean

i waisted months on this project. not saying the easiest route odd the best but i definitely should have tried the easier route first. my idea was too created my own from scratch. 500 code pilot promots i cashed for an open source boy that works great. all i need now is to create a feed watcher for wallets or sites that don’t use rss.

major lesson

get that shit working ASAP AS FAST AS POSIBBLE

WEB3Tv

yo yo yo , man this feels good, a few more rss feeds and we are in there like swimwear. naw but really.

topics gor episode one

hyperliquid L1 - fist blockchain made for perp trading? its built with tendermint On the arbitrum L2. Created in 2014, Tendermint is a blockchain protocol used to replicate and launch blockchain applications across machines in a secure and consistent manner. It is the brainchild of blockchain software architect Jae Kwon and internet biophysicist Ethan Buchman.

why is hyperliquid special?

it includes a lot of new assets. it will have a layer -1 with all fees paid in the hyperliquid token funding rates are the lowest in the industry (shouts out to rage trade perp comparasion) interesting order types like twap or scale.

bullish on $purr but till when. what meme coin isnt named purr ???

$merl

two words

btc L2 Alt text

lets cut to brass tax shall we Merlin Chain is a native Bitcoin Layer2 that is committed to empowering Bitcoin’s native assets, protocols, and products on Layer1 through its Layer2 network to Make Bitcoin Fun Again. Merlin Chain integrates the ZK-Rollup network, decentralized oracle network, and on-chain BTC fraud-proof modules. Merlin Chain has locked over 3.5 billion TVL within 30 days after its mainnet launch. The team behind Merlin, Bitmap Tech, is a premier OG team boasting an overall market cap exceeding $500 million. The BRC-420 “Blue Box” collection under Bitmap Tech has become one of the hottest assets on Ordinals.

other

possible airdrops from the cross cain narative Nexus Bridge (Hyperlane) for bridging assets like Injective and Ethereum, LiquidSwap & Lumio (Pontem) using LayerZero Tech for bridging to networks like Aptos, and deBridge for most EVM chains and Solana. XSwap, powered by Chainlink’s CCIP, offers swaps across EVM chains with a point system for users. Squid Router covers nearly all EVM chains, and Bungee Exchange utilizes Socket Protocol for cross-chain messaging. Focus on focusing on transaction count, frequency, and volume to maximize potential airdrop benefits

Founders And CEO Of Cryptocurrency Mixing Service Samoourai Arrested And Charged With Money Laundering And Unlicensed Money Transmitting Offenses of over 2 billion dollars

sources

https://learn.bybit.com/blockchain/tendermint/

🙄 https://medium.com/@venturevisionary/hyperliquid-research-report-1c50f2c33dce

https://medium.com/@merlinchaincrypto



project Chartres

Date: 15 April 2024

orderbook heatmap on telegram .

alt text

deep blue sea

i have found opensource code. my style is doing it from scratch, but itd good to know i have a back up plan. my bot should be up and working by tommoeow. id be able to test faster if i post on my own rssfeed . p

after this is up ill pipe in wallets with rss3 finish project chartes and begin web3 tv with content from my telegram.

this can only go well :)



gm rss links for my project

Date: 6 April 2024

https://www.eia.gov/about/new/WNtest3.php

https://www.opec.org/opec_web/en/pressreleases.rsshttps:// www.opec.org/opec_web/en/basket.rss

https://www.opec.org/opec_web/en/pressreleases.rss

had am issue with the international energy agency

https://www.worldoil.com/rss?feed=news

https://www.govinfo.gov/rss/gaoreports.xml

https://www.govinfo.gov/rss/bills-enr.xmly

https://www.govinfo.gov/rss/erp.xml

https://ofac.treasury.gov/media/3231/download?inline

https://blogs.worldbank.org/impactevaluations/rss-fulltext.xml

https://www.nato.int/cps/rss/en/natohq/rssFeed.xsl/rssFeed.xml

http://feeds.finra.org/news-and-events/feed

https://www.cisecurity.org/feed/alert

https://www.cisecurity.org/feed/blog

https://www.federalreserve.gov/feeds/press_all.xml

https://www.treasurydirect.gov/TA_WS/securities/announced/rss

https://www.treasurydirect.gov/TA_WS/securities/auctioned/rss

https://www.sec.gov/rss/news/press.xml

wow that’s a lot of links.

gonna track wallets with this

https://docs.rss3.io/docs/welcome

wallets

TBC

summary

i am running into an issue with parsing the data from the rss feeds. my plan is to add as much logging as i can to figure out the issue. its posible that some modules are running on old versions. the code is correct according to gpt. possible youvhist cant get history directly from the feed



method of notifying a telegram bot of new event

Date: 6 April 2024

eia - rss feed will make this easy opec + -has an rss

they all had rss lolol

Alt text

first test code

import feedparser
from telegram import InlineKeyboardButton, InlineKeyboardMarkup
from telegram.ext import Updater, CommandHandler, CallbackQueryHandler, JobQueue

# Define your Telegram Bot token
TOKEN = 'your_telegram_bot_token'

# Define the sources you want to track
rss_feeds = {
    'Site 1': 'https://example.com/feed',
    'Site 2': 'https://example2.com/feed'
}

# Function to fetch and send updates from RSS feeds
def send_updates(context):
    for source, feed_url in rss_feeds.items():
        feed = feedparser.parse(feed_url)
        if not feed.entries:
            continue
        latest_entry = feed.entries[0]
        message = f"<b>{source}</b>\n\n{latest_entry.title}\n\nRead more: {latest_entry.link}"
        context.bot.send_message(chat_id=context.job.context, text=message, parse_mode='HTML')

# Command handler to start the bot
def start(update, context):
    update.message.reply_text("Bot is running!")

# Command handler to manually check for updates
def check(update, context):
    send_updates(context)

# Command handler to view past RSS posts
def past_posts(update, context):
    # Fetch and send past posts from RSS feeds
    for source, feed_url in rss_feeds.items():
        feed = feedparser.parse(feed_url)
        if not feed.entries:
            continue
        message = f"<b>{source} Past Posts:</b>\n\n"
        for entry in feed.entries:
            message += f"{entry.title}\nRead more: {entry.link}\n\n"
        context.bot.send_message(chat_id=update.effective_chat.id, text=message, parse_mode='HTML')

# Initialize the bot and updater
updater = Updater(token=TOKEN, use_context=True)
dispatcher = updater.dispatcher
job_queue = updater.job_queue

# Register command handlers
dispatcher.add_handler(CommandHandler("start", start))
dispatcher.add_handler(CommandHandler("check", check))
dispatcher.add_handler(CommandHandler("pastposts", past_posts))

# Schedule periodic updates
job_queue.run_repeating(send_updates, interval= 3600, first=0, context=CHAT_ID)

# Start the bot
updater.start_polling()
updater.idle()
•	python-telegram-bot version 13.7
•	feedparser version 6.0.8

what shall the name be ?

Hanno

an ancient Carthaginian explorer who lived around the 5th century BCE. He is known for his famous voyage along the western coast of Africa, possibly reaching as far as modern-day Sierra Leone. As a navigator and explorer,

route

his route may not be correct as to not give the location to other traders.

legend



notes

Date: 6 April 2024

world Bank

April 2, 2024 – The cost of damage to critical infrastructure in Gaza is estimated at around $18.5 billion

That is equivalent to 97% of the combined GDP of the West Bank and Gaza in 2022.

Housing accounts for 72% of the costs. Public service infrastructure such as water, health and education account for 19%, and damages to commercial and industrial buildings account for 9%. 84% of health facilities damaged or destroyed, 92% of primary roads destroyed.



bittensor $TAO

Date: 7 March 2024

the first thing that stuck out to me when i first read the abut page i how bittensor has The ability to write a multiplicity of Bittensor incentive systems ( i think this means different ways to pay gas fees) and have them concurrently run within a single token ecosystem. to me that seems modular. i still don’t understand how this is an AI coin. let me go ahead and send this from the page Bittensor gives you all of it: an AI team, a storage team, a compute team, and anything else that can be dreamed of - all under a single token framework, turning TAO holders into effective Decentralized Cloud Providers, backed by an incentivized, adapting and ever-improving infrastructure. TAO is the bridge between clients and this mega-computer, plus the resources that are being created, through various subnetwork mechanisms, in Bittensor. This is the main functionality of TAO. Functionality, which hitherto was only within the reach of immense supercorps like OpenAI, is now accessible - in one non-permissioned place.

my first thought?

BD THIS!!! haha but enough buzz words for me to ape on 2x  schematic of the bittensor network.

CHECK THE CHAIN

The Blockchain layer is a layer-0 blockchain based on Polkadot Substrate man…. i am disinterested. not really i just know a lot of smart people hold dot. at the time i am forgettably i overlook it. possible a lack of decentralization in my eyes but i changed in the recent times. call me lazy, but im max bidding this. hoping i can play this super aggressive. i dont need to know how the ps5 works to play it…. run it.

continuing?

reading this future of mev article. i didn’t learn anything so i won’t even link

okay i need to work on something



Code of Hammurabi

Date: 6 March 2024

was doing unrelated research into the DCF i saw something weird about 25 million in political risk insurance. to a superhuman fund. i wondered… what is political insurance??? its free money for FAILED STATES. .. Sorry for that caps i have a weird keyboard. moving on i qm trying to get a little idea of what btc s doing so i am going to aggregate some notes here..

#eia

I would like to start with the march [STEO] (https://www.eia.gov/todayinenergy/detail.php?id=61643) ( short term energy outlook ) check this cool picture from a march report hmm

when i see this my initial thought is that since production and consumption are so close, we could see lot of delta.

aggregation plan

learning google sheets is a lot. lets try markdown and utilize tags.

cp = crypto protocall



notes

Date: 11 December 2023

Binance has entered into an agreement to sell the entirety of its Russia business to CommEX. The off-boarding process will take up to one year. Alternatively, users may choose to withdraw their Russian Rubles via Binance’s fiat partners before 2024-01-31 00:00 (UTC), convert Russian Rubles into crypto on Binance Convert, or trade Russian Rubles for crypto on the Binance Spot market. starting from 2024-01-31 00:00 (UTC).

IRS DEMANDS 24 BILLION from ftx in missed taxes

Ftx lawyers at — respond with “ what you are asking for is over 50x what ftx made and 100x a reasonable taxable amount .

FTX, a company that had a valuation of $32 billion just a year ago hmm. I would be shocked if they managed to rack up 75% of the total valuation on taxes in the 3 years the exchange was operating .

fidelty blackrock submit the plumbing from the btc eth

this just shows you how early we are

tether announces it will freeze tether located in wallets sanctioned by us or other gov authorities.

///////////

google alerts are pretty cool.

topics

sec etf btc

sources

Obscure Government Crypto News Sources: Financial Crimes Enforcement Network (FinCEN):

News & Releases: https://www.fincen.gov/news-room/news Suspicious Activity Reports (SARs): https://www.fincen.gov/reports/sar-stats Government Accountability Office (GAO):

Website: https://www.gao.gov/ Search for “digital assets” or “blockchain technology” in reports and publications. Office of the Comptroller of the Currency (OCC):

Website: https://www.occ.treas.gov/ Interpretive Letters & Policy Statements: https://www.occ.treas.gov/ Federal Trade Commission (FTC):

Website: https://consumer.ftc.gov/ Enforcement Actions & Consumer Alerts: https://consumer.ftc.gov/ National Institute of Standards and Technology (NIST):

Website: https://www.nist.gov/ Blockchain Cybersecurity Framework: https://www.nist.gov/blockchain Bonus International Sources (Examples):

Monetary Authority of Singapore (MAS): https://www.mas.gov.sg/ Financial Services Agency (FSA) of Japan: https://www.fsa.go.jp/en/

  • link to links article -


project deep blue sea

Date: 19 November 2023

project deep blue sea is an ambitious project envisioned by me . I am dedicated to knowledge aggregation and obfuscation.

Plan

take google alerts and put that into an application. creating a news aggro app with notification ability. i just have to decide if the email is fine or if an application is worth it. I also wonder if i could find any opensource code.



not my best day

Date: 19 November 2023

sometimes i get the feeling i am putting too much online. Well that doesnt matter anyhow. Today i was lazy all day. this whole weekend was kind of a shame for me. I only say that because i wanted to grab a suit or at the very least get my measurements for one. I started on friday so well by getting all my chores done. Saturday I invited my friend over. sadly i think this was my mistake. all we did was play video games all day. yea it was fun yea it was nostalgic, but i wont have any memories of the games 1 year from now. It all feels so worthless. Sunday I woke up and i had no idea what to do. I could have gone to do anything. The only thing i ended up doing was grabbing weed. what the hell man. I threw 400 in htx and lost it all in 1 hour. that one really hurt. I wasnt patient. traded in the middle of the zone. went all in on 20x, went to the dispo with the trade so close to my entry. long story short this weekend feels like i could have done better but that being sad i am happy. Happy everything is okay. Happy that even though I feel alone i am finally comfortable with myself. I just see the path forward. I am not going to wait for one day, I am going to grind today. to begin this week I would like to start with a plan.

day plan
monday gather list of needs
Tuesday linea network builder guide
Wednesday finish link article
thursday gather list of reading material/ read for 2 hours +
friday suit
saturday grab needs
sunday think

thank you God please let me hear you.

PRAYER

God grant me serenity, Help me accept the things I cannot change. The courage to change the things I can, And the wisdom to know the difference. Living one day at a time. Enjoying one moment at a time. Accepting hardship as a pathway to peace. Taking, this sinful world as it is, Not as I would have it. Trusting that You will make all things right, If I surrender to Your will; So that I may be reasonably happy in this life, And supremely happy with You forever in the next.

Amen



2023 11 17

Date: 17 November 2023

wow what a crazy week. i atarted on sunday with $35 and somehow turned it into 1200. i was able to take that money a buy a fumo. i had always wanted one. now time to decide if i redeem. lately all my projects have been feeling overwhelming. Att that point i just start something new. i need to stop doing this. I am not really a master of anyrthing right now.. ahhh oh well. i trust the plan. i think the best things i can do right now is create an article for the blank exocore and then work on linea network airdrop guide.

Alt text

what else is going on??????? ehhh im tired i got beer cocaine and chicken. 3d firearm coming soon. hopefully podcast back soon.. i really enjoy sitting down and working on this i just need to be focused.



wow time flies

Date: 15 November 2023

another wednesday. i cant believe next week is thanksgiving, its all happening so fast. I extended my lease another 6 months. ahhhh its all so depressing. I always look back and wonder why i couldnt do more. why more motion isnt happening. i konw that god has a plan and i trust his plan for me. I am trying something different. So i have been thinking about how necessary it is to create a personalized news station. I cant keep up with all the things i care about. From CBO to btc news, I am having a hard time to keep up with everything. The solution is a personalized app that can control media intake. what would some important sources be

—twitter, cme, CBO , open secreats, whale wathcer, a good news source




2023 11 11

Date: 11 November 2023

oh it was quite the day for me. I have the collector bug. when i see something i want i need it i have to have it i cant wait. you understand its all about me in that moment. this time it was Chungwha Alt text

I have looked everywhere in my area and i could not find them. Apparently its illegal big tobacco in america does not want to compete with china. They have 4-5 fake chinese websites run by real asians waiting to get that sweet $usd. FUCK THAT. I found you can have them shipped to you through various companies in the airport. Eventually i found the Dufry store was selling them by the carton. Alt text

I was able to get an airport pas to get into the terminals. I had to straight up go through TSA and ge my balls rubbed up on by some perv. Im sure no many people go to the airport for cigarettes so i thought maybe they had me on a list. lol (i have a wild search history) I finally make it to thought all the bullshit shit to be told at the counter they needed to see my boarding pass. I almost roped right there. I thought i would be able to find someone to buy me them but i guess evading taxlaws within a crowd of uniforms is pretty sketch.

Okay so here is the low point Alt text i actually got to the point i decided i could just trick the dumb asian lady behind the dufry. I mean she could barely speak english there is now way she would know whats up……. but then i bitched up. maybe because i saw from a quick search they scan your boarding pass so my bullshit screenshot was more than a joke . maybe illegal, I don’t even smoke cigarettes. I decided fuck it ill buy a flight to canada one way grab the boarding pass and boom i could practaclly hear the cracked cellophane. I saw the ticket was $500 pretty steep. I look at flights to mexico and i was saving 200$ no shit. the distance to mexico is way farther. Anyway i call the airline and tell them i just grabbed a ticket for a plane leaving it 12 hours (that felt cool) after an annoying 20 min i find out that i cant get a boarding pass without my passport. so i wasted 3-4 hours at the airport today. It could have been worse. could have been better but at the end of the day it happened.

what i got done

the base exocore is complete and ready to be forked. I am sure there are some things i could do like add less ME photos on there but this is way better than the base remilia exocore.

i created the web3 tv website along with the imagery i was able able to create a rss scraper that will auto update my website one time a day if there is a new episode

ive noticed my logging functions are not really working which coild be helpful as rigt now my bot doesnt pick up on the rss feed url. i feel there may not be an i age in the rss feed and thats why only spotify has photos. ill spend 2-3 hors on this. becase my website is just for web3 tv i need to remove 90% of webnpages or at least reporpuse. i will ponder this.



2023 11 03

Date: 28 October 2023

“blueprint”

well i am getting this voice in my head. Its saying I could be doing more . Its saying to start web 3 tv again. I know if i do this i want to do it right, but what does that even mean, what do i want to be complete..

    1. multiple audio tests of perfect audio 2. have a website that is auto updating 3. have a program to aggregate the daily news or what ever info i need, 4. ref links in order and a clear way to make money from this. 5. a personal website with a broad range of content not pertaining to web3 but sticking to the base ideals
follow up

1 done 2 will learn while completing remilio telegram bot functions 3 revert to number 2 4 in every description i will include a link to the index of my pod. links in order yayo, GMX, HTX, CASH APP, COINBASE

ideaa of creating a workflow

    1. the information is piped in to vs code in an easily readable format based on daily news and information from _cme coinalyze gmx opensea_ 2. add a chatbot to help generate daily descriptions. 3. automate the posting or at least make it easier than was before.


2023-10-28

Date: 28 October 2023

I woke up this morning and was shocked when i realized it was halloween weekend. WHOAH. well i guess another holiday missed from grinding but thats okay. I am so close i can feel it. Anyway when i woke up I went on a short run. It was freezing! around 38 degrees to be exact but i got a mile in. When I got back home my lungs hurt so bad. I was able to get so much done today. Untill… i started working on my exocore and realized I wanted to make a telegram bot. this was no easy task. I dont even know python frfr. Today after 12pm waw me copy and pasting code and subsequent error messages. I think tomorrow will be a little more productive. I hope so.

okay so the telegram bot.

when I first asked chatgpt how to do it, it seamed so simple. just 3 lines of code. in fact in the beginiong it seemed to work. Who knows what or where everything was lost but eventually i got to a point where the bot the ai was giving me didnt even serve the same purpouse. i had to completly delete everything and resinstall it. I was begining to get frustrated when i found out that chat gpt was using code from an old telegram bot version. 12.8.0 to be exact. I was able to download the correct version but i still have not had luck with the dam thing sending a message ,oh well i think tomorrow will be the day i get it done. these learning curves are exponential. Maybe if its under 100$ a month i can do a bmilly sales bot. I am excited to see.

——END of DAILY ————END of DAILY ————END of DAILY ————END of DAILY ——

Alt-H1 Editing my exocore .

INDEX

    i know i want to add radbros flying around. when i was scrolling through the index page it did not feel smooth. ie mis capitalizations exclamation ect. I feel like some words should stand out per say maybe have a bracket around some stuff we will see

Alt text



2023 10 24

Date: 24 October 2023

https://youtu.be/lBNyJXYDGLA?si=dV4f7LcgB4cPwV94

today i worked a lot. I bought a few more remilios. I think about my exocore all the time because I am so messy. So often I get 100% focused on a topic to drop it later. the youtube video above is really awesome because it shows how to use foam. That is 3/4 the battle frfr. option D are the buttons that took me here. I don’t know if i really need to say anything else. I was tweaking today. I learned that the waybackmachine.org works for twitter so i have been getting some free gold. The key to be a niche internet celeb is copy the bigger ones. I tried being me forever and it didn’t work. Thinking a food blog may be fun. life is fun. I am excited to do all this over again tomorrow. I miss doing my podcast. maybe i will go back to it, I just needed to figure myself out. maybe i am sad i am not rich. but i am not sad at all. something is missing. probably a wife.



2023 10 21

Date: 19 October 2023

TEST TEST TEST TEST TEST

today i am trying to figure out exactly how to use FOAM and my note taking . for now i will just dump any info i am working on today .

-3d print outline

-begin with capabilities of design polymers

-describe different models ( show pictures )

-describe where/ how they are being use today

-future

——END OF OUTLINE———–END OF OUTLINE———–END OF OUTLINE———–END OF OUTLINE———–END OF OUTLINE———–END OF OUTLINE———–END OF OUTLINE—–

———–sources and general info ———————–sources and general info ————

The atf has produced a very useful recourse for U.S citizens wanting to learn about the legality of 3d printed firearms.

the first 3d printed firearms hit the general public in the early 2000s as new possibilities were now possible from desktop 3d printers and cad files. affordability and a can do engenering spirit eventually led to the “liberator” a single shot .45 acp pistol as pictured below. liberator that same year a company called SOLID CONCEPTS created a replica of a colt 1911 using a direct metal laser sintering printing process.

https://www.youtube.com/watch?v=auAqg-FiHv4 - video about orca a 3d printed rifle.