Search This Blog

Monday, August 18, 2025

TTM Squeeze Scan on Stock Charts

 Scanner for TTM squeeze, good daily liquidity, over $8.   Detailed explanation at the bottom. 

------------------------ 

[type is stock] and [sma(20,volume) > 2000000]
and [Upper BB(20,2) < Upper Kelt Chan(20,1.5,10)]
and [Lower BB(20,2) > Lower Kelt Chan(20,1.5,10)]
and [[group is SP500]
or [group is NASDAQ100]
or [group is SP400]
or [group is SP600]
or [group is SOX]
or [group is OSX]
or [group is XAU]
or [group is BTK]
or [group is DRG]
or [group is NWX]
or [group is XAL]
or [group is XBD]
or [group is XCI]
or [group is XNG]
or [group is XTC]
or [group is FinancialSector]
or [group is ConsumerStaplesSector]
or [group is CommunicationServicesSector]
or [group is EnergySector]
or [group is HealthCareSector]
or [group is IndustrialSector]
or [group is MaterialsSector]
or [group is RealEstateSector]
or [group is TechnologySector]
or [group is UtilitiesSector]
or [group is ETFNOUI]]
and [Close > 8.00]

if you want more charts, lower the minimum volume average.

--------------------------------- 

 Got it 👍 — you’re looking at a StockCharts Advanced Scan that uses both Bollinger Bands (BB) and the Keltner Channel (KC) together. This combo is usually used to detect “squeezes” — periods of very low volatility that often precede an expansion/breakout.

🔑 What Each Piece Means
1. [sma(20,volume) > 2000000]

Only stocks with 20-day average volume > 2 million.

Filters for liquidity so signals are tradeable.

2. Bollinger Bands (BB)

Upper BB(20,2): 20-day SMA of price + 2 standard deviations.

Lower BB(20,2): 20-day SMA of price – 2 standard deviations.

BB width expands and contracts based on volatility. Narrow BBs = compression, wide BBs = expansion.

3. Keltner Channel (KC)

Upper Kelt Chan(20,1.5,10): 20-day EMA of price + 1.5 × 10-day ATR (Average True Range).

Lower Kelt Chan(20,1.5,10): 20-day EMA – 1.5 × ATR.

KC is an ATR-based channel (range-based, not standard-deviation-based like BB).

KC bands are usually smoother and more stable than BB.

4. The Core Conditions
[Upper BB(20,2) < Upper Kelt Chan(20,1.5,10)]
and 
[Lower BB(20,2) > Lower Kelt Chan(20,1.5,10)]


This means:

The Bollinger Bands are fully inside the Keltner Channel.

Both the upper BB is below the upper KC, and the lower BB is above the lower KC.

✅ This condition defines the “squeeze setup.”

5. Group Filters

Limits scan to major indices, sectors, and ETFs (SP500, NASDAQ100, SOX, EnergySector, etc.).

Makes sure you’re only looking at widely traded stocks.

6. [Close > 8.00]

Excludes penny stocks / thinly traded equities.

Keeps scan focused on mid-price stocks or higher.

🧠 The Theory — Why This Matters

Bollinger Bands inside Keltner Channels = compressed volatility.

Market is in a tight range, volatility is low, “coiled spring” effect.

This condition is often used to anticipate a volatility breakout — either up or down.

Traders call this the “TTM Squeeze” setup (popularized by John Carter).

While in the squeeze: the market is quiet, traders wait.

Once BBs expand back outside the Keltner Channel, it signals the end of the squeeze and usually a sharp directional move.

📊 Trading Use

Scan finds stocks currently in a volatility squeeze.

Next step is to look for momentum confirmation (MACD, RSI, trend strength) to predict breakout direction.

Some traders buy straddles/strangles (options), others wait for the first directional close outside the BB.

✅ In short: This scan finds liquid, non-penny stocks in a volatility squeeze (BB inside KC).
It’s a watchlist generator for potential explosive moves once volatility returns.

 

Friday, August 15, 2025

Scanner for Backtesting a DownChannel Breakout

 # Scanner: Breakout + Backtest in Downtrend Channel (NASDAQ Composite)
# Scans NASDAQ index tickers (e.g. $COMP?) for breakout setups

input length = 60;
input stDevMult = 2.0;
input minDownSlope = -0.02;
input backtestWindow = 12;
input tol = 0.002;

def lr = Inertia(close, length);
def slope = lr - lr[1];
def resid = close - lr;
def sd = StDev(resid, length);
def upper = lr + stDevMult * sd;

def inDowntrend = slope < minDownSlope;
def breakout = inDowntrend[1] and close[1] <= upper[1] and close > upper;
def withinTol = AbsValue(low - upper) <= tol * upper;
def barsSinceBO = if breakout then 0 else if barsSinceBO[1] >= 1000 then 1000 else barsSinceBO[1] + 1;
def validBacktest = withinTol and barsSinceBO > 0 and barsSinceBO <= backtestWindow;

plot scan = validBacktest;
--------------------------

How to Use It in ThinkorSwim

Go to the Scan tab and create a Stock Hacker scan.

Set Symbol filter to tickers within the NASDAQ Composite.

You can use prebuilt sets like “All Tickers” or try custom filtering by exchange = NASDAQ.

Add the Custom Study filter and paste the above script.

Run the scan to highlight all tickers that recently broke out of a down-channel and are pulling back to retest.

You can also tailor the script—like adding minimum liquidity or focusing only on tech sectors.

Summary
Feature    Detail
Index    NASDAQ Composite (also NQ Computer index)
Scanner Purpose    Identify stocks with breakout + retest patterns within that index
How to Use    Paste into TOS Stock Hacker with NASDAQ filter; scan for valid setups
Why It Matters    Spot potential continuation setups across a wide universe, not just CRWV

Let me know if you'd like help adjusting the scanner (e.g., add volume filters, RSI thresholds, or limit to only AI/tech sectors)! 

Results After Backtest of a Downchannel

 Builds a downtrend channel from a linear regression + standard-deviation bands.

Flags when price breaks out above the upper band, then retests that band within a window.

Measures the forward return after N bars from the retest and computes:

number of setups,

hit rate (% with positive forward return),

average forward return.

Paste into Studies → Create:

# Downtrend Breakout->Backtest Stats (4h-friendly)
# by Rich's request

input len = 60;                 # channel lookback bars
input stDevMult = 2.0;          # channel width
input minDownSlope = -0.02;     # slope threshold per bar (negative means downtrend)
input backtestWindow = 12;      # bars allowed to retest after breakout
input tol = 0.002;              # 0.2% proximity tolerance to touch
input fwdBars = 12;             # measure return N bars after retest
input showMarkers = yes;

# --- Linear regression channel (mid +/− sd bands)
def lr = Inertia(close, len);
def slope = (lr - lr[1]);  # per-bar slope
def resid = close - lr;
def sd = StDev(resid, len);
def upper = lr + stDevMult * sd;
def lower = lr - stDevMult * sd;

# --- Define a "downtrend channel" regime
def inDowntrend = slope < minDownSlope;

# --- Breakout: close crosses above upper band while in downtrend regime
def breakout = inDowntrend[1] and close[1] <= upper[1] and close > upper;

# --- Backtest: after breakout, price tags the upper band (now support) within window
def withinTol = AbsValue(low - upper) <= tol * upper;
def backtestCandidate = withinTol;
def barsSinceBO = if breakout then 0 else if barsSinceBO[1] >= 1000 then 1000 else barsSinceBO[1] + 1;
def validBacktest = backtestCandidate and barsSinceBO > 0 and barsSinceBO <= backtestWindow;

# --- Forward return measured fwdBars after the valid backtest close
def ret = if validBacktest then (close[fwdBars] / close - 1) else Double.NaN;

# --- Accumulators
def nSetups = CompoundValue(1, nSetups[1] + (if validBacktest then 1 else 0), 0);
def sumRet  = CompoundValue(1, sumRet[1] + (if validBacktest then ret else 0), 0);
def posHits = CompoundValue(1, posHits[1] + (if validBacktest and ret > 0 then 1 else 0), 0);

def hitRate = if nSetups > 0 then posHits / nSetups else Double.NaN;
def avgRet  = if nSetups > 0 then sumRet / nSetups else Double.NaN;

# --- Visuals
plot UpperBand = upper; UpperBand.SetDefaultColor(Color.GRAY);
plot MidLine   = lr;    MidLine.SetDefaultColor(Color.DARK_GRAY);
plot LowerBand = lower; LowerBand.SetDefaultColor(Color.GRAY);

# Mark breakout and backtest
plot BO = showMarkers and breakout;
BO.SetPaintingStrategy(PaintingStrategy.BOOLEAN_ARROW_UP);
BO.SetDefaultColor(Color.LIGHT_GREEN);

plot BT = showMarkers and validBacktest;
BT.SetPaintingStrategy(PaintingStrategy.POINTS);
BT.SetDefaultColor(Color.CYAN);
BT.SetLineWeight(3);

# Labels with live stats
AddLabel(yes, "Setups: " + nSetups, Color.WHITE);
AddLabel(nSetups > 0, "Hit Rate (" + fwdBars + " bars): " + AsPercent(hitRate),
         if hitRate >= 0.5 then Color.GREEN else Color.RED);
AddLabel(nSetups > 0, "Avg Ret (" + fwdBars + " bars): " + AsPercent(avgRet),
         if avgRet >= 0 then Color.GREEN else Color.RED);

How to use (for your 4-hour chart)

Keep your 4h / 180D view.

Start with defaults: len=60, stDevMult=2, backtestWindow=12, fwdBars=12, minDownSlope=-0.02.

You’ll see:

Green arrows at breakouts,

Cyan dots where the retest happened,

Live labels with # of setups, hit rate, average forward return measured fwdBars bars after the retest.

Tips

Want stricter downtrends? Make minDownSlope a larger negative (e.g., -0.05).

If you get too few events, widen tolerance (tol=0.003) or the retest window (backtestWindow=20).

For quicker confirmation stats, shorten fwdBars to 6–8; for swing confirmation, try 16–20.

Run this on CRWV first, then you can drop it on other tickers to see how reliable the pattern is across your universe. If you want, I can give you a scanner version that finds symbols currently completing the retest today.

Friday, August 8, 2025

The Ghosts of Bay View Inn, Petosky Michigan

 I'll fill in the story.   We stayed there, and there were 2 ghosts scampering across the floor of the room above us.   The caretaker claimed that the room was empty, they never rented that room.  And she said that the noise would stop soon enough. 

The next day I surmised, my hunch was that the ghosts died in a fire.    And in 1929 there was a fire. 

https://collections.petoskeymuseum.org/items/show/2648

Friday, July 25, 2025

Multi-Asset Market Breadth and Sentiment Financial Analysis and Automated Trading System

 I am thinking this can be developed into a system, along with SPY and IWM and RUT, and maybe  GLD and SLV, and bonds, to show real money flow and real risk perception



ChatGPT said:

Yes — you’re absolutely onto something here. You’re laying the groundwork for a multi-asset market breadth and sentiment system, one that can outperform lagging indicators by:


Quantifying internal strength (e.g. % of Nasdaq 100 above short-term/medium-term SMAs)


Tracking divergence between price and breadth (e.g. NDX up, but fewer stocks above 20 SMA)


Adding macro asset classes (GLD, SLV, TLT, HYG, IWM, RUT, SPY) to measure risk-on vs risk-off rotation


🔧 Framework for Your System

Here’s a structured concept:


1. Market Breadth Internals

Track for each index or ETF:


% of components above 10 SMA


% above 20, 50, 200 SMA


Count of new highs vs new lows


Cumulative AD line (Advance-Decline)


Price/SMA crossovers per day


Targets:


$NDX (Nasdaq 100)


$SPX or SPY (S&P 500)


IWM or $RUT (Russell 2000)


2. Intermarket Analysis

Monitor risk flows and macro sentiment:


TLT, IEF – Long-duration Treasuries (risk-off)


HYG, JNK – Junk bonds (risk-on)


GLD, SLV – Inflation/fear hedges


UUP, DXY – Dollar strength


VIX – Volatility regime


Look for relationships like:


Equities ↑ + Bonds ↓ + Gold ↓ = Strong risk-on


Equities ↑ but Bonds ↑ + Gold ↑ = Defensive rally or disbelief


Equities ↓ + Gold ↑ + TLT ↑ = Flight to safety


3. Composite Sentiment Dashboard

Create a heatmap or scoring system:


Breadth score: % above SMAs


Momentum score: RSI or MACD trend


Intermarket score: net risk-on vs risk-off flow


Example output:


Index % >10 SMA % >20 SMA RSI(5) Trend Risk Score

SPY 82% 71% 63 +2

IWM 45% 33% 58 -1

GLD 61% 42% 72 +1 (fear)

TLT 68% 49% 55 +1 (safety)

HYG 28% 12% 39 -2


4. Signal Triggers

Extreme Breadth Thrusts: e.g. >90% above 10 SMA = short-term overbought (potential reversal or momentum entry)


Breadth Divergence: Index makes new high, but fewer stocks above 20/50 SMA


Risk On/Off Flip: Risk assets like HYG diverging from SPY or IWM


Confirmation: Price trend aligns with improving breadth


📈 Tools to Build This

You can assemble this using:


ThinkOrSwim scans + watchlists + custom scripts (for SMA cross/breadth)


Excel or Google Sheets (manual or API-fed tracking)


TradingView with Pine Script (can pull many of these metrics together visually)


Python (Pandas + yfinance) if you want full automation


🚀 Next Step

Would you like:


A template Excel sheet to start logging daily SMA breadth for NDX, SPY, IWM?


A TOS watchlist column script that displays if a ticker is above 10/20 SMA?


A starter dashboard layout you can build out?


Let’s prototype this into your own internal market health meter.

Wednesday, July 9, 2025

New Smart Thermostats

 Thanks for the detail — that changes everything. Now that we know:


All 3 zones are forced-air gas systems (LPG)


All use 24V HVAC control wiring


The house also includes an Aprilaire humidifier


You don’t need Mysa (which is for high-voltage electric), and you can focus entirely on 24V smart thermostats that support heat-only or heat/cool forced air systems — and ideally ones that support accessories like humidifiers (for the house).


✅ Updated Recommendation List (No Google, No Cloud Lock-In)

Location Replacement Thermostat Why It’s Ideal

House Ecobee Smart Thermostat Premium Controls furnace + humidifier, supports HomeKit, SmartThings, Alexa, excellent sensors and display

Garage Honeywell T6 Pro Z-Wave Heat-only compatible, works offline, integrates with Home Assistant or SmartThings

Shop Same as Garage (Honeywell T6 Pro Z-Wave) Or optionally Ecobee if you want native remote access and sensor support


🧰 Thermostat Comparison Breakdown

Feature Ecobee Premium Honeywell T6 Pro Z-Wave

Heat/Cool/Fan compatible

Works with humidifiers ✅ native ❌ (not natively)

24V compatibility

No Google dependency

Offline/local control ⚠️ Needs app/cloud ✅ via Z-Wave hub

Home Assistant compatible ✅ (via cloud or HomeKit) ✅ (via Z-Wave)

Works in garage/shop

Cost ~$250 ~$100


🔐 If You Want Full Privacy (No Cloud, All Local)

Use Home Assistant + Z-Wave stick on a small PC or Raspberry Pi:


Control T6 Pro Z-Wave units directly (garage/shop)


Set rules like:


Heat garage if outside temp < 45°F


Cut power if CO alarm triggered


You’ll control the thermostats via Home Assistant Dashboard — no Google, no cloud.


🏠 Bonus: Humidifier Support for the House

Your Aprilaire humidifier is likely a 24V bypass or powered unit.


Ecobee Premium can natively control Aprilaire humidifiers:


Supports humidification/dehumidification


Can run the humidifier independently of heat (if wired right)


You can set humidity targets based on outdoor temp (to avoid condensation)


If you go with Honeywell T6 Z-Wave instead, you’d need a separate humidistat or a relay to toggle humidifier control — not ideal.


🔧 Summary Setup Plan

Zone Thermostat Integration Option

House (furnace + humidifier) Ecobee Smart Premium Wi-Fi or HomeKit to Home Assistant

Garage (LPG unit heater) Honeywell T6 Pro Z-Wave Home Assistant or SmartThings

Shop (LPG unit heater) Honeywell T6 Pro Z-Wave Same as above

Wednesday, July 2, 2025

Selling Junk Silver

 Silver Spring Coin & Jewelry

Cedarburg, WI (~12 mi)

40‑year coin dealer; buys bullion & scrap silver. 

yellowpages.com

Paragon Numismatics

Mequon, WI (~10 mi)

Full‑service coin dealer buying silver & bullion. 

superpages.com

Oak Creek Currency & Coin

Oak Creek, WI (~40 mi)

Buys bulk gold & silver—competitive spot pricing by appt. 

oakcreekcurrencyandcoin.com

Silver Spring Coin & Jewelry (Alt listing)

Cedarburg, WI

Established 45 yrs, buys coin scrap silver. 

superpages.com

--------------
Superpages Logo
coin dealers supplies
Germantown, WI
Search
Browse
Join•Sign In
HomeWIGermantownCollectiblesCoin Dealers
Info
Coin Dealers in Germantown, WI
Map View
Sort:Best Match
Shorewood Coin Shop

414-815-0464
Coin Dealers & Supplies
4409 N Oakland Ave, Shorewood, WI 53211

YP
51 Years
in Business
1. Benedon's Inc
Benedon's Inc
262-293-3915
Visit Website
Directions
Coin Dealers & SuppliesHobby & Model ShopsJewelers
N89W16843 Appleton Ave, Menomonee Falls, WI 53051

CLOSED NOW:10:00 am - 5:00 pm
YP
49 Years
in Business
2. Benedon's Inc
Benedon's Inc
262-293-3990
Visit Website
Directions
Coin Dealers & SuppliesPawnbrokersJewelry Buyers
N85W16158 Appleton Ave, Menomonee Falls, WI 53051

CLOSED NOW:10:00 am - 5:00 pm
YP
49 Years
in Business
3. Silver Spring Coin & Jewelry
Silver Spring Coin & Jewelry
262-618-1961
Visit Website
Directions
Coin Dealers & SuppliesJewelry BuyersCollectibles
N56W6351 Center Street Suite B, Cedarburg, WI 53012

CLOSED NOW:Closed
From Business: Silver Spring Coin & Jewelry has been around Ozaukee county for over 40 years. We specialize in buying and selling coins & currency, Scrap gold, silver & Platinum, bullion,…

YP
45 Years
in Business
4. Silver Spring Coin & Jewelry
Silver  Spring Coin & Jewelry
262-377-7855
Visit Website
Directions
Coin Dealers & SuppliesJewelry AppraisersGold, Silver & Platinum Buyers & Dealers
N56w6351 Center St, Cedarburg, WI 53012

CLOSED NOW:12:00 pm - 5:00 pm
From Business: Silver Spring Coin & Jewelry has been around Ozaukee county for over 40 years. We specialize in buying and selling coins & currency, Scrap gold, silver & Platinum, bullion,…

YP
45 Years
in Business
5. Benedon's Inc
Benedon's Inc
262-293-3915
Directions
Coin Dealers & SuppliesJewelry Buyers
W16158 N85w16158 Appleton Ave Ofc, Menomonee Falls, WI 53051

6. Paragon Numismatics
Paragon Numismatics
262-240-9975
Directions
Coin Dealers & SuppliesGold, Silver & Platinum Buyers & DealersAppraisers
1425 W Mequon Rd, Mequon, WI 53092

CLOSED NOW:9:00 am - 5:00 pm
From Business: Paragon Numismatics is a full-service rare coin dealer buying and selling coins, gold and silver, currency, jewelry, watches, and diamonds. We also sell high quality coins to…

YP
118 Years
in Business
7. Greater Milwaukee Coin
Greater Milwaukee Coin
262-781-4200
Visit Website
Directions
Coin Dealers & SuppliesGold, Silver & Platinum Buyers & DealersJewelry Buyers
4040 N Calhoun Rd, Brookfield, WI 53005

CLOSED NOW:10:00 am - 5:00 pm
From Business: Greater Milwaukee Coin as founded in 1987 in Milwaukee, WI, who has been in the coin business for over 50 years. Whether you're looking to sell your jewelry or coins or add…

YP
38 Years
in Business
Contact Us
8. International Gold & Silver Cash Buyers
International Gold & Silver Cash Buyers
414-453-2005
Visit Website
Directions
Coin Dealers & SuppliesGold, Silver & Platinum Buyers & DealersDiamond Buyers
6113 W Bluemound Rd, Milwaukee, WI 53213

CLOSED NOW:11:00 am - 5:00 pm
From Business: We specialize in buying jewelry, diamonds, gems, coins, sterling flatware, watches, antique jewelry, old costume jewelry accumulations,precious metals, gold, platinum, silver,…

YP
46 Years
in Business
9. Shorewood Coin Shop
Shorewood Coin Shop
414-815-0464
Visit Website
Directions
Coin Dealers & SuppliesSports Cards & MemorabiliaAntiques
4409 N Oakland Ave, Shorewood, WI 53211

CLOSED NOW:10:00 am - 5:00 pm
From Business: Shorewood Coin Shop buys and sells rare coins with expertise that is also rare.

YP
51 Years
in Business
Contact Us
10. Sullivan Jewelers
Sullivan Jewelers
262-641-2995
Visit Website
Directions
5.0
Coin Dealers & SuppliesDiamond BuyersJewelry Buyers
2095 N Calhoun Rd Ste 3, Brookfield, WI 53005

CLOSED NOW:10:00 am - 7:00 pm
From Business: Jeff Sullivan has either owned or managed a jewelry store for the past 28 years. The Sullivan family has been in the jewelry business since 1972. Jeff and Jim Sullivan are…

YP
23 Years
in Business
11. American Gold & Gems
American Gold & Gems
262-338-2646
Directions
1.0
Coin Dealers & SuppliesJewelry BuyersGold, Silver & Platinum Buyers & Dealers
106 N Main St, West Bend, WI 53095

CLOSED NOW:9:00 am - 6:00 pm
"Terrible service and terrible business. The owner is a crook. DO NOT DO BUSINESS HERE"

YP
54 Years
in Business
12. West Bend Coin & Collectibles
West Bend Coin & Collectibles
262-338-2646
Directions
Coin Dealers & SuppliesGold, Silver & Platinum Buyers & DealersCollectibles
130 N Main St, West Bend, WI 53095

YP
68 Years
in Business
13. Coins + Gems + Art + Antiques
Coins + Gems + Art + Antiques
414-461-6303
Directions
Coin Dealers & SuppliesHobby & Model ShopsAntiques
3720 N 92nd St, Milwaukee, WI 53222

CLOSED NOW:11:00 am - 6:00 pm
14. Gold & Silver Creations
Gold & Silver Creations
262-309-6824
Visit Website
Directions
Coin Dealers & SuppliesGold, Silver & Platinum Buyers & DealersJewelry Buyers
910 E Moreland Blvd, Waukesha, WI 53186

CLOSED NOW:10:00 am - 6:00 pm
From Business: Unlike the majority of the normal gold and jewelry buying stores, GOLD & SILVER CREATIONS is a local, family-owned business, committed to customer relationships and…

15. J & T Coins
J & T Coins
262-354-3020
Directions
Coin Dealers & SuppliesEstate Appraisal & SalesAppraisers
197 Hill Ct Apt 1, Hartland, WI 53029

16. Karl's Coins
Karl's Coins
414-315-9755
Visit Website
Directions
Coin Dealers & SuppliesGold, Silver & Platinum Buyers & DealersStamp Dealers
1627 S. 124th St., New Berlin, WI 53151

CLOSED NOW:10:00 am - 2:00 pm
From Business: Karl's Coins, in New Berlin, WI, is the area's premier coin dealer serving New Berlin, Milwaukee and Southeast Wisconsin. We buy, sell and trade all US coins, sterling, gold,…

17. Coins Plus Gems
Coins Plus Gems
414-461-6303
Directions
Coin Dealers & SuppliesAntiquesCollectibles
3720 N 92nd St, Milwaukee, WI 53222

CLOSED NOW:11:00 am - 6:00 pm
YP
46 Years
in Business
18. Heritage Stamps
Heritage Stamps
414-774-8664
Directions
Coin Dealers & SuppliesStamp Dealers
11400 W Bluemound Rd, Milwaukee, WI 53226

CLOSED NOW:10:00 am - 4:00 pm
19. Greater Milwaukee Coin & Jewelry
Greater Milwaukee Coin & Jewelry
262-896-8955
Visit Website
Directions
Coin Dealers & SuppliesStamp DealersCollectibles
615 N Barstow St, Waukesha, WI 53186

CLOSED NOW:10:00 am - 6:00 pm
YP
36 Years
in Business
20. Bob's Coins
Bob's Coins
414-541-8650
Directions
Coin Dealers & SuppliesCollectiblesGold, Silver & Platinum Buyers & Dealers
3050 S 92nd St, Milwaukee, WI 53227

CLOSED NOW:10:00 am - 5:00 pm
From Business: Bob's Coins & Hobbies is the one-stop shop for all your collection needs. We are a family-owned and operated business selling collectors' items since 1962. Coins Stop by our…

YP
63 Years
in Business
21. David Derzon Coins
David Derzon Coins
414-543-8833
Visit Website
Directions
2.5
Coin Dealers & SuppliesJewelry BuyersJewelers
2069 South 108th St, West Allis, WI 53227

CLOSED NOW:10:00 am - 5:00 pm
"I found the personnel at Derzon Coin to be exceptionally helpfull and friendly. They were informative, knowledgable, and quite patient while handling business with me. They had…"

YP
75 Years
in Business
22. Gordies Coins and Gold
Gordies Coins and Gold
414-525-0288
Directions
Coin Dealers & SuppliesHobby & Model Shops
5112 S 108th St, Hales Corners, WI 53130

CLOSED NOW:10:00 am - 5:00 pm
23. Adams Estates & Collectibles
Adams Estates & Collectibles
414-327-5303
Directions
Coin Dealers & SuppliesEstate Appraisal & SalesAppraisers
5303 W Greenfield Ave, Milwaukee, WI 53214

CLOSED NOW:10:00 am - 5:00 pm
YP
19 Years
in Business
24. Dan's L & L Fine Jewelry Inc
Dan's L & L Fine Jewelry Inc
262-549-5512
Directions
5.0
Coin Dealers & SuppliesJewelersJewelry Buyers
615 N Barstow St, Waukesha, WI 53186

CLOSED NOW:10:00 am - 6:00 pm
"Went here to sell jewlery they gave me a very fair price. I also ended up purchasing a beautiful pair of earings."

YP
44 Years
in Business
25. American Estates
American Estates
414-483-2110
Visit Website
Directions
Coin Dealers & SuppliesEstate Appraisal & SalesAuctions
2131 S Kinnickinnic Ave, Milwaukee, WI 53207

CLOSED NOW:9:00 am - 5:00 pm
26. Olde Store
Olde Store
414-529-8836
Visit Website
Directions
Coin Dealers & SuppliesHobby & Model ShopsAntiques
9955 W Forest Home Ave, Hales Corners, WI 53130

CLOSED NOW:9:00 am - 5:00 pm
27. Adams Coins
Adams Coins
414-899-6680
Directions
Coin Dealers & SuppliesHobby & Model Shops
5303 W Greenfield Ave, Milwaukee, WI 53214

CLOSED NOW:10:00 am - 5:00 pm
Amenities:
28. Capitol Jewelry
Capitol Jewelry
414-395-2232
Directions
Coin Dealers & SuppliesJewelersJewelry Buyers
3070 E Layton Ave, Saint Francis, WI 53235

CLOSED NOW:10:30 am - 6:30 pm
From Business: SINCE 2010, CAPITOL JEWELRY HAS OPENED ITS DOORS TO OFFER GREAT PRICES AND HONEST SERVICE TO SEVERAL THOUSAND CLIENTS. LOOKING TO BUY AN ENGAGEMENT RING OR BRIDAL SET? LET US…

YP
15 Years
in Business
29. Petes Coins
Petes Coins
920-261-5120
Directions
Coin Dealers & Supplies
612 W Main St, Watertown, WI 53094

30. Oak Creek Currency & Coin
Oak Creek Currency & Coin
414-762-6710
Visit Website
Directions
Coin Dealers & SuppliesGold, Silver & Platinum Buyers & DealersCollectibles
616 E Ryan Rd, Oak Creek, WI 53154

CLOSED NOW:9:00 am - 5:00 pm
From Business: If you ve got U.S. coins or paper money, they may be worth more than you think! If you re in the Oak Creek area, the absolute best way to determine the value of items like…

YP
54 Years
in Business
Showing 1-30 of 33
1
2
We found 33 results for Coin Dealers Supplies in or near Germantown, WI.They also appear in other related business categories including Jewelry Buyers, Gold, Silver & Platinum Buyers & Dealers, and Antiques. 7 of the rated businesses have 4+ star ratings.


The businesses listed also serve surrounding cities and neighborhoods including Bluemound Heights, and Kops Park.

Places Near Germantown, WI with Coin Dealers Supplies
Menomonee Falls, WIRichfield, WIColgate, WIHubertus, WIMequon, WILannon, WIJackson, WICedarburg, WISussex, WIButler, WI
Related Categories
Jewelry BuyersGold, Silver & Platinum Buyers & DealersAntiquesCollectiblesJewelersPawnbrokersHobby & Model ShopsDiamond BuyersStamp Dealers
Sponsored
Shorewood Coin Shop
4409 N Oakland Ave, Shorewood, WI 53211

414-207-4228
DIRECTORY
Free Advertising
Popular Categories
Delivery Opt-Out
White Pages
ABOUT
About Superpages
Advertise With Us
Contact Us
Patents
Site Map
Become a Network Partner
Claim Your Business
The more information you provide about your business, the easier it will be for customers to find you online.
Claim Your ListingSuperpages trademark
© 2025 Thryv, Inc. All rights reserved. Privacy PolicyDo Not Sell or Share My Personal InformationTerms of UseLegal

TTM Squeeze Scan on Stock Charts

 Scanner for TTM squeeze , good daily liquidity, over $8.   Detailed explanation at the bottom.  ------------------------  [type is stock] a...