- Crypto Club 23
- Posts
- 📊BTC at $112K, ETH Steady, Solana Flexing – What’s Next?
📊BTC at $112K, ETH Steady, Solana Flexing – What’s Next?
The Gold standard for AI news
AI keeps coming up at work, but you still don't get it?
That's exactly why 1M+ professionals working at Google, Meta, and OpenAI read Superhuman AI daily.
Here's what you get:
Daily AI news that matters for your career - Filtered from 1000s of sources so you know what affects your industry.
Step-by-step tutorials you can use immediately - Real prompts and workflows that solve actual business problems.
New AI tools tested and reviewed - We try everything to deliver tools that drive real results.
All in just 3 minutes a day
Fam, the charts are buzzing, whales are shaking the waters, and new tokens are fighting their way into the spotlight. Here’s the full picture—because this isn’t just about numbers, it’s about strategy, timing, and power shifts.
💰 Bitcoin & Ethereum – The Cornerstones
Bitcoin is holding firm above $112K, with institutions like MicroStrategy scooping more. Ethereum is consolidating around $4K–$4.3K, but let’s not forget: five years ago, $1K in ETH would now be worth $11K+.
👉 Lesson: BTC is digital gold. ETH is proof that patience pays.
📊 Nasdaq Wants Tokenized Stocks
Nasdaq is pushing for tokenized stocks to be listed under SEC rules. Imagine owning tokenized Apple or Tesla shares directly on-chain.
👉 Lesson: TradFi is slowly crossing the blockchain bridge.
👁 Worldcoin in Corporate Vaults
Sam Altman’s Worldcoin (WLD) is now being adopted as a treasury reserve asset by companies. From eyeball scans to balance sheets, this is a major narrative shift.
👉 Lesson: Narratives flip fast in crypto.
⚡ Solana vs Ethereum – Revenue Race
Solana has raked in $1.25B YTD, more than double Ethereum’s revenue. Meme coins, DeFi, and gaming are choosing speed and low fees.
👉 Lesson: Efficiency is Solana’s weapon.
🐋 Whales Wake Up
A dormant whale wallet just moved 47,507 ETH (~$200M) after four years. Moves like this rarely mean nothing.
👉 Lesson: Whale activity often signals volatility ahead.
🏦 MicroStrategy Buys Again
Michael Saylor is at it again—1,955 BTC added for $217M. His company is now practically a Bitcoin ETF in disguise.
👉 Lesson: Institutions are not testing—they’re doubling down.
📈 Fed Whispers Move Markets
Just the rumor of U.S. interest rate cuts has pumped XRP, DOGE, and BTC. Once again, macroeconomics flexes its grip.
👉 Lesson: Crypto may be decentralized, but liquidity is global.
🌟 Top Cryptos to Watch – September 2025
Not all the action is in the old giants. Some fresh contenders and innovative plays are catching fire this month:
🔹 1. Rollblock (RBLK) – The Rising Underdog
20× potential, merging Web3, iGaming, and DeFi. Presale already raised $11.5M with 83% sold.
🔹 2. Remittix (RTX) – PayFi with Real Utility
Raised $24.5M and prepping listings on major exchanges. Its wallet bridges 40+ cryptos & 30+ fiats with real-time FX conversion.
🔹 3. Little Pepe (LILPEPE) – Meme Coin Glow-Up
Raised $23M+, tokens nearly sold out. Meme + Layer-2 tech + CertiK audit = more than hype.
🔹 4. XRP, Arbitrum, Pudgy Penguins – Old Meets New
XRP: Remittance giant + ETF buzz.
Arbitrum (ARB): Ethereum Layer-2 leader with real demand.
Pudgy Penguins (PENGU): From NFTs to mobile gaming.
🔒 Blue Chips Still Rule the Base
While new tokens are sexy, proven giants remain your safety net:
BTC, ETH, SOL, XRP, BNB, LINK, ADA, AVAX, DOT, DOGE, SHIB.
And don’t ignore niche climbers like Chainlink (LINK)—partnering with Mastercard & SBI to bring real-world data on-chain.
🔮 Summary Table
Category | Tokens | Why Watch |
---|---|---|
High-Upside Presales | RBLK, RTX, LILPEPE | Fresh projects with momentum |
Hybrid & Creative | PENGU (NFT → gaming), ARB (Layer-2) | Innovation & adoption |
Core Picks | BTC, ETH, SOL, XRP, BNB, LINK, ADA, etc. | Stability + infrastructure |
🔥 Final Word:
This week shows us the mix of old and new: Bitcoin holding the crown, Ethereum rewarding patience, Solana flexing speed, Worldcoin rewriting its story, whales stirring the waters, and presales like Rollblock and Remittix drawing attention. The crypto game is evolving fast—miss it, and you’ll be watching from the sidelines.
🪙 Explainer Section: Beginner’s Tutorial: Using AI for Real-Time Trading Signals
Step 1. Understand what a “signal” is
A trading signal is just a hint from your model or script: “now is a good time to buy/sell/hold.”
It doesn’t guarantee profit—it’s like weather forecasting. AI helps because it can spot patterns humans miss.
Step 2. What you need
✅ A computer with Python installed (download from python.org)
✅ A free exchange account (e.g., Binance Testnet) so you can paper-trade without risking money
✅ A free Python library: ccxt (to get crypto prices)
✅ A basic AI library: scikit-learn (for machine learning)
Install them by opening your terminal and typing:
pip install ccxt scikit-learn pandas
Step 3. Get live prices (no coding degree required)
Here’s a short script:
import ccxt
# Connect to Binance
exchange = ccxt.binance()
# Get latest Bitcoin price
ticker = exchange.fetch_ticker('BTC/USDT')
print("Bitcoin price:", ticker['last'])
👉 Run this, and you’ll see the live BTC price.
Step 4. Teach a mini-AI model
We’ll train a very simple AI: it looks at yesterday’s price change and guesses if today will go up (1) or down (0).
import pandas as pd
from sklearn.linear_model import LogisticRegression
# Get past 100 candles (1h timeframe)
ohlcv = exchange.fetch_ohlcv('BTC/USDT', timeframe='1h', limit=100)
df = pd.DataFrame(ohlcv, columns=['time','open','high','low','close','volume'])
# Create features: percent change
df['return'] = df['close'].pct_change()
df['target'] = (df['return'].shift(-1) > 0).astype(int) # 1 if next candle up
# Train simple model
X = df[['return']].fillna(0).values
y = df['target'].fillna(0).values
model = LogisticRegression().fit(X[:-1], y[:-1])
Step 5. Make a real-time prediction
Now feed today’s return into the model:
latest_return = df['return'].iloc[-1]
signal = model.predict([[latest_return]])[0]
if signal == 1:
print("🤖 AI says: Price likely UP → Consider BUY signal")
else:
print("🤖 AI says: Price likely DOWN → Consider SELL signal")
Step 6. (Optional) Send a test trade to Binance Testnet
You can connect to Binance Testnet and let the script send “fake trades.”
👉 This way you practice without risking money.
Step 7. Keep it simple & safe
Start with paper trading only.
Use AI as advice, not gospel.
Always set stop-losses if you ever go live.
Remember: markets change; retrain your model often.
⚡ Big idea: You don’t need to be a programmer to try AI signals. With free tools, you can see how AI “thinks” about price moves—and slowly build toward more advanced systems.