Mayur-cinderace commited on
Commit
2fc949d
·
0 Parent(s):
Files changed (10) hide show
  1. eda1.py +159 -0
  2. gnews.py +43 -0
  3. gnews_data.csv +17 -0
  4. news.py +41 -0
  5. news_articles.csv +169 -0
  6. red.py +31 -0
  7. reddit_data.csv +214 -0
  8. requirements.txt +7 -0
  9. stock_prices.csv +0 -0
  10. yfin.py +5 -0
eda1.py ADDED
@@ -0,0 +1,159 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import pandas as pd
2
+ import numpy as np
3
+ import matplotlib.pyplot as plt
4
+ import seaborn as sns
5
+ from vaderSentiment.vaderSentiment import SentimentIntensityAnalyzer
6
+ from wordcloud import WordCloud
7
+ import warnings
8
+ warnings.filterwarnings('ignore')
9
+
10
+ plt.style.use('seaborn-v0_8-darkgrid')
11
+ sns.set_palette("husl")
12
+
13
+ print("Investor Sentiment Aware Market Monitoring - EDA Started!")
14
+
15
+ df_raw = pd.read_csv('stock_prices.csv', skiprows=1, header=0, na_values=[''])
16
+ df_raw = df_raw.rename(columns={df_raw.columns[0]: 'Date'})
17
+ first_row = pd.read_csv('stock_prices.csv', nrows=1, header=None).iloc[0]
18
+ metric_names = first_row[1:].tolist()
19
+ metric_cols = df_raw.columns[1:].tolist()
20
+ rename_dict = {col: metric for col, metric in zip(metric_cols, metric_names)}
21
+ df_raw = df_raw.rename(columns=rename_dict)
22
+ id_vars = ['Date']
23
+ value_vars = df_raw.columns[1:].tolist()
24
+ df_long = pd.melt(df_raw, id_vars=id_vars, value_vars=value_vars, var_name='Metric', value_name='Value')
25
+ ticker_cycle = ['AAPL', 'GOOGL', 'TSLA'] * 5
26
+ df_long['Ticker'] = np.tile(ticker_cycle, len(df_raw))
27
+ df_prices = df_long.pivot_table(index=['Date', 'Ticker'], columns='Metric', values='Value', aggfunc='first').reset_index()
28
+ df_prices['Date'] = pd.to_datetime(df_prices['Date'], format='%d-%m-%y')
29
+ numeric_cols = ['Close', 'High', 'Low', 'Open', 'Volume']
30
+ df_prices[numeric_cols] = df_prices[numeric_cols].astype(float)
31
+ print("Cleaned stock data shape:", df_prices.shape)
32
+ print("Unique tickers:", sorted(df_prices['Ticker'].unique()))
33
+ print("Date range:", df_prices['Date'].min().date(), "→", df_prices['Date'].max().date())
34
+
35
+ df_prices['Return'] = df_prices.groupby('Ticker')['Close'].pct_change()
36
+ summary = df_prices.groupby('Ticker').agg(
37
+ Start_Price=('Close', 'first'),
38
+ End_Price=('Close', 'last'),
39
+ Total_Return=('Return', lambda x: (1 + x).prod() - 1),
40
+ Avg_Daily_Return=('Return', 'mean'),
41
+ Volatility=('Return', 'std'),
42
+ Max_Drawdown=('Close', lambda x: (x.cummax() - x).max() / x.cummax().max()),
43
+ Avg_Volume=('Volume', 'mean')
44
+ ).round(4)
45
+ summary['Total_Return'] *= 100
46
+ summary['Avg_Daily_Return'] *= 100
47
+ summary['Volatility'] *= 100
48
+ summary['Max_Drawdown'] *= 100
49
+ summary['Avg_Volume'] /= 1e6
50
+ print("\nPERFORMANCE SUMMARY")
51
+ print(summary)
52
+ df_prices['Ann_Vol'] = df_prices.groupby('Ticker')['Return'].transform(lambda x: x.rolling(30).std().iloc[-1] * np.sqrt(252) * 100)
53
+ corr_matrix = df_prices.pivot_table(values='Return', index='Date', columns='Ticker').corr()
54
+ print("\nRETURN CORRELATIONS")
55
+ print(corr_matrix.round(3))
56
+
57
+ df_reddit = pd.read_csv('reddit_data.csv')
58
+ df_news = pd.read_csv('news_articles.csv')
59
+ df_gnews = pd.read_csv('gnews_data.csv')
60
+ for df, src in [(df_reddit, 'reddit'), (df_news, 'news'), (df_gnews, 'gnews')]:
61
+ df.rename(columns={'content': 'text'}, inplace=True)
62
+ df['source'] = src
63
+ df = df[['text', 'publishedAt', 'source']]
64
+ df_text = pd.concat([df_reddit, df_news, df_gnews], ignore_index=True)
65
+ df_text['text'] = df_text['text'].astype(str).str.lower().str.replace(r'http\S+|www\S+', '', regex=True).str.replace(r'[^a-zA-Z\s]', ' ', regex=True).str.replace(r'\s+', ' ', regex=True).str.strip()
66
+ df_text['date'] = pd.to_datetime(df_text['publishedAt'], errors='coerce').dt.date
67
+ before = len(df_text)
68
+ df_text = df_text.dropna(subset=['date'])
69
+ after = len(df_text)
70
+ print(f"Total rows: {before} → {after} (dropped {before-after} with bad dates)")
71
+ if not df_text.empty:
72
+ dmin = df_text['date'].min()
73
+ dmax = df_text['date'].max()
74
+ print(f"Date range: {dmin} to {dmax}")
75
+
76
+ analyzer = SentimentIntensityAnalyzer()
77
+ df_text['sentiment'] = df_text['text'].apply(lambda x: analyzer.polarity_scores(x)['compound'])
78
+ daily_sent = df_text.groupby(['date', 'source'])['sentiment'].mean().reset_index()
79
+ daily_sent_total = daily_sent.groupby('date')['sentiment'].mean().reset_index()
80
+ print("Daily Sentiment (first 5):")
81
+ print(daily_sent_total.head())
82
+ tickers = ['aapl', 'googl', 'tsla', 'nvda', 'mstr']
83
+ for t in tickers:
84
+ df_text[f'mention_{t}'] = df_text['text'].str.contains(t, case=False)
85
+ mention_summary = df_text[[f'mention_{t}' for t in tickers]].sum()
86
+ print("\nTicker Mentions:")
87
+ print(mention_summary.sort_values(ascending=False))
88
+
89
+ df_prices['date'] = df_prices['Date'].dt.date
90
+ daily_sent_total['date'] = pd.to_datetime(daily_sent_total['date']).dt.date
91
+ df_merged = df_prices.merge(daily_sent_total, on='date', how='left')
92
+ df_merged['sentiment'] = df_merged['sentiment'].fillna(method='ffill').fillna(0)
93
+ print(f"Merged dataset shape: {df_merged.shape}")
94
+
95
+ fig = plt.figure(figsize=(20, 14))
96
+ ax1 = plt.subplot(2, 3, 1)
97
+ tsla = df_merged[df_merged['Ticker'] == 'TSLA']
98
+ ax1.plot(tsla['Date'], tsla['Close'], label='TSLA Close', color='purple')
99
+ ax1.set_title('TSLA Price + Sentiment')
100
+ ax1.set_ylabel('Price ($)')
101
+ ax1.legend(loc='upper left')
102
+ ax2 = ax1.twinx()
103
+ ax2.plot(tsla['Date'], tsla['sentiment'], color='orange', alpha=0.6, label='Sentiment')
104
+ ax2.set_ylabel('Sentiment')
105
+ ax2.legend(loc='upper right')
106
+ ax = plt.subplot(2, 3, 2)
107
+ for ticker in ['AAPL', 'GOOGL', 'TSLA']:
108
+ sub = df_merged[df_merged['Ticker'] == ticker]
109
+ norm = sub['Close'] / sub['Close'].iloc[0]
110
+ ax.plot(sub['Date'], norm, label=ticker)
111
+ ax.set_title('Normalized Prices (Jan 2023 = 1)')
112
+ ax.legend()
113
+ ax.grid(True)
114
+ ax = plt.subplot(2, 3, 3)
115
+ df_text['sentiment'].hist(bins=30, ax=ax, alpha=0.7, color='skyblue')
116
+ ax.axvline(df_text['sentiment'].mean(), color='red', linestyle='--', label=f"Mean: {df_text['sentiment'].mean():.3f}")
117
+ ax.set_title('Sentiment Score Distribution')
118
+ ax.legend()
119
+ ax = plt.subplot(2, 3, 4)
120
+ df_merged['next_return'] = df_merged.groupby('Ticker')['Return'].shift(-1)
121
+ corr_by_ticker = df_merged.groupby('Ticker').apply(lambda x: x['Return'].corr(x['sentiment']))
122
+ corr_by_ticker.plot(kind='bar', ax=ax, color='teal')
123
+ ax.set_title('Correlation: Daily Return vs Sentiment')
124
+ ax.set_ylabel('Correlation')
125
+ ax.grid(True)
126
+ ax = plt.subplot(2, 3, 5)
127
+ sns.heatmap(corr_matrix, annot=True, cmap='coolwarm', center=0, ax=ax)
128
+ ax.set_title('Return Correlations')
129
+ ax = plt.subplot(2, 3, 6)
130
+ all_text = ' '.join(df_text['text'].dropna())
131
+ wordcloud = WordCloud(width=400, height=300, background_color='white', max_words=100).generate(all_text)
132
+ ax.imshow(wordcloud, interpolation='bilinear')
133
+ ax.axis('off')
134
+ ax.set_title('Top Words in News/Reddit')
135
+ plt.tight_layout()
136
+ plt.show()
137
+
138
+ print("""
139
+ KEY FINDINGS:
140
+ - TSLA: Highest return (+311%) and volatility (65% ann.)
141
+ - Sentiment: Strongly positive on TSLA/NVDA, tariff fears in news
142
+ - Correlation: Sentiment leads TSLA returns by ~0.1–0.2 (weak but positive)
143
+ - WSB: Retail drives volume spikes
144
+ """)
145
+
146
+ def monitor_market(new_texts, tickers=['TSLA', 'NVDA']):
147
+ new_df = pd.DataFrame({'text': new_texts})
148
+ new_df['text'] = new_df['text'].str.lower().str.replace(r'[^a-zA-Z\s]', ' ', regex=True)
149
+ new_df['sentiment'] = new_df['text'].apply(lambda x: analyzer.polarity_scores(x)['compound'])
150
+ score = new_df['sentiment'].mean()
151
+ mentions = sum(new_df['text'].str.contains('|'.join(tickers), case=False))
152
+ print(f"\nLIVE UPDATE:")
153
+ print(f" Sentiment: {score:+.3f} | Mentions: {mentions}")
154
+ if score > 0.4 and mentions > 0:
155
+ print(" BULLISH SIGNAL – Consider Long")
156
+ elif score < -0.3:
157
+ print(" BEARISH SIGNAL – Caution")
158
+ else:
159
+ print(" NEUTRAL – Hold")
gnews.py ADDED
@@ -0,0 +1,43 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import requests
2
+ import pandas as pd
3
+
4
+ # GNews API endpoint and parameters
5
+ url = "https://gnews.io/api/v4/search"
6
+ params = {
7
+ "q": "stock market OR investing",
8
+ "lang": "en",
9
+ "country": "us",
10
+ "max": 100,
11
+ "apikey": "b948e6632c5e66f210a2c19a6757f4b1" # <-- your key
12
+ }
13
+
14
+ # Send request
15
+ response = requests.get(url, params=params)
16
+ data = response.json()
17
+
18
+ # Extract articles safely
19
+ articles = data.get("articles", [])
20
+
21
+ # Normalize and extract fields
22
+ records = []
23
+ for a in articles:
24
+ records.append({
25
+ "source": a.get("source", {}).get("name"),
26
+ "author": a.get("author"),
27
+ "title": a.get("title"),
28
+ "description": a.get("description"),
29
+ "url": a.get("url"),
30
+ "publishedAt": a.get("publishedAt"),
31
+ "content": a.get("content")
32
+ })
33
+
34
+ # Convert to DataFrame
35
+ df = pd.DataFrame(records, columns=[
36
+ "source", "author", "title", "description", "url", "publishedAt", "content"
37
+ ])
38
+
39
+ # Save to CSV
40
+ df.to_csv("gnews_data.csv", index=False, encoding="utf-8")
41
+
42
+ print(f"✅ Saved {len(df)} articles to gnews_data.csv")
43
+ print(df.head())
gnews_data.csv ADDED
@@ -0,0 +1,17 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ source,author,title,description,url,publishedAt,content
2
+ The Mercury News,,Netflix blames tax dispute in Brazil for rare quarterly earnings letdown,"Netflix missed the earnings target set by stock market analysts during the video streamer's latest quarter, a letdown that the company blamed on a tax dispute in Brazil.",https://www.mercurynews.com/2025/10/22/netflix-tax-dispute-brazil-quarterly-earnings-letdown/,2025-10-22T16:03:04Z,"By MICHAEL LIEDTKE
3
+ Netflix missed the earnings target set by stock market analysts during the video streamer’s latest quarter, a letdown that the company blamed on a tax dispute in Brazil.
4
+ The results announced Tuesday broke Netflix’s six-quarter str... [4150 chars]"
5
+ Benzinga,,QuantumScape Stock Slides Ahead Of Q3 Earnings: What's Going On?,QuantumScape shares are trading lower Wednesday morning as the market anticipates its third-quarter earnings report after the closing bell.,https://www.benzinga.com/trading-ideas/movers/25/10/48357671/quantumscape-stock-slides-ahead-of-q3-earnings-whats-going-on,2025-10-22T15:34:13Z,"QuantumScape Corp (NYSE:QS) shares are trading lower Wednesday morning as the market anticipates its third-quarter earnings report after the closing bell. This pullback follows a significant rally that saw the stock last week hit a new 52-week high.
6
+ ... [2227 chars]"
7
+ Investor's Business Daily,,Home Depot Stock: One Of America's Greatest Opportunities,"In 1981, in the middle of a bear market, Home Depot stock had its initial public offering. Shares quickly grew by more than 1,000%.",https://www.investors.com/how-to-invest/home-depot-hd-stock-americas-greatest-opportunities/,2025-10-22T14:07:36Z,"Information in Investor’s Business Daily is for informational and educational purposes only and should not be construed as an offer, recommendation, solicitation, or rating to buy or sell securities. The information has been obtained from sources we ... [1013 chars]"
8
+ Bloomberg,,S&P 500 Steady as Traders Weigh ‘Split’ Market; Netflix Tumbles,"US stock declines deepened after news that the Trump administration is considering curbs on software exports to China. Big tech led S&P 500 Index losses on a points basis, with Apple Inc. falling 2.4% and Nvidia Corp. shedding 2.1%.",https://www.bloomberg.com/news/articles/2025-10-22/s-p-500-steady-as-traders-weigh-split-market-netflix-tumbles,2025-10-22T13:55:51Z,"US stock declines deepened after newsBloomberg Terminal that the Trump administration is considering curbs on software exports to China. Big tech led S&P 500 Index losses on a points basis, with Apple Inc. falling 2.4% and Nvidia Corp. shedding 2.1% ... [401 chars]"
9
+ CNBC,,Jim Cramer's top 10 things to watch in the stock market Wednesday,Stock futures were muted Tuesday as investors awaiting another batch of corporate earnings.,https://www.cnbc.com/2025/10/22/jim-cramers-top-10-things-to-watch-in-the-stock-market-wednesday.html,2025-10-22T12:57:16Z,"My top 10 things to watch Wednesday, Oct. 22 1. GE Vernova reported an earnings beat this morning and reaffirmed its full-year targets. The Club stock posted excellent organic orders for gas turbines, but miserable orders for wind. Wind is a rounding... [3999 chars]"
10
+ Benzinga,,How To Earn $500 A Month From IBM Stock Ahead Of Q3 Earnings,"IBM (NYSE: IBM) to release Q3 earnings after market close on Wednesday. Analysts expect $2.45/share earnings and $16.1B revenue. IBM offers 2.38% annual dividend yield, investors can earn $500/month with $251,871 investment or $100/month with $50,487 investment.",https://www.benzinga.com/trading-ideas/dividends/25/10/48350802/how-to-earn-500-a-month-from-ibm-stock-ahead-of-q3-earnings-2,2025-10-22T12:40:43Z,"IBM (NYSE:IBM) will release earnings results for the third quarter after the closing bell on Wednesday.
11
+ Analysts expect the company to report quarterly earnings at $2.45 per share, up from $2.30 per share in the year-ago period. The consensus estimat... [1973 chars]"
12
+ Benzinga,,Why Is Wellgistics Health Stock Soaring Wednesday?,DataVault AI and Wellgistics Health are collaborating to bring blockchain technology to the US prescription drug market.,https://www.benzinga.com/trading-ideas/movers/25/10/48350651/wellgistics-and-datavault-team-up-to-transform-prescription-tracking,2025-10-22T12:30:33Z,"DataVault AI, Inc. (NASDAQ:DVLT) and Wellgistics Health, Inc. (NASDAQ:WGRX) are collaborating to bring blockchain technology to the U.S. prescription drug market.
13
+ Through a non-binding letter of intent, the companies plan to integrate DataVault’s blo... [2109 chars]"
14
+ Investopedia,,5 Things to Know Before the Stock Market Opens,Stock futures are little changed as investors digest a weaker-than-expected earnings report from Netflix and look ahead to Tesla’s quarterly results after the closing bell. Here's what you need to know today.,https://www.investopedia.com/5-things-to-know-before-the-stock-market-opens-october-22-2025-11834499,2025-10-22T12:22:49Z,Stock futures are holding steady this morning as quarterly earnings reports continue to roll in and the government shutdown begins its fourth week; gold futures are losing ground for the second straight day after hitting a series of record highs; Tes... [3645 chars]
15
+ The Street,,Stock Market Today: Stocks Decline As Earnings Season Picks Up Pace,This live blog is refreshed periodically throughout the day with the latest updates from the market. To find the latest Stock Market,https://www.thestreet.com/markets/stock-market-today-stocks-decline-as-earnings-season-picks-up-pace,2025-10-22T12:12:33Z,"This live blog is refreshed periodically throughout the day with the latest updates from the market. To find the latest Stock Market Today threads, click here.
16
+ Happy Wednesday. This is TheStreet’s Stock Market Today for Oct. 22, 2025. You can follow ... [2530 chars]"
17
+ Investor's Business Daily,,Stock Market Today: Dow Falls As Netflix Dives On Q3 Miss; Tesla Earnings Next (Live),Stock Market Today: The Dow Jones index fell Wednesday as Netflix dived on an earnings miss. Tesla earnings are due after the close.,https://www.investors.com/market-trend/stock-market-today/dow-jones-sp500-nasdaq-netflix-nflx-stock-tesla-earnings-tsla-stock/,2025-10-22T12:10:02Z,"Information in Investor’s Business Daily is for informational and educational purposes only and should not be construed as an offer, recommendation, solicitation, or rating to buy or sell securities. The information has been obtained from sources we ... [1013 chars]"
news.py ADDED
@@ -0,0 +1,41 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import os
2
+ import requests
3
+ import pandas as pd
4
+ from dotenv import load_dotenv
5
+
6
+ # Load .env
7
+ load_dotenv()
8
+ key = os.getenv("NEWSAPI_KEY")
9
+ if not key:
10
+ raise SystemExit("Set NEWSAPI_KEY in env or .env")
11
+
12
+ # Fetch news data
13
+ url = "https://newsapi.org/v2/everything"
14
+ params = {
15
+ "q": "stock market",
16
+ "language": "en",
17
+ "pageSize": 100,
18
+ }
19
+ headers = {"Authorization": key}
20
+
21
+ resp = requests.get(url, params=params, headers=headers)
22
+ resp.raise_for_status()
23
+ data = resp.json()
24
+ articles = data.get("articles", [])
25
+
26
+ print(f"Fetched {len(articles)} articles")
27
+
28
+ # Convert to DataFrame
29
+ if articles:
30
+ df = pd.DataFrame(articles)
31
+
32
+ # Select useful fields
33
+ df = df[["source", "author", "title", "description", "url", "publishedAt", "content"]]
34
+ # Flatten nested 'source' dicts
35
+ df["source"] = df["source"].apply(lambda s: s.get("name") if isinstance(s, dict) else s)
36
+
37
+ # Save to CSV
38
+ df.to_csv("news_articles.csv", index=False, encoding="utf-8")
39
+ print("✅ Saved to news_articles.csv")
40
+ else:
41
+ print("⚠️ No articles found.")
news_articles.csv ADDED
@@ -0,0 +1,169 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ source,author,title,description,url,publishedAt,content
2
+ Gizmodo.com,Bruce Gil,Dogecoin Has Made It to Wall Street,"The first memecoin ETFs have hit the stock market, legitimizing the once too-online digital currency.",https://gizmodo.com/dogecoin-has-made-it-to-wall-street-2000663698,2025-09-25T15:40:25Z,"Are meme coins a legitimate investment now? Well, Wall Street seems to think so. Last week, REX Financial and Osprey Funds launched the first Dogecoin exchange-traded fund (ETF).
3
+ Basically, an ETF i… [+3310 chars]"
4
+ Business Insider,Theron Mohamed,The world's 10 richest people lost nearly $70 billion in Friday's market rout,"Elon Musk, Jeff Bezos, and Mark Zuckerberg led the wealth declines on Friday as fresh fears of a trade war hammered stocks.",https://www.businessinsider.com/rich-list-trump-trade-war-musk-bezos-zuck-ai-stocks-2025-10,2025-10-13T10:45:50Z,"Larry Ellison is one of the world's richest men, so he can buy anything he wants, like a media company or two. That's what Elon Musk did with Twitter.Anna Moneymaker; Kevin Dietsch / Getty Images
5
+ <u… [+2361 chars]"
6
+ Business Insider,jsor@businessinsider.com (Jennifer Sor),These 13 stocks in a small corner of the market should be on investor radars as earnings season nears,"Small- to-mid-cap industrial stocks are heavily discounted and could outperform in the coming earnings season, UBS said.",https://www.businessinsider.com/stocks-what-to-invest-in-small-cap-industrial-investment-ideas-2025-9,2025-09-25T09:15:01Z,"Earnings season is just around the cornerand there's a handful of stocks in one under-the-radar area of the market investors should be keeping their eye on, UBS told clients this week.
7
+ The bank high… [+6055 chars]"
8
+ MacRumors,Joe Rossignol,Apple's Stock Price Reaches New All-Time High,"Apple's stock price reached a new all-time high today, with shares in the company trading for as much as $263.47 on the intraday market, according to Yahoo Finance.
9
+
10
+
11
+
12
+
13
+
14
+ The company's previous intraday high was $260.10, set on December 26, 2024.
15
+
16
+
17
+
18
+ Keep in mi…",https://www.macrumors.com/2025/10/20/apple-stock-new-all-time-high/,2025-10-20T15:12:29Z,"Apple's stock price reached a new all-time high today, with shares in the company trading for as much as $263.47 on the intraday market, according to Yahoo Finance.
19
+ The company's previous intraday h… [+860 chars]"
20
+ Gizmodo.com,Kyle Torpey,Bitcoin Price Slumps as Wall Street Prepares for Crypto ETF Frenzy,It's been a rough week for crypto.,https://gizmodo.com/bitcoin-price-slumps-as-wall-street-prepares-for-crypto-etf-frenzy-2000673653,2025-10-17T17:40:25Z,"Earlier this month, bitcoin was on top of the world, hitting yet another new all-time high of roughly $125,000. Around the same time, applications for a large number of increasingly speculative crypt… [+4095 chars]"
21
+ Kotaku,Kotaku,"Ryzen 7 7800X3D Is Selling for Pennies, AMD Is Clearing Out Stock at an All‑Time Low","It might be the best gaming CPU on the market right now for this price.
22
+ The post Ryzen 7 7800X3D Is Selling for Pennies, AMD Is Clearing Out Stock at an All‑Time Low appeared first on Kotaku.",https://kotaku.com/ryzen-7-7800x3d-is-selling-for-pennies-amd-is-clearing-out-stock-at-an-all‑time-low-2000632485,2025-10-07T12:37:49Z,Gaming at high frame rates with maximum detail settings requires a processor that can keep up with modern graphics cards without creating bottlenecks. AMD’s Ryzen 7 7800X3D has earned its reputation … [+3113 chars]
23
+ Gizmodo.com,AJ Dellinger,Is the AI Conveyor Belt of Capital About to Stop?,Good thing it's only the entire economy propped up by this right now.,https://gizmodo.com/is-the-ai-conveyor-belt-of-capital-about-to-stop-2000671017,2025-10-13T19:40:03Z,The American economy is little more than a big bet on AI. Morgan Stanley investor Ruchir Sharma recently noted that money poured into AI investments now accounts for about 40% of the United States GD… [+12177 chars]
24
+ Yahoo Entertainment,,Should You Buy This Ultra-High Dividend Yield Stock in Preparation For a Market Crash?,,https://consent.yahoo.com/v2/collectConsent?sessionId=1_cc-session_f9a919b7-5677-4a40-aa78-95e9fe03a16a,2025-10-01T00:52:00Z,"If you click 'Accept all', we and our partners, including 238 who are part of the IAB Transparency &amp; Consent Framework, will also store and/or access information on a device (in other words, use … [+714 chars]"
25
+ Yahoo Entertainment,Simply Wall St,3 Reliable Dividend Stocks Yielding Up To 9%,"As U.S. stock indexes continue to rise despite the ongoing government shutdown, investors are keenly observing how these developments might influence market ...",https://finance.yahoo.com/news/3-reliable-dividend-stocks-yielding-173154112.html,2025-10-06T17:31:54Z,"As U.S. stock indexes continue to rise despite the ongoing government shutdown, investors are keenly observing how these developments might influence market dynamics and decision-making by the Federa… [+4794 chars]"
26
+ Yahoo Entertainment,Petr Huřťák,1 High-Flying Stock to Own for Decades and 2 We Turn Down,"Expensive stocks often command premium valuations because the market thinks their business models are exceptional. However, the downside is that high...",https://finance.yahoo.com/news/1-high-flying-stock-own-043836187.html,2025-09-26T04:38:36Z,"Expensive stocks often command premium valuations because the market thinks their business models are exceptional. However, the downside is that high expectations are already baked into their prices,… [+2678 chars]"
27
+ Yahoo Entertainment,Jabin Bastian,1 Large-Cap Stock to Consider Right Now and 2 Facing Challenges,Large-cap stocks usually command their industries because they have the scale to drive market trends. The flip side though is that their sheer size can limit...,https://finance.yahoo.com/news/1-large-cap-stock-consider-044736999.html,2025-10-20T04:47:36Z,Large-cap stocks usually command their industries because they have the scale to drive market trends. The flip side though is that their sheer size can limit growth as expanding further becomes an in… [+2725 chars]
28
+ Yahoo Entertainment,Marco Quiroz-Gutierrez,Billionaire PC tycoon Michael Dell is riding the AI gold rush—and he says the party’s far from over even if eventually ‘there’ll be too many’ data centers,Dell Technologies’ stock is up 39% year to date.,https://finance.yahoo.com/news/billionaire-pc-tycoon-michael-dell-190837156.html,2025-10-08T19:08:37Z,"Michael Dell, who revolutionized the personal computer industry with Dell Technologies in the late 90s and is now the 10th richest person in the world, offered his take on the AI wave his company is … [+2323 chars]"
29
+ 3quarksdaily.com,John Allen Paulos,The Paradoxical Efficient Market Hypothesis (2024),"by John Allen Paulos Louis Bachelier Election season has put an increased focus on the stock market, but little attention is ever paid to the Efficient Market Hypothesis (the EMH, for short). As I’ve written in A Mathematician Plays the Stock Market, it is a …",https://3quarksdaily.com/3quarksdaily/2024/09/the-paradoxical-efficient-market-hypothesis.html,2025-10-08T02:11:39Z,"by John Allen Paulos
30
+ Louis Bachelier
31
+ Election season has put an increased focus on the stock market, but little attention is ever paid to the Efficient Market Hypothesis (the EMH, for short). As Iv… [+7443 chars]"
32
+ Barchart.com,Rob Isbitts,Nvidia Stock at 8% of the S&P 500 Index Is a Big Problem for Investors. Let’s Do the Math.,One single stock essentially dictates our financial lives these days.,https://www.barchart.com/story/news/35587356/nvidia-stock-at-8-of-the-s-p-500-index-is-a-big-problem-for-investors-lets-do-the-math,2025-10-21T14:42:22Z,"Remember when energy stocks dominated the S&amp;P 500 Index ($SPX), and one company, Exxon Mobil (XOM), was the single largest weighted component?
33
+ Admittedly, although I was managing money at the ti… [+3457 chars]"
34
+ Business Insider,sobrient@insider.com (Samuel O'Brient),"IBM just helped HSBC pull off the world's first quantum-powered trades, and its stock is jumping",HSBC said it used IBM's quantum tech in bond trading. IBM stock popped on the news as investors cheered real-world use for quantum computing.,https://www.businessinsider.com/ibm-stock-price-quantum-computing-hsbc-bond-trading-markets-2025-9,2025-09-25T15:07:49Z,"The move: IBM stock jumped as much as 5% on Thursday, extending a week of solid gains.
35
+ Shares of the tech company have risen steadily in 2025, and are up 22% year-to-date.
36
+ Why: On Thursday, HSBC … [+1960 chars]"
37
+ Yahoo Entertainment,Radek Strnad,"DraftKings (DKNG) Stock Trades Down, Here Is Why",Shares of fantasy sports and betting company DraftKings (NASDAQ:DKNG) fell 11.2% in the afternoon session after reports of rising competition from prediction...,https://finance.yahoo.com/news/draftkings-dkng-stock-trades-down-185056598.html,2025-09-30T18:50:56Z,Shares of fantasy sports and betting company DraftKings (NASDAQ:DKNG) fell 11.2% in the afternoon session after reports of rising competition from prediction platforms Kalshi and Robinhood sparked in… [+2423 chars]
38
+ Yahoo Entertainment,Simply Wall St,3 Promising Penny Stocks With Market Caps Under $900M,"As the U.S. markets close higher after a volatile week, investors are keenly observing opportunities that might arise amidst fluctuating conditions and...",https://finance.yahoo.com/news/3-promising-penny-stocks-market-120516316.html,2025-10-20T12:05:16Z,"As the U.S. markets close higher after a volatile week, investors are keenly observing opportunities that might arise amidst fluctuating conditions and economic uncertainties. Penny stocks, often see… [+5683 chars]"
39
+ Business Insider,Alice Tecotzky,Elon Musk becomes the world's first $500 billion man,Elon Musk's wealth briefly touched the half-a-trillion-dollar mark on Wednesday thanks in part to Tesla's rising stock price.,https://www.businessinsider.com/elon-musk-worlds-first-500-billion-man-2025-10,2025-10-02T14:36:11Z,"Tesla CEO Elon Musk laughingKirsty Wigglesworth/Pool via REUTERS
40
+ <ul><li>Elon Musk has become the first person worth $500 billion.</li><li>Musk's net worth is closely tied to Tesla stock, which is u… [+1798 chars]"
41
+ Gizmodo.com,Ece Yildirim,"AI Won’t Replace Jobs, but Tech Bros Want You to Be Afraid It Will","He also thinks the AI bubble burst is going to make 2008 feel like ""a golden age.""",https://gizmodo.com/ai-wont-replace-jobs-tech-bros-want-you-terrified-2000670808,2025-10-15T14:20:54Z,"AI is overrated, according to author Cory Doctorow.
42
+ “I don’t think AI can do your job,” Doctorow said, but despite that, bosses across industries are “insatiably horny” about the idea that AI will r… [+7077 chars]"
43
+ Business Insider,Lara O'Reilly,Salesforce challenger Zeta Global is making its biggest-ever acquisition as it looks to corner the loyalty market,"Zeta, which helps marketers attract and retain customers, is doubling down on a strategy to get its clients to use more than one of its services.",https://www.businessinsider.com/martech-company-zeta-global-acquire-marigold-enterprise-business-2025-9,2025-09-30T20:06:01Z,"David Steinberg's Zeta Global is making its 17th acquisition.Zeta Global
44
+ <ul><li>Marketing tech company Zeta Global is making its biggest-ever acquisition.</li><li>It's acquiring the enterprise soft… [+3717 chars]"
45
+ Yahoo Entertainment,Rian Howlett,"Stock market today: Dow sinks 500 points, S&P 500, Nasdaq plummet as Trump threatens 'massive increase' on China tariffs","Markets have had an uncertain week, pulled in different directions by AI demand hopes and US government shutdown worries.",https://finance.yahoo.com/news/live/stock-market-today-dow-sinks-500-points-sp-500-nasdaq-plummet-as-trump-threatens-massive-increase-on-china-tariffs-164432249.html,2025-10-10T16:44:32Z,"US stocks turned lower Friday as President Trump and China traded blows on tariffs, with Trump threatening a ""massive increase"" in tariffs on Chinese goods.
46
+ The Dow Jones Industrial Average (^DJI) l… [+8494 chars]"
47
+ Yahoo Entertainment,Petr Huřťák,"Super Micro (SMCI) Stock Trades Up, Here Is Why",Shares of server solutions provider Super Micro (NASDAQ:SMCI) jumped 3% in the afternoon session after the company unveiled a new lineup of AI-optimized...,https://finance.yahoo.com/news/super-micro-smci-stock-trades-204708134.html,2025-09-22T20:47:08Z,Shares of server solutions provider Super Micro (NASDAQ:SMCI) jumped 3% in the afternoon session after the company unveiled a new lineup of AI-optimized computing systems at its INNOVATE! event in Ma… [+2917 chars]
48
+ Business Insider,Andrea Wasserman,"I rejected and approved hundreds of raises at Nordstrom, Verizon, and Yahoo. Here's my advice for getting a raise in the current market.",Andrea Wasserman says her best advice for securing a raise at your job in this market is to make yourself indispensable.,https://www.businessinsider.com/how-to-get-raise-current-job-market-executive-coach-2025-10,2025-10-17T09:05:01Z,"Andrea Wasserman.Courtesy of Andrea Wasserman
49
+ <ul><li>Executive coach Andrea Wasserman says it's difficult but not impossible to secure a raise right now.</li><li>Companies have less urgency to incr… [+5939 chars]"
50
+ ABC News,"Mary Bruce, Karen Travers, Michelle Stoddart, Max Zahn","Trump threatens 'massive' tariffs on China, triggering stock market sell-off",China imposed limits on rare earth minerals a day earlier.,https://abcnews.go.com/Politics/trump-threatens-massive-tariffs-china-triggering-stock-market/story?id=126405187,2025-10-10T16:50:42Z,"President Donald Trump on Friday voiced frustration with what he called China's ""trade hostility,"" threatening to respond with large tariffs on China and to cancel his upcoming meeting with Chinese P… [+1435 chars]"
51
+ Yahoo Entertainment,Radek Strnad,"AMD (AMD) Stock Is Up, What You Need To Know",Shares of computer processor maker AMD (NASDAQ:AMD) jumped 3.6% in the afternoon session after the company announced an expanded artificial intelligence (AI)...,https://finance.yahoo.com/news/amd-amd-stock-know-172042259.html,2025-10-02T17:20:42Z,Shares of computer processor maker AMD (NASDAQ:AMD) jumped 3.6% in the afternoon session after the company announced an expanded artificial intelligence (AI) partnership and reports surfaced of a pot… [+2545 chars]
52
+ Yahoo Entertainment,Jabin Bastian,Why Lattice Semiconductor (LSCC) Stock Is Trading Up Today,Shares of semiconductor designer Lattice Semiconductor (NASDAQ:LSCC) jumped 3.3% in the morning session after a major AI-focused partnership in the chip...,https://finance.yahoo.com/news/why-lattice-semiconductor-lscc-stock-155601633.html,2025-10-06T15:56:01Z,Shares of semiconductor designer Lattice Semiconductor (NASDAQ:LSCC) jumped 3.3% in the morning session after a major AI-focused partnership in the chip sector boosted sentiment for stocks with expos… [+2598 chars]
53
+ The Verge,Emma Roth,$55 billion EA buyout hands Madden over to investors including Saudi Arabia and Jared Kushner,"Electronic Arts has announced it is being acquired and taken private in a $55 billion deal involving Silver Lake, Saudi Arabia’s Public Investment Fund, and Affinity Partners, which is founded and led by Donald Trump’s son-in-law, Jared Kushner. The deal is e…",https://www.theverge.com/news/787112/electronic-arts-55-billion-privacte-acquisition-pif-silver-lake-affinity-partners,2025-09-29T12:51:27Z,"<ul><li></li><li></li><li></li></ul>
54
+ Silver Lake, PIF, and Affinity Partners will take the gaming giant private.
55
+ Silver Lake, PIF, and Affinity Partners will take the gaming giant private.
56
+ by
57
+ Emm… [+3083 chars]"
58
+ Yahoo Entertainment,Simply Wall St,High Growth Tech Stocks with Promising Global Potential,"Amidst a backdrop of record highs in major U.S. stock indexes and a rally in small-cap stocks following the Federal Reserve's interest rate cut, global...",https://finance.yahoo.com/news/high-growth-tech-stocks-promising-093818624.html,2025-09-23T09:38:18Z,"Amidst a backdrop of record highs in major U.S. stock indexes and a rally in small-cap stocks following the Federal Reserve's interest rate cut, global markets are navigating through significant econ… [+6132 chars]"
59
+ Business Insider,Kwan Wei Kevin Tan,Mark Cuban is advocating for companies to share the wealth with employees,"""Compassion and capitalism, not greed, are what can make this country far greater,"" Cuban wrote on X.",https://www.businessinsider.com/mark-cuban-companies-share-wealth-employees-2025-10,2025-10-13T04:54:26Z,"""Compassion and capitalism, not greed, are what can make this country far greater,"" Mark Cuban wrote on X on Sunday.Julia Beverly/WireImage via Getty Images
60
+ <ul><li>Mark Cuban says that companies sh… [+3469 chars]"
61
+ The New Yorker,John Cassidy,The A.I. Boom and the Spectre of 1929,"As some financial leaders fret publicly about the stock market falling to earth, Andrew Ross Sorkin’s new book recounts the greatest crash of them all.",https://www.newyorker.com/news/the-financial-page/the-ai-boom-and-the-spectre-of-1929,2025-10-13T19:08:24Z,"No two speculative booms are exactly alike, of course, but they share some common elements. Typically, there is great excitement among investors about new technologyin todays case, A.I.and its potent… [+6613 chars]"
62
+ Business Insider,Melia Russell,Inside the battle in legal tech to 'OpenAI-proof' its business,OpenAI's own use of AI put the SaaS market on notice. Legal tech companies are confident they're safe — for now.,https://www.businessinsider.com/legal-tech-saas-openai-competition-crosby-evenup-spellbook-eve-2025-10,2025-10-09T18:10:01Z,"Sam AltmanFlorian Gaertner/Photothek via Getty Images
63
+ <ul><li>Funding for legal tech is off to a $320 million start this month.</li><li>The money is gushing in, even as key questions remain.</li><li… [+4641 chars]"
64
+ Yahoo Entertainment,Simply Wall St,Asian Dividend Stocks To Enhance Your Portfolio,"As global markets navigate a complex landscape marked by economic uncertainties and geopolitical tensions, the Asian stock markets have shown resilience...",https://finance.yahoo.com/news/asian-dividend-stocks-enhance-portfolio-223905812.html,2025-10-05T22:39:05Z,"As global markets navigate a complex landscape marked by economic uncertainties and geopolitical tensions, the Asian stock markets have shown resilience, with indices in China and Japan reflecting mi… [+5544 chars]"
65
+ TheStreet,Moz Farooque,Jamie Dimon has blunt call on the stock market,"So far in 2025, the U.S. stock market has marched forward with considerable aplomb. Case in point: after racking up multiple highs, the S&P 500 is up nearly ...",https://www.thestreet.com/investing/jamie-dimon-has-blunt-call-on-the-stock-market-,2025-10-08T18:56:38Z,"So far in 2025, the U.S. stock market has marched forward with considerable aplomb.
66
+ Case in point: after racking up multiple highs, the S&amp;P 500 is up nearly 17% year-to-date, and multiple sector… [+4594 chars]"
67
+ Yahoo Entertainment,Ramzan Karmali,Market Movers: The rise of China's AI,Chinese tech stocks like Alibaba (BABA) and Tencent (0700.HK) have been on the up as optimism about developments they're making in Artificial Intelligence...,https://finance.yahoo.com/video/market-movers-rise-chinas-ai-122822192.html,2025-09-30T12:28:22Z,"Can China threaten the US dominance in AI? Well, the Shanghai composite, China's mainland benchmark rose 3% in September alone. It's longest monthly rally since 2017. Why? Well, Asian tech stocks hav… [+6529 chars]"
68
+ Yahoo Entertainment,Zacks Equity Research,Why This 1 Value Stock Could Be a Great Addition to Your Portfolio,The Zacks Style Scores offers investors a way to easily find top-rated stocks based on their investing style. Here's why you should take advantage.,https://finance.yahoo.com/news/why-1-value-stock-could-134004930.html,2025-09-30T13:40:04Z,"Taking full advantage of the stock market and investing with confidence are common goals for new and old investors alike.
69
+ While you may have an investing style you rely on, finding great stocks is m… [+2094 chars]"
70
+ Harvard Business Review,"Jenny Fernandez, Kathryn Landis",How to Lead When the Conditions for Success Suddenly Disappear,"Broaden coalitions, build resiliency, and reset expectations.",https://hbr.org/2025/10/how-to-lead-when-the-conditions-for-success-suddenly-disappear,2025-10-13T12:05:36Z,"In todays workplace, uncertainty has become the norm. Economic headwinds and a volatile stock market have been prompting companies to slash or reallocate budgets mid-course. Generative AI and other f… [+343 chars]"
71
+ Slashdot.org,EditorDavid,'Circular' AI Mega-Deals by AI and Hardware Giants are Raising Eyebrows,"""Nvidia is investing billions in and selling chips to OpenAI, which is also buying chips from and earning stock in AMD,"" writes SFGate. ""AMD sells processors to Oracle, which is building data centers with OpenAI — which also gets data center work from CoreWea…",https://slashdot.org/story/25/10/11/1819237/circular-ai-mega-deals-by-ai-and-hardware-giants-are-raising-eyebrows,2025-10-11T18:34:00Z,"""Nvidia is investing billions in and selling chips to OpenAI, which is also buying chips from and earning stock in AMD,"" writes SFGate. ""AMD sells processors to Oracle, which is building data centers… [+1630 chars]"
72
+ Business Insider,Theron Mohamed,Top strategist Paul Dietrich shares 2 picks to ride out an AI crash,"Wedbush's Paul Dietrich said the AI boom reminds him of the dot-com and housing bubbles, and he's bullish on gold and utilities.",https://www.businessinsider.com/wedbush-dietrich-ai-boom-stock-market-bubble-recession-gold-utilities-2025-10,2025-10-09T09:00:01Z,"Wedbush's Paul Dietrich is worried about the stock market and economy.Osmancan Gurdogan/Anadolu via Getty Images
73
+ <ul><li>Paul Dietrich shared two alternative investments to AI, saying the tech boom … [+3628 chars]"
74
+ Yahoo Entertainment,Nauman khan,PLTR: Palantir Breaks $1 Billion Revenue Milestone--Is This Just the Beginning?,Defense And AI Deals Power Palantir Stock To Record-Breaking Quarter,https://finance.yahoo.com/news/pltr-palantir-breaks-1-billion-183512308.html,2025-10-03T18:35:12Z,"This article first appeared on GuruFocus.
75
+ Oct 3 - Palantir Technologies (NASDAQ:PLTR) is turning heads again, not just because of the AI hype cycle, but because the company is stacking real wins tha… [+1539 chars]"
76
+ Yahoo Entertainment,Anthony Lee,2 Safe-and-Steady Stocks to Consider Right Now and 1 We Brush Off,"A stock with low volatility can be reassuring, but it doesn’t always mean strong long-term performance. Investors who prioritize stability may miss out on...",https://finance.yahoo.com/news/2-safe-steady-stocks-consider-043322597.html,2025-10-16T04:33:22Z,"A stock with low volatility can be reassuring, but it doesnt always mean strong long-term performance. Investors who prioritize stability may miss out on higher-reward opportunities elsewhere.
77
+ Lucki… [+2601 chars]"
78
+ Barchart.com,Wajeeh Khan,Plug Power Just Reported Record Output. Should You Buy PLUG Stock Here?,Plug Power shares briefly rallied after the hydrogen fuel cell specialist reported record production at its Georgia facility. But PLUG stock may still be a...,https://www.barchart.com/story/news/34988069/plug-power-just-reported-record-output-should-you-buy-plug-stock-here,2025-09-23T18:54:38Z,"Plug Power (PLUG) shares pushed notably to the upside today after the clean energy firm said its Georgia green hydrogen facility reached record production of 324 metric tons in August 2025.
79
+ The hydr… [+2169 chars]"
80
+ Business Insider,Lee Chong Ming,Satya Nadella is netting a record $96.5 million pay package as Microsoft's AI bets paid off,Microsoft CEO Satya Nadella's pay soared to a record $96.5 million as the company's revenue hit $281 billion this year.,https://www.businessinsider.com/satya-nadella-96-million-pay-salary-microsoft-ai-filing-2025-10,2025-10-22T04:49:44Z,"Satya Nadella's record $96.5 million payday shows how Microsoft's AI boom is rewarding its top leader.JASON REDMOND/AFP via Getty Images
81
+ <ul><li>Satya Nadella's pay package rose to a record $96.5 mi… [+2519 chars]"
82
+ Yahoo Entertainment,Adam Hejl,1 Stock Under $50 Worth Investigating and 2 We Question,The $10-50 price range often includes mid-sized businesses with proven track records and plenty of growth runway ahead. They also usually carry less risk...,https://finance.yahoo.com/news/1-stock-under-50-worth-043128393.html,2025-10-20T04:31:28Z,"The $10-50 price range often includes mid-sized businesses with proven track records and plenty of growth runway ahead. They also usually carry less risk than penny stocks, though theyre not immune t… [+2448 chars]"
83
+ Barchart.com,Jim Van Meerten,"This Quantum Computing Stock Is Up 4,024% in a Year. What Comes Next?","Rigetti Computing (RGTI) stands out for its quantum-classical computing infrastructure and has surged 4,024% over the past year. RGTI is trading above key...",https://www.barchart.com/story/news/35009546/this-quantum-computing-stock-is-up-4-024-in-a-year-what-comes-next,2025-09-24T14:50:03Z,"<ul><li>Rigetti Computing (RGTI) stands out for its quantum-classical computing infrastructure and has surged 4,024% over the past year.
84
+ </li><li>RGTI is trading above key moving averages and has a … [+4557 chars]"
85
+ Yahoo Entertainment,Simply Wall St,Rocket Lab Shares Soar 591% as Investors Weigh Valuation After NASA Contract Win,"If you’re looking at Rocket Lab’s stock chart this year, you’re probably double-checking your math right now. After all, a 591.1% gain over the last 12...",https://finance.yahoo.com/news/rocket-lab-shares-soar-591-050355002.html,2025-10-09T05:03:55Z,"If youre looking at Rocket Labs stock chart this year, youre probably double-checking your math right now. After all, a 591.1% gain over the last 12 months and a staggering 1,532.8% jump over three y… [+6990 chars]"
86
+ Yahoo Entertainment,Syeda Seirut Javed,Jim Cramer on Apollo Global: “This is the Toughest One for Me to Swallow”,"Apollo Global Management, Inc. (NYSE:APO) is one of the stocks Jim Cramer was recently focused on. Cramer noted that the stock has been hit “much harder than...",https://finance.yahoo.com/news/jim-cramer-apollo-global-toughest-100340902.html,2025-10-03T10:03:40Z,"Apollo Global Management, Inc. (NYSE:APO) is one of the stocks Jim Cramer was recently focused on. Cramer noted that the stock has been hit much harder than the others, as he remarked:
87
+ Finally, ther… [+1174 chars]"
88
+ BBC News,,"UK will be second-fastest-growing G7 economy, IMF predicts",The International Monetary Fund (IMF) has upgraded the rate at which the UK economy will grow this year.,https://www.bbc.com/news/articles/cn092p27xn0o,2025-10-14T13:00:40Z,"Faisal IslamBBC Economics Editor
89
+ Chancellor Rachel Reeves said, despite the IMF's upgrade to UK economic growth, ""for too many people, our economy feels stuck""
90
+ The UK is forecast to be the second-f… [+4476 chars]"
91
+ Kotaku,Mike Fazioli,"Amazon Slashes AMD Ryzen 7 Mini Gaming PC to Lowest Price, Likely Clearing Stock Before Prime Big Deal Days","The BOSGAME P3 brings impressive gaming power to the work-centric mini PC craze, and you can save $150 if you act now.
92
+ The post Amazon Slashes AMD Ryzen 7 Mini Gaming PC to Lowest Price, Likely Clearing Stock Before Prime Big Deal Days appeared first on Kotak…",https://kotaku.com/amazon-slashes-amd-ryzen-7-mini-gaming-pc-to-lowest-price-likely-clearing-stock-before-prime-big-deal-days-2000629670,2025-09-29T15:10:25Z,"When we look back on 2025, we might remember it as the Year of the Mini PC. These mighty mites broke out in a huge way this year, with powerful and fast new models flooding the market and putting to … [+2497 chars]"
93
+ Business Insider,Daniel Geiger,A $5 billion deal key to CoreWeave's AI empire just lost another investor's support,CoreWeave's deal to acquire a data center partner is in jeopardy after shareholders oppose the transaction.,https://www.businessinsider.com/core-scientific-shareholder-oppose-coreweave-takeover-bid-2025-10,2025-10-17T21:44:09Z,"Michael Intrator, CoreWeave's CEOTom Williams/CQ-Roll Call, Inc via Getty Images
94
+ <ul><li>CoreWeave's rapid growth has thrust it into the center of a growing debate about an AI bubble.</li><li>In Jul… [+7588 chars]"
95
+ Yahoo Entertainment,Rian Howlett,"Stock market today: Dow sinks 800 points, S&P 500 and Nasdaq see worst day since April as Trump's renewed tariff threats spook Wall Street",Markets tumble to end the week as President Trump renewed tariff threats on China.,https://finance.yahoo.com/news/live/stock-market-today-dow-sinks-800-points-sp-500-and-nasdaq-see-worst-day-since-april-as-trumps-renewed-tariff-threats-spook-wall-street-200026352.html,2025-10-10T20:00:26Z,"US stocks closed sharply lower on Friday as President Trump and China traded blows on tariffs, with Trump threatening a ""massive increase"" in duties on Chinese goods.
96
+ The Dow Jones Industrial Averag… [+11161 chars]"
97
+ Yahoo Entertainment,Radek Strnad,WD-40 (WDFC) Reports Q3: Everything You Need To Know Ahead Of Earnings,Household products company WD-40 (NASDAQ:WDFC) will be reporting results this Wednesday after market hours. Here’s what investors should know.,https://finance.yahoo.com/news/wd-40-wdfc-reports-q3-030612703.html,2025-10-21T03:06:12Z,"Household products company WD-40 (NASDAQ:WDFC) will be reporting results this Wednesday after market hours. Heres what investors should know.
98
+ WD-40 missed analysts revenue expectations by 2.3% last … [+2214 chars]"
99
+ Kotaku,Joe Tilleli,This Marshall Portable Bluetooth Speaker Drops Even Lower Than Its Prime Day Price as Amazon Quietly Clears Out Stock,"Nearly 50% off on the Marshall Emberton II portable Bluetooth speaker in black and brass.
100
+ The post This Marshall Portable Bluetooth Speaker Drops Even Lower Than Its Prime Day Price as Amazon Quietly Clears Out Stock appeared first on Kotaku.",https://kotaku.com/this-marshall-portable-bluetooth-speaker-drops-even-lower-than-its-prime-day-price-as-amazon-quietly-clears-out-stock-2000634630,2025-10-14T14:10:36Z,"Amazon’s Prime Big Deals Days has come and gone. This was the online retail giant’s two-day sales event where you’re able to save big on TVs, tablets, coffee makers, and pretty much anything else. Th… [+2194 chars]"
101
+ Business Insider,Aditi Bharade,An early Pop Mart investor said Chinese brands that want to make it big need to set their eyes on one market early on,David He from Black Ant Capital said Chinese companies should set their eyes on the US early on.,https://www.businessinsider.com/pop-mart-investor-chinese-brands-us-market-early-2025-10,2025-10-09T04:41:42Z,"An early Pop Mart investor said there is one market Chinese brands need to gun for early on.Costfoto/NurPhoto via Getty Images
102
+ <ul><li>A Pop Mart investor said Chinese companies that want to succeed… [+2270 chars]"
103
+ Kotaku,Kotaku Deals,"Amazon Clears Out Govee Smart Lamp Stock, Now Selling for Less Than a Basic Floor Lamp","A smart lamp completely transforms the atmosphere.
104
+ The post Amazon Clears Out Govee Smart Lamp Stock, Now Selling for Less Than a Basic Floor Lamp appeared first on Kotaku.",https://kotaku.com/amazon-clears-out-govee-smart-lamp-stock-now-selling-for-less-than-a-basic-floor-lamp-2000632160,2025-10-07T00:35:59Z,Your living room deserves smart lighting that doesn’t drain your wallet. Smart floor lamps have become incredibly popular for transforming spaces with dynamic colors and voice control but the price t… [+3004 chars]
105
+ Slashdot.org,EditorDavid,Three-Wheeled Solar Car Maker Aptera is About to Go Public,"Last November Aptera successfully tested its first production-intent three-wheel solar-powered EV — and said it already had over 50,000 reservations. The vehicles had a solar charge range of 40 miles per day, reported Digital Trends, noting the crowdfunded co…",https://tech.slashdot.org/story/25/10/12/0237231/three-wheeled-solar-car-maker-aptera-is-about-to-go-public,2025-10-12T16:34:00Z,"Last November Aptera successfully tested its first production-intent three-wheel solar-powered EV — and said it already had over 50,000 reservations. The vehicles had a solar charge range of 40 miles… [+1848 chars]"
106
+ Yahoo Entertainment,Nauman khan,NVDA: This Analyst Sees Massive 80% Upside For Nvidia Stock -- Here's Why,HSBC Predicts Nvidia's Market Cap Could Double To $8 Trillion,https://finance.yahoo.com/news/nvda-analyst-sees-massive-80-183637187.html,2025-10-16T18:36:37Z,"This article first appeared on GuruFocus.
107
+ Oct 16 - Nvidia (NASDAQ:NVDA) gained fresh bullish momentum after HSBC raised its rating on the chipmaker to buy from hold, pointing to sustained demand for… [+1078 chars]"
108
+ Yahoo Entertainment,Anthony Richardson,The Weekend: IMF warns of global debt emergency as Reeves grapples with slowing jobs market,"Key moments from the last seven days, plus a glimpse at the week ahead.",https://uk.finance.yahoo.com/news/imf-global-debt-reeves-jobs-economy-weekend-budget-125851835.html,2025-10-18T12:58:51Z,There was a stark warning from the IMF this week as it predicted government debt across the world would hit the highest level since the aftermath of World War Two by the end of the decade. According … [+6551 chars]
109
+ Gizmodo.com,Lucas Ropek,Is the Founder of Polymarket Really the Youngest Self-Made Billionaire?,Shayne Coplan is having a good year.,https://gizmodo.com/is-the-founder-of-polymarket-really-the-youngest-self-made-billionaire-2000669910,2025-10-08T21:10:38Z,"Polymarket, the popular prediction market, has been doing really well lately. In fact, it’s been doing so well that Bloomberg is out with a new story that claims the site’s founder, Shayne Coplan, is… [+4592 chars]"
110
+ Kotaku,Kotaku Deals,"Sony’s 1000XM4 Is Now 3 Times Cheaper Than the AirPods Max, Amazon Is Clearing Out Stock for Prime Day","There’s no reason to pay over twice this price for the 1000XM6 either.
111
+ The post Sony’s 1000XM4 Is Now 3 Times Cheaper Than the AirPods Max, Amazon Is Clearing Out Stock for Prime Day appeared first on Kotaku.",https://kotaku.com/sonys-1000xm4-is-now-3-times-cheaper-than-the-airpods-max-amazon-is-clearing-out-stock-for-prime-day-2000631836,2025-10-05T22:45:58Z,"The high-end noise-canceling headphone market is more crowded than, say, Times Square during New Year’s Eve celebrations. Apple, Bose, Sonos, Sennheiser, and Sony are all fighting for your attention,… [+3013 chars]"
112
+ Yahoo Entertainment,Simply Wall St,How Recent Changes Are Shaping the Starbucks Investment Story,"Starbucks stock has recently seen its Fair Value Estimate revised downward, moving modestly from $99.38 to $97.63 per share. This adjustment comes as...",https://finance.yahoo.com/news/recent-changes-shaping-starbucks-investment-050454994.html,2025-10-09T05:04:54Z,"Starbucks stock has recently seen its Fair Value Estimate revised downward, moving modestly from $99.38 to $97.63 per share. This adjustment comes as analysts weigh optimism around operational improv… [+5938 chars]"
113
+ Kotaku,Kotaku Deals,Bose Is Quietly Selling Its QC Headphones at a New Record Low After Prime Day to Clear Out Stock,"At this price, Bose could empty every warehouse of its iconic ANC headphones.
114
+ The post Bose Is Quietly Selling Its QC Headphones at a New Record Low After Prime Day to Clear Out Stock appeared first on Kotaku.",https://kotaku.com/bose-is-quietly-selling-its-qc-headphones-at-a-new-record-low-after-prime-day-to-clear-out-stock-2000634117,2025-10-10T22:35:00Z,"Amazon’s October answer to the summer Prime Day event (Prime Big Deal Day) just wrapped up but some of the best deals are still hanging around. The Bose QuietComfort headphones are a perfect example,… [+3351 chars]"
115
+ Barchart.com,Jabran Kundi,"Dear Intel Stock Fans, Mark Your Calendars for October 23","The upcoming earnings could bring a positive surprise, but everyone has their eyes on the company's product roadmap.",https://www.barchart.com/story/news/35588511/dear-intel-stock-fans-mark-your-calendars-for-october-23,2025-10-21T15:43:43Z,"Intel (INTC) is expected to announce its Q3 earnings report later this week, and unlike the last few times, there is visibly more optimism among investors. It is not difficult to figure out why. The … [+5348 chars]"
116
+ Business Insider,Theron Mohamed,"People are chasing AI stocks like 'dogs chase cars' — and a crash looks certain, veteran investor Bill Smead says","Bill Smead said ""momentum"" is fueling the AI boom, the tech's potential is already priced in, and it's almost a replay of the dot-com bubble.",https://www.businessinsider.com/ai-stocks-bubble-crash-smead-market-outlook-nvidia-openai-tech-2025-9,2025-09-30T14:29:23Z,"Bill SmeadChristopher Goodney/Bloomberg via Getty Images
117
+ <ul><li>The AI boom is being fueled by ""momentum"" as investors chase huge stock gains, Bill Smead said.</li><li>The value investor said surgi… [+3090 chars]"
118
+ Yahoo Entertainment,Simply Wall St,Polestar (NasdaqGM:PSNY): Assessing Valuation as Shares Continue Recent Slide,"Polestar Automotive Holding UK (NasdaqGM:PSNY) shares dipped 3% in the past day, continuing a challenging trend for the EV maker. Over the past month, the...",https://finance.yahoo.com/news/polestar-nasdaqgm-psny-assessing-valuation-070820516.html,2025-10-20T07:08:20Z,"Polestar Automotive Holding UK (NasdaqGM:PSNY) shares dipped 3% in the past day, continuing a challenging trend for the EV maker. Over the past month, the stock has dropped 10%. This reflects ongoing… [+3881 chars]"
119
+ Yahoo Entertainment,Anirudha Bhagat,NVDA vs. AMD: Which AI Hardware Stock Has Better Investment Potential?,"NVIDIA's dominance in AI chips, booming data center sales and expanding partnerships give it an edge over AMD in the race for AI hardware leadership.",https://finance.yahoo.com/news/nvda-vs-amd-ai-hardware-123500021.html,2025-10-15T12:35:00Z,"NVIDIA Corporation NVDA and Advanced Micro Devices, Inc. AMD sit at the center of the artificial intelligence (AI) hardware revolution. Both are crucial players in the semiconductor space, competing … [+5531 chars]"
120
+ Yahoo Entertainment,Reuters,India's stock benchmarks set to open flat after 7-session losing run,"Both the Nifty and the BSE Sensex have lost about 3.1% in the last seven sessions, their longest losing streak in nearly seven months. ""Persistent foreign...",https://sg.finance.yahoo.com/news/indias-stock-benchmarks-set-open-021844170.html,2025-09-30T02:18:44Z,"(Reuters) -India's equity benchmarks are poised to open little changed on Tuesday after falling for seven straight sessions, hurt by steep U.S. tariffs and a hike in the H-1B visa fee, while caution … [+2060 chars]"
121
+ Barchart.com,Sristi Suman Jayaswal,"Plug Power Just Named a New CEO. Should You Buy, Sell, or Hold PLUG Stock Here?",Plug Power is back in the spotlight with fresh leadership news.,https://www.barchart.com/story/news/35463129/plug-power-just-named-a-new-ceo-should-you-buy-sell-or-hold-plug-stock-here,2025-10-15T13:00:02Z,"Hydrogen might not make daily headlines, but its quietly powering the clean energy revolution. From fueling futuristic vehicles to driving heavy industry, global demand hit 97 million metric tons in … [+5956 chars]"
122
+ Yahoo Entertainment,Simply Wall St,Is Applied Materials’ Surge Justified After US Chip Investment News in 2025?,"If you are weighing your next move on Applied Materials, you are not alone. The stock has been on quite a ride lately, climbing an impressive 17.3% in just...",https://finance.yahoo.com/news/applied-materials-surge-justified-us-110636082.html,2025-09-23T11:06:36Z,"If you are weighing your next move on Applied Materials, you are not alone. The stock has been on quite a ride lately, climbing an impressive 17.3% in just the past week and soaring 23.4% over the la… [+6820 chars]"
123
+ Yahoo Entertainment,Mediaite,CNBC Star 'Anxious' Wall Street Is 'Reliving' 1929 Crash,CNBC star Andrew Ross Sorkin said he is anxious Wall Street is racing towards a stock market crash like the one that rocked investors in 1929.,https://www.yahoo.com/news/videos/cnbc-star-anxious-wall-street-004026325.html,2025-10-13T00:40:26Z,CNBC star Andrew Ross Sorkin said he is anxious Wall Street is racing towards a stock market crash like the one that rocked investors in 1929.
124
+ Yahoo Entertainment,Yahoo Finance Video,"SAP probe, Jabil falls, Birkenstock outlook: Trending Tickers","Market Catalysts host Julie Hyman tracks several of the day's top trending stock tickers, including the European Union's (EU) antitrust probe into SAP (SAP),...",https://finance.yahoo.com/video/sap-probe-jabil-falls-birkenstock-144823059.html,2025-09-25T14:48:23Z,"Now time for some of today's trending tickers. We are watching SAP, Jable and Birkenstock. First up, SAP. The European Commission launched an anti-trust probe into the German software giant, citing c… [+1385 chars]"
125
+ Business Insider,Bradley Saacks,"Hedge fund September returns: Here's how Citadel, Balyasny, and ExodusPoint have performed so far this year",Big-name funds were mostly unable to keep up with the S&P 500's gains in September.,https://www.businessinsider.com/september-hedge-funds-performance-citadel-balyasny-2025-10,2025-10-01T18:25:55Z,"Citadel's Ken GriffinMichael M. Santiago/Getty Images
126
+ <ul><li>Multistrategy hedge funds were mostly positive in September.</li><li>Managers like Citadel, Balyasny, and ExodusPoint added to their gai… [+2110 chars]"
127
+ Kotaku,Kotaku Deals,"Roborock Saros 10R $1,600 Robot Vacuum Is Now Selling for Peanuts, Amazon Is Quietly Clearing Out All Its Stock","The Roborock Saros 10R ranks among the world’s top three robot vacuums with mops for performance.
128
+ The post Roborock Saros 10R $1,600 Robot Vacuum Is Now Selling for Peanuts, Amazon Is Quietly Clearing Out All Its Stock appeared first on Kotaku.",https://kotaku.com/roborock-saros-10r-1600-robot-vacuum-is-now-selling-for-peanuts-amazon-is-quietly-clearing-out-all-its-stock-2000633116,2025-10-08T10:13:50Z,"Robot vacuums have evolved far beyond the basic “bump-and-spin” models that once dominated store shelves at budget prices. Roborock has firmly planted itself in the luxury segment of this market, whe… [+3467 chars]"
129
+ Yahoo Entertainment,Zacks Equity Research,Why Duke Energy Stock Deserves a Spot in Your Portfolio Right Now,DUK's $190-$200 billion investment plan and expanding renewable portfolio make it a standout utility stock pick.,https://finance.yahoo.com/news/why-duke-energy-stock-deserves-122400496.html,2025-10-08T12:24:00Z,Duke Energy DUK continues to invest consistently in infrastructure and expansion projects to enhance service reliability for its customers. The company is also progressively increasing its renewable … [+3882 chars]
130
+ Business Insider,katherineli@insider.com (Katherine Li),Peloton jacks membership prices and leans into AI in post-pandemic comeback push,Peloton is attempting a post-pandemic comeback with higher membership prices and AI-powered hardware among its new Cross Training Series.,https://www.businessinsider.com/peloton-cross-training-series-membership-price-increase-2025-10,2025-10-01T22:39:44Z,"Peloton is aiming for a grand comeback ahead of the holidays.
131
+ The company has been struggling after its meteoric rise during the pandemic.
132
+ Its latest release? A $6,695 treadmill equipped with AI, a… [+2453 chars]"
133
+ Business Insider,Dan DeFrancesco,Jimmy Kimmel's return doesn't mean the end of Disney's problems,"Now that Jimmy Kimmel's show has become a lightning rod, any decision about it going forward will be viewed with a magnifying glass.",https://www.businessinsider.com/jimmy-kimmel-live-returns-disney-problems-2025-9,2025-09-23T13:46:23Z,"Host Jimmy Kimmel speaks onstage during the 95th Annual Academy Awards at Dolby Theatre on March 12, 2023 in Hollywood, California.Kevin Winter/Getty Images
134
+ <ul><li>This post originally appeared in … [+8291 chars]"
135
+ Yahoo Entertainment,Radek Strnad,1 Unpopular Stock That Deserves Some Love and 2 We Brush Off,Wall Street’s bearish price targets for the stocks in this article signal serious concerns. Such forecasts are uncommon in an industry where maintaining...,https://finance.yahoo.com/news/1-unpopular-stock-deserves-love-043920383.html,2025-10-20T04:39:20Z,Wall Streets bearish price targets for the stocks in this article signal serious concerns. Such forecasts are uncommon in an industry where maintaining cordial corporate relationships often trumps de… [+2801 chars]
136
+ Business Insider,Thibault Spirlet,An economist and ex-central banker shares 5 investing rules to help Gen Z and millennials build wealth — and beat the market,"Economist David McWilliams said Gen Z and millennials can outsmart a 'rigged' system by mastering money, interest rates, and smart investing.",https://www.businessinsider.com/ex-central-banker-shares-5-investing-rules-help-genz-build-wealth-2025-10,2025-10-10T10:25:44Z,"Ex—central banker David McWilliams says Gen Z can beat a rigged system by mastering money.Sheldon Cooper/SOPA Images/LightRocket via Getty Images
137
+ <ul><li>David McWilliams says Gen Z and millennials … [+4843 chars]"
138
+ Yahoo Entertainment,Nick Lichtenberg,"Top analyst still thinks we’re on the cusp of a new boom for the economy, but investors aren’t with him: ‘Markets remain choppy’",Morgan Stanley’s Mike Wilson says he needs to see more before giving the “all-clear” on chances of a further near-term correction.,https://finance.yahoo.com/news/top-analyst-still-thinks-cusp-171302613.html,2025-10-20T17:13:02Z,"Morgan Stanley chief equity analyst Mike Wilson has been saying for years the U.S. was in a rolling recession when economists were seeing nothing but GDP growth. Since April, hes been declaring a rol… [+5348 chars]"
139
+ Yahoo Entertainment,Jamie Stone,Top 5 Investments Boomers Should Make in Retirement — Even if It’s Begrudgingly,Even reluctant investors can benefit from these 5 smart retirement moves. Learn where boomers should put their money to stay secure and grow wealth.,https://finance.yahoo.com/news/top-5-investments-boomers-retirement-125507372.html,2025-10-03T12:55:07Z,"While baby boomers may prefer the comfort of traditional savings accounts and certificates of deposit (CDs), financial experts are urging retirees to embrace investments they might otherwise avoid.
140
+ … [+2256 chars]"
141
+ The Hill,"Jonathan Russo, opinion contributor","Opinion - Crypto world, buckle up for the rug-pull of all time","The crypto market is ripe for a rug pull, with insiders profiting from the inflated valuations of meme coins, crypto treasury stocks, and other scams...",https://thehill.com/opinion/finance/5548075-crypto-rug-pull-warning/,2025-10-10T16:00:00Z,"I have, like so many others, been wrong about Bitcoin and crypto. But timing is not destination, and I believe one day there will be a rug-pull that will wipe trillions off the face of the crypto ear… [+4766 chars]"
142
+ Yahoo Entertainment,Simply Wall St,Boeing (BA): Evaluating Valuation After Major Jet Orders and FAA Certification Boost,"If you’re watching Boeing’s stock this week and wondering whether it’s finally time to make a move, you’re not alone. The company just landed a trio of...",https://finance.yahoo.com/news/boeing-ba-evaluating-valuation-major-111522177.html,2025-09-28T11:15:22Z,"If youre watching Boeings stock this week and wondering whether its finally time to make a move, youre not alone. The company just landed a trio of headline-grabbing aircraft orders: Turkish Airlines… [+4595 chars]"
143
+ Barchart.com,Sushree Mohanty,This Under-the-Radar Data Center Stock Is Soaring Thanks to the AI Boom,"With demand accelerating, Arista’s AI future looks dynamic.",https://www.barchart.com/story/news/34960304/this-under-the-radar-data-center-stock-is-soaring-thanks-to-the-ai-boom,2025-09-22T17:43:43Z,"As the artificial intelligence (AI) wave grows into a tsunami, Arista Networks (ANET), an often-overlooked business in the data center ecosystem, is emerging as one of the big winners. Arista stock h… [+5157 chars]"
144
+ Yahoo Entertainment,Tirthankar Chakraborty,BBAI or SOUN: Which AI Stock Deserves a Spot in Your Portfolio?,"BigBear.ai's shrinking revenues and deepening losses highlight weak fundamentals, while SoundHound's surging sales and cash strength draw investor optimism.",https://finance.yahoo.com/news/bbai-soun-ai-stock-deserves-190000034.html,2025-10-14T19:00:00Z,"BigBear.ai Holdings, Inc. BBAI, which provides artificial intelligence (AI)-driven data analytics solutions to both the U.S. government and private-sector companies, saw its shares soar more than 400… [+4259 chars]"
145
+ Yahoo Entertainment,Alex Kimani,Trump’s Takeover Of Canadian Rare Earths Miners Raises Major Concerns,"Washington doubles down on critical minerals, with the Trump administration buying stakes in companies like Trilogy Metals, MP Materials, and Lithium...",https://finance.yahoo.com/news/trump-takeover-canadian-rare-earths-000000815.html,2025-10-14T00:00:00Z,"The U.S. stock market plunged by the widest margin in six months on Friday, with the S&amp;P 500 shedding nearly 3% after President Donald Trump threatened “a massive increase of tariffs on Chinese p… [+5690 chars]"
146
+ Yahoo Entertainment,,The S&P 500 Is Poised to Do Something That's Only Happened 11 Times in 100 Years -- and It Could Signal a Big Move for the Stock Market in 2026,,https://consent.yahoo.com/v2/collectConsent?sessionId=1_cc-session_8f164d4e-c6e3-4732-a421-e2071d8c94d7,2025-10-14T08:44:00Z,"If you click 'Accept all', we and our partners, including 237 who are part of the IAB Transparency &amp; Consent Framework, will also store and/or access information on a device (in other words, use … [+714 chars]"
147
+ Yahoo Entertainment,Chris Kirkham,Analysis-Musk's record Tesla package will pay him tens of billions even if he misses most goals,"LOS ANGELES (Reuters) -When Tesla directors offered Elon Musk the biggest executive pay package in corporate history in September, it reassured investors...",https://finance.yahoo.com/news/analysis-musks-record-tesla-package-100309588.html,2025-10-09T10:03:09Z,"By Chris Kirkham, Rachael Levy and Abhirup Roy
148
+ LOS ANGELES (Reuters) -When Tesla (TSLA) directors offered Elon Musk the biggest executive pay package in corporate history in September, it reassured … [+8412 chars]"
149
+ Yahoo Entertainment,Zacks Equity Research,"SoundHound AI, Inc. (SOUN) Exceeds Market Returns: Some Facts to Consider","SoundHound AI, Inc. (SOUN) closed the most recent trading day at $18.25, moving +2.24% from the previous trading session.",https://finance.yahoo.com/news/soundhound-ai-inc-soun-exceeds-214505837.html,2025-10-06T21:45:05Z,"In the latest trading session, SoundHound AI, Inc. (SOUN) closed at $18.25, marking a +2.24% move from the previous day. The stock exceeded the S&amp;P 500, which registered a gain of 0.37% for the d… [+2435 chars]"
150
+ Yahoo Entertainment,Zacks Equity Research,AMD Gains Traction in AI Infrastructure Market: A Sign of More Upside?,"Advanced Micro Devices' growth is driven by AI footprint with record sales, new Instinct MI350 GPUs and major partnerships.",https://finance.yahoo.com/news/amd-gains-traction-ai-infrastructure-164000247.html,2025-09-25T16:40:00Z,"Advanced Micro Devices AMD is benefiting from strong traction in the AI infrastructure market, driven by its advanced product portfolio and strategic investments in AI hardware and software. 
151
+ The co… [+3800 chars]"
152
+ Business Insider,Katie Notopoulos,"Nvidia plans to invest $100 billion into OpenAI. That's uh, a lot of money.",$100 billion is worth something like 333 AI researchers with Meta salaries.,https://www.businessinsider.com/nvidia-100-billion-openai-data-centers-scale-2025-9,2025-09-22T20:26:46Z,"Sam AltmanAndrew Harnik/Getty Images
153
+ <ul><li>Nvidia is investing huge amounts into OpenAI to help build more data centers.</li><li>They plan to build ""at least 10 gigawatts"" worth of data centers us… [+1621 chars]"
154
+ Business Insider,Alistair Barr,OpenAI's SaaS attack has begun. Here are the companies in the firing line.,"OpenAI showed off new AI tools for sales, support, and contracts, posing a direct threat to software-as-a-service leaders like Salesforce and HubSpot.",https://www.businessinsider.com/openai-saas-attack-hubspot-salesforce-docusign-zoominfo-2025-9,2025-09-30T23:47:08Z,"Sam Altman, CEO of OpenAI, meeting officials in Berlin.Florian Gaertner/Reuters
155
+ <ul><li>OpenAI showed off new workplace applications, entering the SaaS market as a competitor.</li><li>The move chall… [+3983 chars]"
156
+ CBS News,S.E. Jenkins,"SEC approves Texas Stock Exchange, first new US integrated exchange in decades","The SEC approved TXSE ​as a national securities exchange, paving the way for the first new, fully integrated U.S. stock exchange in decades — and the only one based in Texas.",https://www.cbsnews.com/texas/news/sec-approves-texas-stock-exchange-txse/,2025-10-04T16:04:24Z,"The Securities and Exchange Commission approved Tuesday the Texas Stock Exchange (TXSE) as a national securities exchange, paving the way for the first new, fully integrated U.S. stock exchange in de… [+2453 chars]"
157
+ Yahoo Entertainment,Simply Wall St,Top Dividend Stocks To Enhance Your Portfolio,"As the U.S. markets experience a strong start to the week, with major indices climbing over 1%, investors are keenly watching for corporate earnings and...",https://finance.yahoo.com/news/top-dividend-stocks-enhance-portfolio-113156039.html,2025-10-21T11:31:56Z,"As the U.S. markets experience a strong start to the week, with major indices climbing over 1%, investors are keenly watching for corporate earnings and economic data that could influence Federal Res… [+5439 chars]"
158
+ Quartz India,Catherine Baab,"Retail investors buy stocks in droves, fueling Wall Street bubble fears","Is this the bull market's final act? As mom-and-pop investors pile in, Wall Street observers hear echoes of past bubbles",https://qz.com/retail-investors-stock-market-wall-street,2025-10-10T12:20:45Z,"Retail investors are buying stocks in force and pushing up stock prices a dynamic thats spooking some veteran Wall Street analysts and observers.
159
+ According to data released this week , Citigroups in… [+3013 chars]"
160
+ Kotaku,Ethan Gach,The Steam Deck Just Went On Sale And Is Killing The Competition On Price,"Valve is shaving $80 off the PC gaming handheld for the fall Steam sale
161
+ The post The Steam Deck Just Went On Sale And Is Killing The Competition On Price appeared first on Kotaku.",https://kotaku.com/autumn-2025-steam-deck-sale-cheap-pc-gaming-handheld-2000627631,2025-09-22T18:51:52Z,"Despite a trade war and rising inflation, the three-year-old Steam Deck hasn’t gone up in price yet. In fact, it just got a pretty major discount. The $400 LCD model will be 20 percent off for the 20… [+1919 chars]"
162
+ Yahoo Entertainment,Arghyadeep Bose,Microvast Skyrockets 119% YTD: Is It a Must-Have Stock Now?,MVST's sharp rally and bold battery breakthroughs are turning heads. Can the momentum last?,https://finance.yahoo.com/news/microvast-skyrockets-119-ytd-must-160600141.html,2025-10-10T16:06:00Z,"Microvast Holdings MVST shares have experienced outstanding growth over the year-to-date period. It has skyrocketed 119.4% during the period, outperforming the 44.3% rise of its industry and the 15.7… [+4703 chars]"
163
+ Yahoo Entertainment,Simply Wall St,3 Reliable Dividend Stocks Offering Up To 7.1% Yield,"Amidst recent fluctuations in major stock indexes, with the S&P 500 and Nasdaq reaching new highs before pulling back, investors are increasingly seeking...",https://finance.yahoo.com/news/3-reliable-dividend-stocks-offering-173152475.html,2025-10-07T17:31:52Z,"Amidst recent fluctuations in major stock indexes, with the S&amp;P 500 and Nasdaq reaching new highs before pulling back, investors are increasingly seeking stability through dividend stocks. In suc… [+5334 chars]"
164
+ TheStreet,Moz Farooque,IonQ CEO just threw a curveball at Nvidia,"In 2025, the quantum computing space essentially broke out of obscurity, with AI’s unrelenting demand spilling into virtually every compute bottleneck. For...",https://www.thestreet.com/technology/ionq-ceo-just-threw-a-curveball-at-nvidia,2025-10-15T02:33:00Z,"In 2025, the quantum computing space essentially broke out of obscurity, with AIs unrelenting demand spilling into virtually every compute bottleneck.
165
+ For perspective, the quantum cohort, as I like … [+4644 chars]"
166
+ Business Insider,Alex Nicoll,'Cockroach' jabs and regional bank breakdowns: The week private credit's 'golden' narrative got a little less shiny,"After years of hype, private credit had a rough week — as bank troubles and new warnings sparked a wave of scrutiny.",https://www.businessinsider.com/private-credit-bad-week-concerns-dimon-cockroach-comment-2025-10,2025-10-18T10:02:01Z,"Noam Galai/Getty Images/Carlo Allegri/Reuters/Jeff Swensen/Getty Images
167
+ <ul><li>Jamie Dimon's concern over ""cockroaches"" in credit has spawned a debate about private credit.</li><li>While some indus… [+7676 chars]"
168
+ Business Insider,Katherine Li,"Meet Lisa Su: CEO and president of Advanced Micro Devices, the main competitor to Nvidia","Lisa Su is the CEO behind AMD's meteoric rise, with the ambition to lead the AI chips industry and become a formidable rival to Nvidia.",https://www.businessinsider.com/meet-lisa-su-ceo-and-president-of-advanced-micro-device,2025-10-05T10:16:01Z,"Lisa Su is widely credited for accomplishing one of the most dramatic turnarounds in the tech industry, bringing AMD from a struggling company to an industry leader with a market cap of more than $27… [+10605 chars]"
169
+ Business Insider,jmann@insider.com (Jyoti Mann),Klarna chairman sent a stark post-IPO message to CEO: 'We're 10 years behind Revolut',Klarna CEO Sebastian Siemiatkowski kicked off its internal conference for employees last week with a rap performance.,https://www.businessinsider.com/klarna-ceo-chairman-ipo-message-behind-revolut-2025-9,2025-09-24T13:24:37Z,"At Klarna's big employee conference last week in Stockholm, CEO Sebastian Siemiatkowski swapped spreadsheets for a rap performance and then confronted a sobering reality. Even as Klarna basks in its … [+2318 chars]"
red.py ADDED
@@ -0,0 +1,31 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import requests
2
+ import pandas as pd
3
+ import time
4
+
5
+ # Parameters
6
+ BASE_URL = "https://api.pullpush.io/reddit/search/comment/"
7
+ params = {"subreddit": "wallstreetbets", "q": "stock", "size": 100}
8
+
9
+ resp = requests.get(BASE_URL, params=params)
10
+ data = resp.json()["data"]
11
+
12
+ # Map Reddit fields to your CSV schema
13
+ records = []
14
+ for c in data:
15
+ records.append({
16
+ "source": "reddit", # All come from Reddit
17
+ "author": c.get("author"), # Reddit username
18
+ "title": None, # Reddit comments don't have a title
19
+ "description": None, # Optional
20
+ "url": f"https://reddit.com{c.get('permalink','')}", # link to comment
21
+ "publishedAt": pd.to_datetime(c.get("created_utc"), unit='s'),
22
+ "content": c.get("body") # actual comment text
23
+ })
24
+
25
+ # Create DataFrame with exact column order
26
+ df = pd.DataFrame(records, columns=["source","author","title","description","url","publishedAt","content"])
27
+
28
+ # Save to CSV
29
+ df.to_csv("reddit_data.csv", index=False, encoding="utf-8")
30
+ print(f"✅ Saved {len(df)} Reddit comments to reddit_data.csv")
31
+ print(df.head())
reddit_data.csv ADDED
@@ -0,0 +1,214 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ source,author,title,description,url,publishedAt,content
2
+ reddit,Strange-Objective436,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mre5g9d/,2025-05-09 09:41:49,"Mara is a piece of sheet stock so is anybody who buys it
3
+
4
+ Buy mstr or fuk off"
5
+ reddit,IFartInCursive,,,https://reddit.com/r/wallstreetbets/comments/1kidq5r/world_stocks_mostly_gain_helped_by_hopes_for/mre4j6n/,2025-05-09 09:32:08,"I don't really see a sustained rebound happening. The trade deal with the UK is a nothing burger being paraded around like a huge deal. The best trade situation for china-us was before the tariffs, anything that is negotiated since those tariffs cannot improve on what there was before. The dollar is steadily losing its status thanks to mangoman and that's not going to stop anytime soon because an idiot is in the driver's seat and he keeps doing ridiculous shit with his elementary school understanding of trade. He's basically signed in a recession on an economy that was only really growing in the stock market, the foundations of the us economy have been fragile for a while with bad jobs, low pay,  and the gutting of federal programs and social services will leave many more in poverty and unable to spend. It's a disaster waiting to come to the surface. "
6
+ reddit,Legitimate_Try2910,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mre4bwk/,2025-05-09 09:30:00,Anyone else been milking GooG stock?
7
+ reddit,VanHoangNguyen,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mre3gv3/,2025-05-09 09:20:49,This stock is cursed to be honest ![img](emote|t5_2th52|52627)
8
+ reddit,Familiar_Quail_4337,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mre2wf6/,2025-05-09 09:14:48,"where? i mean it s spring yes, green on the fields, but red on the stocks"
9
+ reddit,LukesBendingOver,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mre1jt9/,2025-05-09 09:00:06,Pour one out for the FUBO homies. They has a solid 24-48 hour meme pump several moths back and tried to spam their trash bin stock was headed for the moon. Hopefully no one got too badly hurt buying that garbage for anything over $3 a share
10
+ reddit,AtlasComputingX,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mre10vo/,2025-05-09 08:54:25,Crypto pumping stocks going down on no bad news what a world we live in
11
+ reddit,the_brown_saber,,,https://reddit.com/r/wallstreetbets/comments/1kibgce/retail_investors_us_singlehandedly_carry_the/mre0f9x/,2025-05-09 08:47:56,"lol, he already bought other stuff with Tesla stock, he's got his golden parachute."
12
+ reddit,CallMeEpiphany,,,https://reddit.com/r/wallstreetbets/comments/1kicj25/cloudflare_q1_2025_reports_revenue_growth_stock/mre0c8h/,2025-05-09 08:47:02,"They have gone from an operating income of -$100M to -$137M over the last 5 years. However, they also went from -$75M in cash flow to $213M in positive cash flow.
13
+
14
+ One might wonder. If the company is generating, where does it go?
15
+
16
+ Answer: Stock compensation, which has ballooned from $56M to $360M.
17
+
18
+ This company is an exit vehicle designed to trap naive tech investors while the insiders continue to cash out on high stock prices.
19
+
20
+ I work in tech. There is a reason we call IPOs an ""exit""."
21
+ reddit,PrthReddits,,,https://reddit.com/r/wallstreetbets/comments/1ki9s5n/chinas_april_exports_jump_81_to_beat_estimates/mrdzjs3/,2025-05-09 08:38:29,"Point is that should compress multiples but this market is regarded
22
+
23
+ The only cheap and high quality stock I see is Goog at 15 forward pe
24
+
25
+ Rest are overpriced to me given the macroeconomic backdrop
26
+
27
+ It reminds me of 2022 slow burn"
28
+ reddit,gargeug,,,https://reddit.com/r/wallstreetbets/comments/1khvj0b/san_francisco_unsold_homes_pile_up_43_year_over/mrdz9oh/,2025-05-09 08:35:25,"Yes. The REITs are having an effect out there but nobody calls them out on it. Mainly because it is all of our retirement money propping them up. Like some big circle of our current selves helping our later selves, but our later selves hurting our current selves.
29
+
30
+ I don't think there is 1 group that can be singly to blame for the bulk of it. Older boomers who can't sell due to market, Airbnb owners, REIT rental investments. Each one of these is in single digit % owner ship of a city's housing stock, but add them all up and it starts to be a real %.
31
+
32
+ The one single faction to blame is human nature. We can all see that someone has to lose, but none of us want to be the one to do it. That is the only reason we are in a gridlock and the only way it unsticks itself is if someone is forced to lose."
33
+ reddit,Yorokobi_to_itami,,,https://reddit.com/r/wallstreetbets/comments/1kibs3i/qbts_might_not_be_done/mrdycnb/,2025-05-09 08:25:28,Hey... shut the hell up about my stock till I finish loading up...
34
+ reddit,AdSuspicious8005,,,https://reddit.com/r/wallstreetbets/comments/1khymf8/50k_on_unitedhealth_ridiculously_cheap_stock/mrdxt3r/,2025-05-09 08:19:40,That's one of the worst weekly charts I've ever seen in a large cap stock in my life. Actually the worst
35
+ reddit,Icy_Low_2400,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdxgsi/,2025-05-09 08:16:01,"had to check the transcript for that ""And if that happens on top of all of these uh trade deals that we're doing this country will hit a point that uh you better go out and buy stock now Let me tell you this this country will will be like a rocket ship that goes straight up This is going to be numbers that nobody's ever seen before Uh that's a very important element of all of this You know if we get that if you don't and and the Democrats are fighting it only because they want to fight"" thank you, was wondering what he said about stocks. Does not seem like its going to be like a tariffs are going away tomorrow thing. Hes just saying the same shit as always, market will be so strong thanks to me and my tariffs, not tomorrow but eventually. Was feeling poots with this volume but dont know now for today."
36
+ reddit,mygoalistomakeulol,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdwvrf/,2025-05-09 08:09:41,He said the words rocket ship stocks and buy in the same sentence and some of you fucking retards are holding puts lol 😂 ![img](emote|t5_2th52|4271)![img](emote|t5_2th52|4271)![img](emote|t5_2th52|4267)![img](emote|t5_2th52|4271)
37
+ reddit,POpportunity6336,,,https://reddit.com/r/wallstreetbets/comments/1kibgce/retail_investors_us_singlehandedly_carry_the/mrdwfsl/,2025-05-09 08:04:54,"An individual investor can be a whale. In fact, I bet 20% of degenerate gamblers trade 80% of retail stocks, from their trust fund accounts."
38
+ reddit,TheCyberHuman,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdvx3a/,2025-05-09 07:59:24,"I just bought NVDA calls because 🥭said buy your stocks, i hope i do not get scammed ![img](emote|t5_2th52|4271)"
39
+ reddit,AgeOfThePenguins,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdv75k/,2025-05-09 07:51:48,"i think i need to buy crypto instead of the ""sane"", ""non-foolhardy"" stocks"
40
+ reddit,ModestGenius66,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrduv62/,2025-05-09 07:48:19,"R/stocks is tds central. Because they are all regarded in the same way, they quarrel less."
41
+ reddit,Majestic_Sympathy162,,,https://reddit.com/r/wallstreetbets/comments/1kibgce/retail_investors_us_singlehandedly_carry_the/mrdusp4/,2025-05-09 07:47:35,"Retail put 40bil in the stock market in April. News keeps saying it. But news won't say total inflow or what institutional buying put in. Annoying. It makes me want to sell, but them being devious about what info they're actually sharing makes me want to keep buying."
42
+ reddit,Leo-110,,,https://reddit.com/r/wallstreetbets/comments/1kicsoj/ive_got_lucky_870_in_30_min/mrdupg8/,2025-05-09 07:46:38,how do i invest in euro stock in the us
43
+ reddit,GEMMYbucket,,,https://reddit.com/r/wallstreetbets/comments/1kia150/high_school_student_lose_it_all_on_amd_options/mrdu2fd/,2025-05-09 07:39:50,take out a huge high interest loan and throw it all into GMEstocks and trump stocks :P not financial advice
44
+ reddit,Majestic_Sympathy162,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdtygs/,2025-05-09 07:38:38,Stock market ate the gum and is floating towards the fan at the top of the room. That scene gave me nightmares as a kid.
45
+ reddit,Vimes76,,,https://reddit.com/r/wallstreetbets/comments/1kibgce/retail_investors_us_singlehandedly_carry_the/mrdtkdj/,2025-05-09 07:34:25,I feel like the ridiculous number that gets banded around is misleading for Berkshire. They have increased their cash position but they are still something like 70% in stocks &amp; bonds and whatnot.
46
+ reddit,CheapAttempt2431,,,https://reddit.com/r/wallstreetbets/comments/1kibgce/retail_investors_us_singlehandedly_carry_the/mrdsxxi/,2025-05-09 07:27:41,"The stock market is becoming a Ponzi scheme, the only reason people are buying is “stonks only go up”. Can’t last forever"
47
+ reddit,LittlePotatoChips,,,https://reddit.com/r/wallstreetbets/comments/1khyevg/bull_14m_yolo/mrdstvg/,2025-05-09 07:26:28,"You should have bought it in Webull, to contribute some commission and boost your stock earning next quarter. ![img](emote|t5_2th52|4271)"
48
+ reddit,Spara-Extreme,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrds89l/,2025-05-09 07:20:09,"I'm with you on both accounts. Like this house of cards should crumble but I swear to god they've figured out the hack. Anytime things are shaky, just announce something - it doesn't matter if its not real, nobody checks up on it. Then just watch the pumping.
49
+
50
+ Its like they've unlocked infinite stock growth."
51
+ reddit,alfapredator,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrds4m5/,2025-05-09 07:19:05,# it's because you buy stocks in a downtrend! it never quite works out.
52
+ reddit,Few-Okra199,,,https://reddit.com/r/wallstreetbets/comments/1kiafz8/the_emperor_provides/mrdqqd7/,2025-05-09 07:04:33,"You guys ever looked at games workshop stock ? I've been putting in a solid amount since COVID
53
+
54
+
55
+ One of my best investments "
56
+ reddit,Sco_420,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdpomd/,2025-05-09 06:53:59,"Bitcoin at $103k, trump said buy stocks and people in here are considering puts?
57
+
58
+ ![img](emote|t5_2th52|4271)"
59
+ reddit,AlpsSad1364,,,https://reddit.com/r/wallstreetbets/comments/1kibgce/retail_investors_us_singlehandedly_carry_the/mrdpm4w/,2025-05-09 06:53:16,"The Economist had a similar article this week:
60
+
61
+
62
+ https://archive.ph/D2pIv
63
+
64
+
65
+ Retail has become a kind of balancing mechanism for the market because it doesn't have risk controls (or even awareness).
66
+
67
+
68
+ However it has also lead to huge skew in the market with popular stocks very expensive, retail heavy stonks completely unanchored and unpopular stocks undervalued. Price discovery barely happens anymore: stocks trade on news events not fundamentals and narratives are simplistic, first order thinking.
69
+
70
+
71
+ Works great until it doesn't. TSLA is the poster child: the stock keeps going up even as the fundamentals are collapsing. Very soon one the biggest stocks in the world will be loss making with declining sales and guidance but a significant amount of global capital will be tied up in it's shares. How does that resolve? I don't know but I suspect it will give the whole market indigestion."
72
+ reddit,rbraalih,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdoiqb/,2025-05-09 06:42:23,"It's all computer therefore all stocks are meme stocks.
73
+
74
+ That is all"
75
+ reddit,summer_plays_,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdoimv/,2025-05-09 06:42:22,what stocks though?![img](emote|t5_2th52|4258)
76
+ reddit,invest_in_waffles,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdoa83/,2025-05-09 06:40:04,Some people just want to watch ~~the world~~ stocks burn
77
+ reddit,elpresidentedeljunta,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdnas4/,2025-05-09 06:30:19,"The Britain deal does not seem to move much and the China talks are likely to disappoint. I mean, I believe he will drive the stock up today, but there is not a lot of meat on that bone."
78
+ reddit,Random_Alt_2947284,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdn01e/,2025-05-09 06:27:23,He said this is a great time to buy stocks. Are we gonna see historic rally 2.0?
79
+ reddit,More_Advertising_383,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdmrtf/,2025-05-09 06:25:12,"If you think corn is less of a scam than the stock market then I have a beach house in Idaho that you can have for 1 corn $103k, it’s 10,000sq ft full beach access you gotta shake on it right now tho"
80
+ reddit,Relative_Drop3216,,,https://reddit.com/r/wallstreetbets/comments/1kibgce/retail_investors_us_singlehandedly_carry_the/mrdm42d/,2025-05-09 06:18:52,Everyone start working extra shifts this stock market isn’t going to feed itself.
81
+ reddit,summer_plays_,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdlm98/,2025-05-09 06:14:07,buying nvidia stocks ![img](emote|t5_2th52|4258)
82
+ reddit,summer_plays_,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdljqw/,2025-05-09 06:13:26,ceasefire is bearish ![img](emote|t5_2th52|4259)defense stocks need war to pump
83
+ reddit,RiskyPhoenix,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdlixz/,2025-05-09 06:13:14,unless they invent a new way to make money their p/e is unattainable unless you're holding the stock for 5 days
84
+ reddit,fernandez21,,,https://reddit.com/r/wallstreetbets/comments/1kibgce/retail_investors_us_singlehandedly_carry_the/mrdlf61/,2025-05-09 06:12:13,"In other words, the elites will have no problem crashing the stock market since it's mostly us peasant retail investors who will lose our money?"
85
+ reddit,summer_plays_,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdky4l/,2025-05-09 06:07:43,why inside trade and risk going to jail when you can just make the stocks fall by making up stories ![img](emote|t5_2th52|4271)
86
+ reddit,summer_plays_,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdkm3d/,2025-05-09 06:04:34,"no. chip tariffs got cancelled after all tech stocks plummeted
87
+
88
+ \&gt;announces tariffs to protect strategic industries
89
+ \&gt;removes tariffs meant to protect strategic industries
90
+ \&gt;looks into the camera"
91
+ reddit,summer_plays_,,,https://reddit.com/r/wallstreetbets/comments/1ki9s5n/chinas_april_exports_jump_81_to_beat_estimates/mrdk6en/,2025-05-09 06:00:28,"take advantage while you can, make as uch money to buy stocks when the market inevitably crashes"
92
+ reddit,FenrirApalis,,,https://reddit.com/r/wallstreetbets/comments/1ki97nl/for_those_whove_posted_big_losses_did_you_change/mrdjyoz/,2025-05-09 05:58:26,"Yeah I died after my last big loss and this is my account after reincarnated.
93
+
94
+ And I'm still a regard playing with stocks"
95
+ reddit,Ma4r,,,https://reddit.com/r/wallstreetbets/comments/1ki5adc/how_far_am_i_going_to_fall/mrdi35a/,2025-05-09 05:41:02,"I mean there are stock that go up 1000% in a single day, did you know what you were buying into when you short MSTR? It's a leveraged Bitcoin short. Do you really want to be short bitcoin with gold rising and DXY off a cliff?"
96
+ reddit,DrElkSnout,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdhgu9/,2025-05-09 05:35:24,Imagine the president warning you to buy stocks now or else you'll miss out on the biggest run up ever and you think he doesn't have deals coming.
97
+ reddit,snatchdaddy69,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdh3yz/,2025-05-09 05:32:12,Why did I not buy puts lol. Happens everytime with a Reddit stock mentioned alot
98
+ reddit,soaring_skies666,,,https://reddit.com/r/wallstreetbets/comments/1kiafz8/the_emperor_provides/mrdgyde/,2025-05-09 05:30:49,"I fucking wish LOL
99
+
100
+ my 31st is coming up on the 15th I dont have much gold really want to start buying more tbh
101
+
102
+ Ive been pumling the shit out of my stocks lately been betraying gold and silver lol"
103
+ reddit,sweatyfeets,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdgp9g/,2025-05-09 05:28:36,I swear never trusting 🥭 shoulda known better to trust him when he said it’s good time to buy stocks ![img](emote|t5_2th52|27421)
104
+ reddit,TriumphITP,,,https://reddit.com/r/wallstreetbets/comments/1kiafz8/the_emperor_provides/mrdgfc7/,2025-05-09 05:26:13,"To be a retail trader in such times is to be one amongst untold billions. It is to live in the cruellest and most bloody regime imagineable. These are the reading days of these times. Forget the power of technology stocks and trading on fundamentals, for so much has been forgotten, never to be re-learned. Forget the promise of progressivism and understanding, for in the grim dark future there is only trade war. There is no peace amongst the apes, only an eternity of carnage and slaughter, and the laughter of market manipulators."
105
+ reddit,reddit_user_OG,,,https://reddit.com/r/wallstreetbets/comments/1kfny0y/lost_life_savings/mrdg0n9/,2025-05-09 05:22:43,If $10K is your life savings then I think the stock market might not be the right place for you yet. Save up at least $40K and then maybe play with some of that in the market. You can invest in index funds along the way to get some yield but don’t take wild bets until you get some breathing room.
106
+ reddit,CrocsAndStonks,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdfwm4/,2025-05-09 05:21:46,stock splits and watching to see if someone could stay above the trillion dollar market cap. Those were the days.
107
+ reddit,yaris205,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdfmtl/,2025-05-09 05:19:28,So if I lose a bunch of money on a stock I can just sue them right? like UNH? ![img](emote|t5_2th52|59440)
108
+ reddit,trial_by_fire_,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdf53z/,2025-05-09 05:15:14,Are imaging stocks the next big thing after AI and quantum!?
109
+ reddit,fomoandyoloandnogrow,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdf3f5/,2025-05-09 05:14:50,"Always always don’t listen to the gey bull. They say markets and stonks only go up, but that’s cause no one living since pre world war 2 anymore. Theres plenty of opportunity for stocks to go nowhere or down in the very dangerous future with human extinction event chances rising."
110
+ reddit,soaring_skies666,,,https://reddit.com/r/wallstreetbets/comments/1kiafz8/the_emperor_provides/mrdez7w/,2025-05-09 05:13:48,"https://preview.redd.it/8iyl9n4zwoze1.jpeg?width=1440&amp;format=pjpg&amp;auto=webp&amp;s=3b72d13fce4673c23b3dc9acf16069ca38dcb83c
111
+
112
+ Im torn between this or stocks this week"
113
+ reddit,TheDailyOption,,,https://reddit.com/r/wallstreetbets/comments/1kia150/high_school_student_lose_it_all_on_amd_options/mrderew/,2025-05-09 05:11:58,"Bro I don't think he needs ""serious help."" He's jus a kid learning how to trade. If he wants to figure out a strategy by losing all his $, let him 🤷. He'll either learn to pull the money out/invest properly, or he'll learn to simply not trade stock🤷🤷. Natural selection at its best playing out"
114
+ reddit,JayArlington,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdeqzt/,2025-05-09 05:11:52,"When the CFO uses the words “going concern” and the earnings call has no Q&amp;A…
115
+
116
+ Pumpers: wHy iS tHe StOcK dOwN ![img](emote|t5_2th52|27421)"
117
+ reddit,_zir_,,,https://reddit.com/r/wallstreetbets/comments/1ki9s5n/chinas_april_exports_jump_81_to_beat_estimates/mrdecgq/,2025-05-09 05:08:27,This means companies were stocking up before tariffs which also means the downside in following months will be even bigger.
118
+ reddit,Personal_coach,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdebzu/,2025-05-09 05:08:20,Imaging stocks reacting on news
119
+ reddit,edvanced1031,,,https://reddit.com/r/wallstreetbets/comments/1khymf8/50k_on_unitedhealth_ridiculously_cheap_stock/mrde991/,2025-05-09 05:07:41,"Based on the fact that negative sentiments are everywhere for this stock, I know it’s already bottom now. ![img](emote|t5_2th52|4258)"
120
+ reddit,ThetaBurnt_,,,https://reddit.com/r/wallstreetbets/comments/1kiafz8/the_emperor_provides/mrddc0s/,2025-05-09 04:59:43,"I miss sleepy Joe, at least stocks were going up...."
121
+ reddit,ChemicalHungry5899,,,https://reddit.com/r/wallstreetbets/comments/1kia150/high_school_student_lose_it_all_on_amd_options/mrdctls/,2025-05-09 04:55:28,"Well when it comes to options in the future only place tades when a serious scandal concerning the company is in the news, for example when crowd strike crashed every airline in the world that was a good time to buy out options for a length of time of 2 weeks out for expiration. The same can be said for call options, wait for a world wide event like COVID and then buy into those stocks selling the cure. Try to buy no more 1 or 2 contracts with expiration dates out for a about 2 weeks or so and really ear to the ground and be patient. Also purchase the options in full and obviously never trade on margin and other than that apply for door dash and instacart as those jobs offer quick cash for HS and college kids. If your a little older and broke and have a truck print off some little flyers advertising gutter cleaning or leave removal and you should be able to pay these losses back soon "
122
+ reddit,MidasStocks,,,https://reddit.com/r/wallstreetbets/comments/1ki99oi/bill_gates_says_he_will_give_away_most_of_his/mrdcnhp/,2025-05-09 04:54:02,"Mod says *not stock related"".
123
+
124
+ Though is it a fact that Gates Foundation still has a stake of 25 % in Microsoft..."
125
+ reddit,FacetedSideOfTheMoon,,,https://reddit.com/r/wallstreetbets/comments/1ki97nl/for_those_whove_posted_big_losses_did_you_change/mrdbliu/,2025-05-09 04:45:15,"I kinda owe you guys everything and to be honest I rarely think about it. I am the ultimate degenerate. Drug addict who quit heroin in 2011. No college education despite going twice. Bullshit jobs I always get promoted at fast but make no real money because I fucked up. Then I inherited some money and got into stocks. I was a real pussy at first dabbling my toes with $1000 on a pennystock. Made money, great. Eventually found potstocks and Canada was about to legalize. What a genius investment, I thought! A black market going clean so known sales and who wouldn't prefer to go to a clean shop with tons of choices. Cue fast money made and then faster money lost.
126
+
127
+
128
+
129
+ A while later covid hits. Down from like $220k to $28k. Potstock portfolio was always one US legalization rumor away from being saved. But it never happened. Trump, Biden, Trump, no legalization, no pump, always down. But Aphria decided to merge with Tilray and you fucks for some reason got on the bandwagon. Maybe it's because TLRY was originally a low float stock that got pumped insanely. I don't really know or care but it fucking saved my ass. In the depths of covid despair I gave up all my shares and everything I had for LEAPS believing in this shit because I can't give up a fucking bad thesis apparently. The TLRY pump got APHA up hundreds of percent and my options were intraday worth about $450,000. I had sell orders in literally all fucking day. But I put them in a bit high and it kept climbing, so like a greedy fucking goblin I moved my orders up. Eventually the day ended with a down move, though still quite green iirc. I never got out.
130
+
131
+
132
+ This ended up in my biggest single day loss. $124k. This was after my biggest one day win of just shy of 100k. I don't remember exactly when I got out but it must have been nearly immediately the next day for fear of not being made whole again from my goddamn recklessness.
133
+
134
+
135
+ So I've rode it up and down and then to answer the question - I changed dramatically. No more single stock concentration, especially if it were to be options related. I never want to be that exposed again."
136
+ reddit,Toothlesskinch,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdb7k0/,2025-05-09 04:42:01,"500 billion in stock buybacks announced YTD. If you were a normal, conservative investor you could probably cobble together a healthy index of the best run companies participating and outperform the market by a healthy margin. You wont."
137
+ reddit,AdventurousPlenty100,,,https://reddit.com/r/wallstreetbets/comments/1kia150/high_school_student_lose_it_all_on_amd_options/mrdb63y/,2025-05-09 04:41:40,I earned $10k in revenue last 3 month flipping on eBay and took that money to do this dumbass stock
138
+ reddit,GeoBro3649,,,https://reddit.com/r/wallstreetbets/comments/1ki9s5n/chinas_april_exports_jump_81_to_beat_estimates/mrdasqc/,2025-05-09 04:38:40,Yes. It's from companies trying to get ahead and get as much stock over before tariffs hit. Let's see what the June/July numbers looks like..
139
+ reddit,MajikoiA3When,,,https://reddit.com/r/wallstreetbets/comments/1ki8ntl/tslq_is_doing_great/mrdappk/,2025-05-09 04:37:58,"Tesla is a meme stock, always goes up when people short it. Once you give up is when fundamentals matter and it tanks."
140
+ reddit,tesseramous,,,https://reddit.com/r/wallstreetbets/comments/1kia150/high_school_student_lose_it_all_on_amd_options/mrdail1/,2025-05-09 04:36:20,Ask your broker to disable options. At your age you cant possibly have the experience to trade them. You need to spend years trading stocks first. And dont trade micro cap penny stocks either.
141
+ reddit,rriggsco,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrdactw/,2025-05-09 04:35:01,"Low 20s has been the norm since stock buybacks were decriminalized.
142
+
143
+ https://www.macrotrends.net/2577/sp-500-pe-ratio-price-to-earnings-chart
144
+
145
+ According to Google, ""The current S&amp;P 500 Price-to-Earnings (P/E) ratio is approximately 27.93 as of May 2, 2025""
146
+
147
+ So about 25% less."
148
+ reddit,StarrShort,,,https://reddit.com/r/wallstreetbets/comments/1ki8ntl/tslq_is_doing_great/mrd9yv3/,2025-05-09 04:31:51,"This is partly wrong. The decay on this is most defintely not a few days. You can hold these 6 months to a year even. When NVDA doubled over the course of a year, NVDL went up 110%. Leveraged etf outpaced over a 12 month span. Leveraged etf on a meme stock, yeah, prolly a bad idea"
149
+ reddit,IAmBoredAsHell,,,https://reddit.com/r/wallstreetbets/comments/1ki97nl/for_those_whove_posted_big_losses_did_you_change/mrd9veo/,2025-05-09 04:31:04,"Lol I think I blew up my first account like 10 years ago and posted here. I definitely blew up a couple more since then.
150
+
151
+ People get real weird with risk and money. Blowing up a couple of $10k-$20k accounts in my 20's doesn't even touch the worst financial decision I ever made, waiting to buy a house until things ""Cooled off"". God forbit I grew up to be the type of person to put $250k in the ""Target 2055 Retirement Fund"", or fall for some financial advisor selling me on the worst performing fund you've ever seen branded as ""This new AI Powered Stock Picking Framework"" they have."
152
+ reddit,Shoddy_Union,,,https://reddit.com/r/wallstreetbets/comments/1kh8tto/i_think_ill_be_fine_in_3_years_jensen_be_my_daddy/mrd9r2o/,2025-05-09 04:30:04,Outdated investment advice . In todays market you find the top stock that the market likes and you buy that and dont hold for life u hold to the momentum drops then sell . Rinse and repeat.
153
+ reddit,BahnMe,,,https://reddit.com/r/wallstreetbets/comments/1ki9s5n/chinas_april_exports_jump_81_to_beat_estimates/mrd9ibi/,2025-05-09 04:28:07,"Yeah, I mean, I don't know about anyone else but I ordered a whole bunch of shit before the domestic stock dries up (generators, electronics, etc)."
154
+ reddit,InevitablePhrase2800,,,https://reddit.com/r/wallstreetbets/comments/1ki9s5n/chinas_april_exports_jump_81_to_beat_estimates/mrd98fj/,2025-05-09 04:25:53,Isn’t this data from before the tariffs actually hit though? like it’s from us companies stocking up or no?
155
+ reddit,wallstreetbets-ModTeam,,,https://reddit.com/r/wallstreetbets/comments/1ki99oi/bill_gates_says_he_will_give_away_most_of_his/mrd7z7q/,2025-05-09 04:15:48,Non stock related
156
+ reddit,ONEGUY2002,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrd79ub/,2025-05-09 04:10:16,What opts you selling rn what stock
157
+ reddit,BobbyFishesBass,,,https://reddit.com/r/wallstreetbets/comments/1ki2fdk/so_good_at_tsla_options_i_took_over_wifes_roth/mrd6ya1/,2025-05-09 04:07:48,"This is an extremely bad strategy.
158
+
159
+ You expose yourself to a lot of unsystemic risk (risk that can be eliminated with diversification) when you only invest in one stock. I'm glad you got lucky this time, but you could very easily have lost almost your entire portfolio.
160
+
161
+ Investing in something like a total market index fund will have much higher risk-adjusted returns. Not only will the expected returns be higher (since there are lower transaction fees and short term call options already have low expected returns) , but your risk will also be lower. Traditional finance theory would suggest you want to maximize returns for any given risk level, but you are doing the opposite--minimizing expected returns at an extremely high level of risk."
162
+ reddit,upwy,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrd6wg7/,2025-05-09 04:07:25,"china defense stocks up after chinese weapons co-developed with the Pakistani military proved superior to french and israeli weapons used by india.
163
+
164
+ china just put the world on notice."
165
+ reddit,diefy7321,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrd6imx/,2025-05-09 04:04:27,"It tanked right after to 0.20%. As soon as he said “buy stocks”, volume came rushing in."
166
+ reddit,Dry-Drink,,,https://reddit.com/r/wallstreetbets/comments/1jleu1l/i_borrowed_42m_to_invest_should_i_borrow_more/mrd6aqt/,2025-05-09 04:02:44,"Doing fine, yeah. The account is flat since I made that post. If it's all-stock, the box spreads is OK. If you want to get exposure to treasuries, I'm not entirely certain. This account is managed by an advisor. I understand most of it but when it comes to the very specific parts of leverage implementation with multiple instruments, some of it goes over my head and I just let my advisor handle. Sorry if that's not too helpful."
167
+ reddit,filipluch,,,https://reddit.com/r/wallstreetbets/comments/1khymf8/50k_on_unitedhealth_ridiculously_cheap_stock/mrd69lu/,2025-05-09 04:02:30,"If we truly unite to do that and the stock price doesn't move significantly, a short squeeze could occur driving the price up...
168
+ But we have to unite."
169
+ reddit,diefy7321,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrd6769/,2025-05-09 04:01:59,It didn’t. It ripped when he said to buy stocks.
170
+ reddit,BobbyFishesBass,,,https://reddit.com/r/wallstreetbets/comments/1ki8yop/long_spxspy_for_inevitable_realization_that/mrd5y2j/,2025-05-09 04:00:03,"Walmart is not going to literally run out of avocados, but that doesn't mean prices will not be affected.
171
+
172
+ It's possible the market is panicking about nothing, but we really have no idea how long the market will be panicking. The market could recover in 6 months or in 4 years.
173
+
174
+ Going long on SPY is just going to be extremely risky, and you will not be compensated for that risk. Small cap stocks are risky, for example, but they have higher expected returns, so you get compensation. But just straight SPY options are not a good idea."
175
+ reddit,ChineseTuna420420,,,https://reddit.com/r/wallstreetbets/comments/1khymf8/50k_on_unitedhealth_ridiculously_cheap_stock/mrd5h2f/,2025-05-09 03:56:28,Dude. They are going to cut Medicaid by 50%. It’s going to gut healthcare stocks. Enjoy knowing this.
176
+ reddit,theycallmejer,,,https://reddit.com/r/wallstreetbets/comments/1khz1j8/when_will_we_see_nuclear_reactors_being_built/mrd4ds5/,2025-05-09 03:48:17,I like the stock
177
+ reddit,our_little_time,,,https://reddit.com/r/wallstreetbets/comments/1ki8yop/long_spxspy_for_inevitable_realization_that/mrd44l9/,2025-05-09 03:46:22,"Do you not realize that shipments from China to the US go overseas in freighters and it's a 6-week journey? Those ships aren't sailing. Once the crap hits the fan and a week or so later donnie finally makes a deal with china they need to spin up factories, load up ships, get those ships sailing. Then those ships need to be unloaded onto trains and trucks before getting to a Walmart. There were ships 4-6 weeks into their journey when the tariffs started that completed their journey and the stores are still getting stocked from that. But the ports are empty. Are they going to lay off the dock workers that operate the cranes that unload the ships, or are those people going to find other work when they've been furloughed and need to make money. Do you think it's quick and easy to train people to do that job? What about truck drivers that start quitting en-masse due to work shortages for a few weeks.
178
+
179
+
180
+ It is a multi-month journey from Chinese factory to Walmart shelf. There were things already in the pipeline, that's why it seems like there isn't a shortage.
181
+
182
+
183
+ IDK why this is so hard for people to grasp. At the very least this will be an ""air bubble"" in the pipeline of supply, the longer we stop putting stuff in that pipe and have things shut down the longer we will deal with that one way or another, it's just a delayed reaction on our end.
184
+
185
+
186
+ So even if the deal is in 1 month, the damage is already done, and will continue to be done. We could make a deal with China tonight and there will still be supply disruptions."
187
+ reddit,No_Mercy_4_Potatoes,,,https://reddit.com/r/wallstreetbets/comments/1ki8ntl/tslq_is_doing_great/mrd3bid/,2025-05-09 03:40:18,I don't understand. Who keeps pumping that stock?
188
+ reddit,Prestigious_Bison189,,,https://reddit.com/r/wallstreetbets/comments/1ki8ntl/tslq_is_doing_great/mrd2ucr/,2025-05-09 03:36:42,That’s what someone told me on my mstz stocks and options
189
+ reddit,Old_Spite4789,,,https://reddit.com/r/wallstreetbets/comments/1kd1nxz/weekly_earnings_thread_55_59/mrd2i6q/,2025-05-09 03:34:13,Everyone gets burned at some point but just know most those stocks that are spammed like that are a rugpull. Just learn
190
+ reddit,NVDAismygod,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrd220j/,2025-05-09 03:30:56,"Hedge fund managers went on a media tirade posting how the world is going to end and to sell all your stocks.
191
+
192
+ In the meantime they bought the dip and made an easy 20% in one month and will pump it to ATH.
193
+
194
+ They do it every “crisis” taking from the poor and giving to the rich"
195
+ reddit,EnergyOwn6800,,,https://reddit.com/r/wallstreetbets/comments/1ki7vnv/musk_says_would_need_telescope_to_see_the_closest/mrd1co2/,2025-05-09 03:25:49,"If you want to compare it to robotaxi specifically then go ahead lol.
196
+
197
+ They still pale in comparison to Tesla as a whole which is all that matters to the Stock Market."
198
+ reddit,goomyman,,,https://reddit.com/r/wallstreetbets/comments/1ki7vnv/musk_says_would_need_telescope_to_see_the_closest/mrd18pa/,2025-05-09 03:25:02,"I don’t think it’s believing in his lies but FOMO. People believe he will make them money - and because want to make money stock goes up.
199
+
200
+ You can tweet buy stock x now based on literally nothing! And people will because they don’t want to miss out, and then it will crash.
201
+
202
+ Meme coins exists. They are “worth” billions until they aren’t."
203
+ reddit,antelope591,,,https://reddit.com/r/wallstreetbets/comments/1ki8ntl/tslq_is_doing_great/mrd0yg8/,2025-05-09 03:23:02,Leveraged etf on a meme stock is prolly a bad idea 99% of the time. Def not something I'd hold for longer than a few days.
204
+ reddit,Anchises1,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrd0pla/,2025-05-09 03:21:16,If trump has walmart stock you're safe
205
+ reddit,NVDAismygod,,,https://reddit.com/r/wallstreetbets/comments/1khzl9y/what_are_your_moves_tomorrow_may_09_2025/mrd0k79/,2025-05-09 03:20:13,"Why worry about empty shelves?
206
+
207
+ Meta makes billions off digital porn ads
208
+
209
+ Msft makes billions off cloud
210
+
211
+ Google building out hyperscalers
212
+
213
+ Those are the things that make stocks go up. Not your shoes going from $55 to $71"
214
+ reddit,Prestigious_Bison189,,,https://reddit.com/r/wallstreetbets/comments/1ki8ntl/tslq_is_doing_great/mrczlan/,2025-05-09 03:13:30,You and me both messed with wrong (bubble) stocks mstr and tsla
requirements.txt ADDED
@@ -0,0 +1,7 @@
 
 
 
 
 
 
 
 
1
+ pandas
2
+ numpy
3
+ matplotlib
4
+ seaborn
5
+ datetime
6
+ vaderSentiment
7
+ wordcloud
stock_prices.csv ADDED
The diff for this file is too large to render. See raw diff
 
yfin.py ADDED
@@ -0,0 +1,5 @@
 
 
 
 
 
 
1
+ import yfinance as yf
2
+
3
+ tickers = ["AAPL", "TSLA", "GOOGL"]
4
+ data = yf.download(tickers, start="2023-01-01", end="2025-10-01")
5
+ data.to_csv("stock_prices.csv")