From Raw Data to Trading Edge: 7 Thrive Workbench Workflows That Actually Work
Knowing that a tool exists and knowing how to use it are two different things. The Thrive Data Workbench gives you SQL access, 15 quant tools, AI Chat, backtesting, dashboards, and Python execution. That is a lot of firepower. But firepower without aim is just noise. What you need is specific, practical workflows that take you from opening the Workbench to having an actionable trading insight in your hands.
This article gives you seven complete workflows, each targeting a different edge in the crypto market. These are not theoretical exercises. They are the actual analytical pipelines that quantitative traders run to make decisions with real money. Each workflow includes the exact SQL queries, the tool configurations, the expected outputs, and the interpretation framework for acting on the results.
You can copy these workflows directly into the Thrive Workbench, run them against live data, and start generating insights today. Modify them for your trading style. Combine them into a morning research routine. Pin the outputs to a dashboard for continuous monitoring. The goal is to give you working templates that you adapt and improve over time, not one-size-fits-all strategies.
The seven workflows cover the major edges available in crypto markets: derivatives mispricing, on-chain intelligence, regime timing, performance attribution, multi-asset correlation, signal compounding, and portfolio risk management. Together, they form a comprehensive research practice that most retail traders have never had access to.
Key Takeaways:
- Each workflow is a complete pipeline from data query to actionable insight, ready to run in the Thrive Workbench
- The Funding Rate Divergence Scanner identifies assets where derivatives positioning contradicts price action
- The Whale Flow Monitor tracks smart money accumulation and distribution in real-time
- The Regime-Adaptive Strategy Switcher tells you which of your strategies to deploy based on current market conditions
- The Performance Attribution Pipeline reveals where your trading P&L actually comes from
- The Multi-Asset Correlation Matrix identifies diversification opportunities and crowded trades
- The Signal Ensemble Builder combines weak individual signals into strong composite indicators
- The Portfolio Risk Monitor provides real-time risk metrics including Value at Risk and correlation breakdown
How to Use These Workflows
Each workflow follows the same structure:
- The Edge: What market inefficiency or information asymmetry the workflow targets
- The Setup: Which cells to add to your notebook and how to configure them
- The Query: The exact SQL or AI Chat prompt to run
- The Output: What the results look like and how to interpret them
- The Action: How to translate the insight into a trading decision
You can build each workflow in under 10 minutes by creating a new notebook in the Workbench and adding the cells described. Start with one workflow, get comfortable with it, and then layer in additional ones as your research practice develops.
For traders who prefer conversation over SQL, every query in this article can be replicated through the AI Chat using natural language. Simply describe what you want in plain English and the AI generates and executes the equivalent analysis.
Workflow 1: Funding Rate Divergence Scanner
The Edge
When perpetual swap funding rates diverge significantly from price action, the market is mispriced. Extreme negative funding during an uptrend means shorts are paying a premium to bet against a rising market. Extreme positive funding during a downtrend means longs are paying a premium to bet on a falling market. Both situations create forced liquidation cascades when price moves against the overcrowded side.
This is not a new edge, but it remains profitable because it requires monitoring multiple data sources simultaneously—something most retail traders do not do systematically.
The Setup
Create a notebook with these cells: 1.
- Parameter cell: Asset selector (default: all major assets)
- SQL cell: The divergence scanner query
- Visualization cell: Scatter plot of funding vs price change
- AI cell: Interpretation of the strongest divergences
The Query
WITH funding_summary AS (
SELECT
symbol,
ROUND(AVG(funding_rate) * 100, 4) AS avg_funding_7d,
ROUND(MAX(funding_rate) * 100, 4) AS max_funding_7d,
ROUND(MIN(funding_rate) * 100, 4) AS min_funding_7d
FROM funding_rate_history
WHERE timestamp >= NOW() - INTERVAL '7 days'
GROUP BY symbol
),
price_momentum AS (
SELECT
symbol,
ROUND(((MAX(close) FILTER (WHERE timestamp >= NOW() - INTERVAL '1 day') -
MIN(close) FILTER (WHERE timestamp BETWEEN NOW() - INTERVAL '8 days'
AND NOW() - INTERVAL '7 days')) /
NULLIF(MIN(close) FILTER (WHERE timestamp BETWEEN NOW() - INTERVAL '8 days'
AND NOW() - INTERVAL '7 days'), 0)) * 100, 2) AS price_change_7d
FROM workbench_candles
WHERE timeframe = '1d'
AND timestamp >= NOW() - INTERVAL '8 days'
GROUP BY symbol
)
SELECT
fs.symbol,
fs.avg_funding_7d,
pm.price_change_7d,
ROUND(ABS(fs.avg_funding_7d - (pm.price_change_7d / 100)), 4) AS divergence_score,
CASE
WHEN fs.avg_funding_7d > 0.02 AND pm.price_change_7d < -3 THEN 'BEARISH FUNDING / FALLING PRICE → Short Squeeze Risk'
WHEN fs.avg_funding_7d < -0.02 AND pm.price_change_7d > 3 THEN 'BULLISH SETUP → Funding Paying You to Be Long'
WHEN fs.avg_funding_7d > 0.05 THEN 'EXTREME POSITIVE → Crowded Long Risk'
WHEN fs.avg_funding_7d < -0.05 THEN 'EXTREME NEGATIVE → Short Squeeze Setup'
ELSE 'NEUTRAL'
END AS setup
FROM funding_summary fs
JOIN price_momentum pm ON fs.symbol = pm.symbol
WHERE ABS(fs.avg_funding_7d) > 0.01
ORDER BY divergence_score DESC
LIMIT 20
The Output
| symbol | avg_funding_7d | price_change_7d | divergence_score | setup |
|---|---|---|---|---|
| DOGE/USDT | 0.0712 | -9.82 | 0.1694 | BEARISH FUNDING / FALLING PRICE → Short Squeeze Risk |
| WIF/USDT | 0.0634 | -12.45 | 0.1879 | BEARISH FUNDING / FALLING PRICE → Short Squeeze Risk |
| SOL/USDT | -0.0489 | 8.21 | 0.1310 | BULLISH SETUP → Funding Paying You to Be Long |
| PEPE/USDT | 0.0891 | -3.18 | 0.1209 | EXTREME POSITIVE → Crowded Long Risk |
| ETH/USDT | -0.0312 | 5.47 | 0.0859 | BULLISH SETUP → Funding Paying You to Be Long |
The Action
DOGE and WIF show the most dangerous setups for shorts: high positive funding (shorts paying a premium) while price drops. This is unsustainable. When price reverses even slightly, short liquidations will cascade and accelerate the move. These are potential long entries with tight stops.
SOL and ETH show setups where you get paid to be long. Negative funding means shorts are paying you while the price is rising. This is the ideal position: directional momentum plus income from funding. Smart money loves this setup.
Run this scanner daily. Pin it to a dashboard. The opportunities show up every week.
Workflow 2: Whale Flow Accumulation Monitor
The Edge
Whale wallets move millions of dollars with information advantages that retail traders lack. When whales accumulate while price drops, they are buying what retail is panic selling. When whales distribute while price rallies, they are selling into strength. Tracking this behavior gives you a 2-4 day lead time on major moves (validated by Granger causality testing).
The Setup
- Live Query cell: Smart Money feed (real-time whale transaction monitoring)
- SQL cell: Aggregated accumulation/distribution scoring
- Visualization cell: Bar chart of net whale flow by asset
- Counter cell: Number of assets with strong accumulation signals
The Query
WITH whale_activity AS (
SELECT
symbol,
SUM(CASE WHEN direction = 'accumulate' THEN usd_value ELSE 0 END) AS whale_buying,
SUM(CASE WHEN direction = 'distribute' THEN usd_value ELSE 0 END) AS whale_selling,
COUNT(DISTINCT CASE WHEN direction = 'accumulate' THEN wallet_address END) AS unique_buyers,
COUNT(DISTINCT CASE WHEN direction = 'distribute' THEN wallet_address END) AS unique_sellers
FROM smart_money_moves
WHERE timestamp >= NOW() - INTERVAL '7 days'
AND usd_value > 100000
GROUP BY symbol
)
SELECT
symbol,
ROUND(whale_buying / 1e6, 2) AS buying_millions,
ROUND(whale_selling / 1e6, 2) AS selling_millions,
ROUND((whale_buying - whale_selling) / 1e6, 2) AS net_flow_millions,
unique_buyers,
unique_sellers,
ROUND(whale_buying / NULLIF(whale_selling, 0), 2) AS buy_sell_ratio,
CASE
WHEN whale_buying / NULLIF(whale_selling, 0) > 3.0 THEN 'HEAVY ACCUMULATION'
WHEN whale_buying / NULLIF(whale_selling, 0) > 1.5 THEN 'MODERATE ACCUMULATION'
WHEN whale_selling / NULLIF(whale_buying, 0) > 3.0 THEN 'HEAVY DISTRIBUTION'
WHEN whale_selling / NULLIF(whale_buying, 0) > 1.5 THEN 'MODERATE DISTRIBUTION'
ELSE 'BALANCED'
END AS whale_signal
FROM whale_activity
WHERE whale_buying + whale_selling > 1000000
ORDER BY net_flow_millions DESC
The Output
| symbol | buying_millions | selling_millions | net_flow_millions | unique_buyers | unique_sellers | buy_sell_ratio | whale_signal |
|---|---|---|---|---|---|---|---|
| BTC | 142.8 | 38.4 | 104.4 | 23 | 8 | 3.72 | HEAVY ACCUMULATION |
| ETH | 67.2 | 21.8 | 45.4 | 18 | 6 | 3.08 | HEAVY ACCUMULATION |
| LINK | 12.4 | 3.1 | 9.3 | 11 | 3 | 4.00 | HEAVY ACCUMULATION |
| SOL | 28.6 | 19.2 | 9.4 | 14 | 12 | 1.49 | BALANCED |
| AVAX | 4.2 | 11.8 | -7.6 | 4 | 9 | 0.36 | HEAVY DISTRIBUTION |
The Action
BTC, ETH, and LINK show heavy whale accumulation with buy-sell ratios above 3.0. This is smart money positioning for an expected upside move. 23 unique whale wallets buying BTC versus only 8 selling suggests broad institutional conviction, not a single large player.
AVAX shows the opposite: heavy distribution with a 0.36 buy-sell ratio. Whales are selling into whatever strength exists. This is a warning to reduce exposure or look for short opportunities.
Combine this with the Funding Rate Scanner: if an asset shows whale accumulation AND negative funding, you have a high-conviction long setup backed by two independent data sources pointing in the same direction.
Workflow 3: Regime-Adaptive Strategy Switcher
The Edge
Most traders run the same strategy in every market condition. Trend followers lose money in ranges. Mean reversion traders lose money in trends. The fix is knowing which regime you are in and switching your approach accordingly.
The Setup
- SQL cell: Pull regime classification for your top traded assets
- AI cell: "Detect the current market regime for BTC, ETH, and SOL"
- Markdown cell: Strategy mapping table
- Counter cell: Current regime for primary asset
The Strategy Map
| Regime | Recommended Strategy | Position Sizing | Stop Width |
|---|---|---|---|
| Trending Up | Momentum breakouts, dip buying | Full size | Tight (2%) |
| Trending Down | Short rallies, put protection | Reduced (50%) | Tight (2%) |
| Ranging | Mean reversion, range boundaries | Reduced (50%) | Wide (4%) |
| Volatile | Options straddles, reduced exposure | Minimal (25%) | Very wide (6%) or none |
How to Use It
Run the Regime Detection tool daily through the AI Chat: "What is the current market regime for BTC?" The tool returns the classification (trending/ranging/volatile), confidence level, regime duration, and average historical duration.
Cross-reference with the strategy map. If the regime is "Trending Up" with 85% confidence and the regime started 8 days ago (versus a historical average duration of 34 days), you know: (1) the trend is young, (2) momentum strategies should be active, and (3) you have statistical room to run before the regime likely transitions.
Pin the regime counter to your dashboard. Update daily. This single piece of context—knowing what environment you are trading in—is worth more than any individual signal.
The Real Power: Historical Regime Analysis
WITH regime_performance AS (
SELECT
t.entry_date,
t.pnl_percent,
t.direction,
CASE
WHEN t.entry_date BETWEEN '2025-03-01' AND '2025-05-15' THEN 'TRENDING UP'
WHEN t.entry_date BETWEEN '2025-05-16' AND '2025-08-20' THEN 'RANGING'
WHEN t.entry_date BETWEEN '2025-08-21' AND '2025-10-10' THEN 'VOLATILE'
WHEN t.entry_date BETWEEN '2025-10-11' AND '2026-01-30' THEN 'TRENDING UP'
ELSE 'UNKNOWN'
END AS regime
FROM trades t
WHERE t.entry_date >= '2025-03-01'
)
SELECT
regime,
COUNT(*) AS trades,
ROUND(AVG(pnl_percent), 2) AS avg_pnl,
ROUND(COUNT(*) FILTER (WHERE pnl_percent > 0)::DECIMAL / COUNT(*) * 100, 1) AS win_rate,
ROUND(SUM(pnl_percent), 2) AS total_pnl
FROM regime_performance
GROUP BY regime
ORDER BY avg_pnl DESC
| regime | trades | avg_pnl | win_rate | total_pnl |
|---|---|---|---|---|
| TRENDING UP | 84 | 1.82 | 68.5 | 152.88 |
| VOLATILE | 31 | 0.24 | 51.6 | 7.44 |
| RANGING | 52 | -0.67 | 42.3 | -34.84 |
This tells you everything. You make money in trends (+152.88%), break even in volatility (+7.44%), and lose money in ranges (-34.84%). The data-driven decision is obvious: trade aggressively during trends, reduce size during volatility, and either sit out or switch strategies during ranges. If you had simply not traded during ranging periods, your total P&L would have been 187.72% instead of 125.48%. Regime awareness alone would have improved your returns by 50%.
Workflow 4: Trade Performance Attribution Pipeline
The Edge
Knowing your win rate is not enough. You need to know where your wins and losses come from so you can do more of what works and cut what does not. Performance attribution breaks your P&L into components, revealing your true strengths and weaknesses.
The Setup
- SQL cell: Pull complete trade history with metadata
- AI cell: "Analyze my trading performance across all dimensions"
- Visualization cell: Heatmap of performance by hour and day
- Visualization cell: Bar chart of P&L by asset
Running the Full Attribution
In the AI Chat, type: "Run a complete performance attribution on my trades from the last 6 months. Break down by asset, direction, time of day, day of week, market regime, and position size quartile."
The AI runs the Trade Analysis tool (10 credits) and returns a comprehensive breakdown:
-
By Direction: | Direction | Trades | Win Rate | Avg P&L | Total P&L | |-----------|--------|----------|---------|-----------| | Long | 112 | 63.4% | +1.42% | +159.04% | | Short | 48 | 47.9% | -0.31% | -14.88% |
-
By Time of Day (UTC): | Session | Trades | Win Rate | Avg P&L | |---------|--------|----------|---------| | Asia (00:00-08:00) | 41 | 70.7% | +2.18% | | Europe (08:00-16:00) | 72 | 56.9% | +0.84% | | US (16:00-00:00) | 47 | 48.9% | -0.22% |
-
By Position Size Quartile: | Size Quartile | Trades | Win Rate | Avg P&L | |---------------|--------|----------|---------| | Q1 (smallest) | 40 | 52.5% | +0.38% | | Q2 | 40 | 55.0% | +0.62% | | Q3 | 40 | 62.5% | +1.24% | | Q4 (largest) | 40 | 67.5% | +1.89% |
The Action
This data is telling a clear story. You are a profitable long trader who loses money on shorts. Your best session is Asian hours with a 70.7% win rate. You lose money during US hours. And your largest positions outperform your smallest ones, suggesting your conviction sizing is well-calibrated.
The tactical changes write themselves: stop taking short trades (or dramatically reduce size), focus trading during Asian hours, and maintain your conviction-based sizing approach.
This is the kind of self-awareness that transforms mediocre traders into consistently profitable ones. The data is already in your trade history. The Workbench just makes it accessible.
Workflow 5: Multi-Asset Correlation Matrix
The Edge
Correlation tells you which assets move together. When correlations are high, your "diversified" portfolio is actually a concentrated bet. When correlations break, it signals regime change. And assets that normally correlate but suddenly diverge present pairs trading opportunities.
The Setup
- SQL cell: Pull daily returns for top 10 portfolio assets
- Statistics cell: Correlation matrix with Pearson and Spearman
- Visualization cell: Heatmap of correlation coefficients
- AI cell: Interpretation of correlation structure
The Query
Ask the AI Chat: "Build a correlation matrix for BTC, ETH, SOL, AVAX, LINK, UNI, AAVE, ARB, OP, and DOGE using daily returns over the last 90 days. Show as a heatmap."
The Output
The heatmap shows correlation coefficients from -1 (perfectly inverse) to +1 (perfectly correlated). A typical crypto correlation matrix reveals:
| BTC | ETH | SOL | AVAX | LINK | |
|---|---|---|---|---|---|
| BTC | 1.00 | 0.89 | 0.78 | 0.72 | 0.68 |
| ETH | 0.89 | 1.00 | 0.82 | 0.76 | 0.74 |
| SOL | 0.78 | 0.82 | 1.00 | 0.84 | 0.71 |
| AVAX | 0.72 | 0.76 | 0.84 | 1.00 | 0.69 |
| LINK | 0.68 | 0.74 | 0.71 | 0.69 | 1.00 |
The Action
BTC-ETH correlation at 0.89 means holding both is essentially doubling your position on the same trade. If you think you are diversified because you hold BTC and ETH, you are not. They move together 89% of the time.
LINK shows the lowest correlation with BTC (0.68), making it the best diversifier in this set. If you want portfolio diversification within crypto, overweight assets with lower BTC correlation.
SOL-AVAX correlation at 0.84 is notably high. If either diverges significantly from the other, it presents a pairs trading opportunity—go long the laggard and short the leader, expecting reversion.
Run this matrix weekly. When correlations suddenly spike toward 1.0, it usually means a risk-off event where everything sells together. When correlations drop, it means assets are trading on individual fundamentals rather than macro sentiment. Understanding this structure helps you manage portfolio risk far better than looking at each asset in isolation.
Workflow 6: Signal Ensemble Builder
The Edge
Individual signals are weak. The best single-factor information coefficient in crypto is typically 0.15-0.20, which means any one signal explains about 3-4% of future return variance. That is real but limited edge. Ensembles compound multiple weak signals into a much stronger composite.
The Setup
- AI cell: Run Feature Discovery to rank available signals
- AI cell: Run Ensemble Builder to combine top signals
- Visualization cell: Line chart of ensemble score over time
- Counter cell: Current ensemble conviction score
The Workflow
- Step 1: "Which available features have the strongest predictive relationship with BTC 24-hour forward returns over the last 6 months?"
Feature Discovery (15 credits) returns ranked features with IC scores.
- Step 2: "Build an IC-weighted ensemble from the top 5 features."
Ensemble Builder (15 credits) produces a composite score from 0-100.
- Step 3: Visualize the ensemble score over time with a line chart. Overlay price to see how the composite score aligns with market moves.
Interpreting the Ensemble Score
| Score Range | Interpretation | Action |
|---|---|---|
| 80-100 | Strong bullish conviction | Full position long |
| 60-80 | Moderate bullish | Partial position long |
| 40-60 | Neutral | No position / reduce exposure |
| 20-40 | Moderate bearish | Partial position short or hedge |
| 0-20 | Strong bearish conviction | Full position short or maximum hedge |
The ensemble score synthesizes five independent data sources into a single number. When the score shifts from 50 to 85 in 24 hours, multiple signals are simultaneously flashing bullish. This kind of multi-source agreement is far more reliable than any single indicator.
Why This Beats Individual Signals
Think of each signal as a weather sensor. Temperature alone tells you something. Humidity alone tells you something. Barometric pressure alone tells you something. But combining temperature + humidity + pressure + wind speed + cloud cover gives you a weather forecast that is dramatically more accurate than any individual measurement.
The ensemble does the same thing for market direction. Each signal adds information that the others do not capture, and the composite captures market conditions more completely than any single view.
Workflow 7: Portfolio Risk Monitor
The Edge
Most traders do not know their actual portfolio risk until a drawdown forces them to confront it. The Portfolio Risk Monitor gives you real-time visibility into how much you can lose, where the risk concentrates, and whether your positions are as diversified as you think.
The Setup
- SQL cell: Pull current positions and recent P&L data
- AI cell: "Calculate my portfolio's daily Value at Risk at 95% confidence"
- Visualization cell: Stacked area chart of risk contribution by asset
- Counter cell: Current portfolio VaR
The Query
WITH position_returns AS (
SELECT
symbol,
timestamp,
ROUND(((close - LAG(close) OVER (PARTITION BY symbol ORDER BY timestamp))
/ NULLIF(LAG(close) OVER (PARTITION BY symbol ORDER BY timestamp), 0)) * 100, 4) AS daily_return
FROM workbench_candles
WHERE timeframe = '1d'
AND timestamp >= NOW() - INTERVAL '90 days'
AND symbol IN (SELECT DISTINCT symbol FROM positions WHERE is_open = true)
)
SELECT
symbol,
ROUND(AVG(daily_return), 4) AS avg_daily_return,
ROUND(STDDEV(daily_return), 4) AS daily_volatility,
ROUND(PERCENTILE_CONT(0.05) WITHIN GROUP (ORDER BY daily_return), 4) AS var_95,
COUNT(*) AS data_points
FROM position_returns
WHERE daily_return IS NOT NULL
GROUP BY symbol
ORDER BY daily_volatility DESC
| symbol | avg_daily_return | daily_volatility | var_95 | data_points |
|---|---|---|---|---|
| DOGE/USDT | 0.18 | 6.42 | -10.24 | 89 |
| SOL/USDT | 0.12 | 4.87 | -7.89 | 89 |
| ETH/USDT | 0.08 | 3.21 | -5.18 | 89 |
| BTC/USDT | 0.06 | 2.54 | -4.12 | 89 |
| LINK/USDT | 0.14 | 4.15 | -6.72 | 89 |
The Action
DOGE has a 95% VaR of -10.24%, meaning on any given day, there is a 5% chance of losing more than 10.24% on your DOGE position. If you have $10,000 in DOGE, you should expect a single-day loss exceeding $1,024 at least once every 20 trading days. Is that acceptable for your risk tolerance?
The volatility data informs position sizing directly. If you want equal risk contribution from each asset, size inversely to volatility. BTC (2.54% daily vol) gets the largest allocation. DOGE (6.42% daily vol) gets the smallest. This keeps your portfolio's risk balanced rather than dominated by the most volatile position.
Combine this with the Correlation Matrix from Workflow 5. If your high-volatility positions (DOGE, SOL) are also highly correlated, your tail risk is much larger than the individual VaR numbers suggest. A market-wide risk-off event hits all correlated positions simultaneously, and the combined drawdown is worse than any single position's VaR implies.
Pin the VaR counter to your dashboard. If it spikes above your comfort level, reduce positions before the market forces you to.
Building Your Daily Research Routine
These seven workflows are not meant to run once and be forgotten. The real value comes from running them systematically as part of a daily or weekly research routine.
Morning Routine (15 minutes)
- Regime Check: Open Dashboard, glance at current regime classification. Is anything different from yesterday? If regime has shifted, adjust strategy allocation per the Strategy Map.
- Funding Rate Scan: Check the Funding Rate Divergence Scanner for new setups. Any extreme divergences that appeared overnight? Flag for further analysis.
- Whale Flow Update: Check the Whale Flow Monitor for overnight accumulation or distribution events. Cross-reference with the funding scan. Assets showing both whale accumulation and negative funding go to the top of your watchlist.
- Risk Check: Glance at Portfolio VaR counter. Is your total risk within acceptable bounds? If a position's volatility has expanded, reduce size to maintain target risk.
Weekly Deep Dive (1 hour)
- Performance Attribution: Run the full attribution pipeline. What worked this week? What did not? Are there patterns to exploit or problems to fix?
- Correlation Update: Rebuild the correlation matrix. Have any relationships changed? Are you less diversified than you thought?
- Signal Health: Run Alpha Leak Detection on your active signals. Any degradation? If yes, investigate whether the signal is temporarily suppressed or permanently eroded.
- Ensemble Update: Rebuild the ensemble with updated IC weights. Have the most predictive features changed? If yes, update your trading approach accordingly.
This routine takes 15 minutes daily and 1 hour weekly. For the quality of insight it produces, that is an extraordinary return on time invested. Professional fund managers spend their entire days doing this exact work. You can do most of it before breakfast.
Automating Workflows with Scheduled Notebooks
For workflows you run regularly, the Workbench supports scheduling notebooks to execute automatically. Set your Funding Rate Scanner to run every 4 hours. Schedule your Whale Flow Monitor to refresh every hour. Run your Performance Attribution weekly on Sunday nights.
Scheduled notebooks execute all cells in order and save the results. When you open the Workbench, the latest data is already waiting for you. No manual execution needed.
Combine scheduling with the Live Query cells for a hybrid approach: scheduled analysis runs on a cadence, while live feeds stream continuously for real-time monitoring. This creates a research infrastructure that works even when you are not watching.
Pinning Outputs to Dashboards
Every visualization, counter, and table in the Workbench can be pinned to a custom dashboard. Build a trading command center by pinning:
- Current regime counter from Workflow 3
- Portfolio VaR counter from Workflow 7
- Funding divergence scatter plot from Workflow 1
- Whale flow bar chart from Workflow 2
- Correlation heatmap from Workflow 5
- Ensemble conviction score from Workflow 6
- Time-of-day performance heatmap from Workflow 4
Arrange these widgets in a layout that makes sense for your trading style. Glance at the dashboard before every trade to ground your decision in data rather than emotion. Share the dashboard publicly if you want to demonstrate your analytical process to others.
FAQs
Which workflow should I start with?
Start with Workflow 4 (Performance Attribution). Understanding where your current P&L comes from gives you the context needed for every other workflow. You cannot fix what you do not measure, and performance attribution is the measurement.
Can I modify these queries for altcoins?
Every query in this article works for any asset available in the Workbench data. Replace BTC/USDT with any symbol, or remove the symbol filter entirely to scan across all assets. The queries are designed to be portable across the entire crypto universe.
How many credits do these workflows consume?
Running all seven workflows once costs approximately 100-150 credits total, depending on which features you use. The daily morning routine costs about 15-25 credits. The weekly deep dive costs about 70-100 credits. Visit the pricing page for credit allocations per plan.
Can I combine multiple workflows into one notebook?
Absolutely. The notebook interface is designed for exactly this. Stack cells from different workflows into a single notebook and run them sequentially. Use Markdown cells to add section headers and notes between workflows. Save the combined notebook as your master research template.
Do I need SQL knowledge for these workflows?
No. Every query in this article can be replicated through the AI Chat. Describe what you want in plain English: "Scan for funding rate divergences across all major assets" produces equivalent results to the SQL query. SQL gives you more precision and repeatability, but the AI Chat handles everything for non-SQL users.
How often should I update the correlation matrix?
Weekly for strategic allocation decisions. Daily updates are unnecessary because correlations shift slowly, typically over weeks rather than days. However, during market stress events, correlations can spike rapidly. If you see unusual market behavior, re-run the correlation matrix to check if your diversification assumptions still hold.
Can I share these workflows with my trading group?
Yes. Notebooks are shareable with public URLs. Anyone with the link can view your notebook. Thrive users can fork your notebook to create their own copy, modify the queries, and build on your work. This is a powerful way to collaborate with other data-driven traders.
What happens if the scheduled notebook fails?
Scheduled notebooks that encounter errors save the error output alongside any successful cells. You can review the failure, fix the problematic cell, and the next scheduled run picks up the corrected version. The Workbench does not silently fail—errors are visible and diagnosable.
Are the sample outputs in this article real data?
The query structures are real and will execute in the Workbench. The sample data in the output tables is representative but not live. Your actual results will reflect current market conditions when you run the queries. The structure and interpretation framework is identical—only the specific numbers will differ based on when you run the analysis.
Summary
Seven workflows. Seven edges. One platform.
The Thrive Data Workbench gives you the infrastructure to run every workflow in this article—from the Funding Rate Divergence Scanner to the Portfolio Risk Monitor—inside a single browser tab. What used to require a Bloomberg Terminal, a Python environment, three data subscriptions, and a team of analysts now requires one Thrive subscription and the discipline to run the analysis.
The workflows are here. The data is live. The tools are built. The only missing piece is the trader willing to put in the systematic work that separates guessing from knowing. These seven pipelines, run consistently, produce the kind of analytical foundation that professional trading firms spend millions to build.
Copy the queries. Run them today. Modify them for your trading style. Build on them. And do it again tomorrow. Consistency in analysis produces consistency in results.
→ Start Running These Workflows
