Director - SAM Questions
Overview
The Director of Software Asset Management needs operational visibility into license management, vendor relationships, compliance monitoring, and optimization opportunities. Questions focus on spend management, license pool availability, utilization tracking, vendor coordination, and compliance enforcement.
Primary Components: SAM Dashboard, License Management, Vendor Portal, Compliance Monitor
Questions
Q1: "What is the software spend that I am managing?"
Why it matters: SAM directors need comprehensive visibility into software spend to manage budgets, track vendor commitments, forecast renewal costs, and identify cost optimization opportunities across the entire software portfolio.
Telemetry Sources
- Procurement System: Purchase orders, invoices, contract values, payment schedules
- Finance/ERP: Actual spend data, budget allocations, department chargebacks
- Vendor Portals: Subscription billing, usage-based charges, overage fees
- Contract Repository: License agreements, pricing schedules, commitment terms
L1 Analytics (Bronze→Silver)
-- Normalize spend data from procurement and finance
CREATE VIEW silver_software_spend AS
SELECT
vendor_id,
vendor_name,
product_name,
contract_id,
purchase_date,
invoice_date,
amount,
currency,
spend_category, -- license, maintenance, support, overage
payment_status,
department_id,
cost_center,
fiscal_year,
fiscal_quarter
FROM bronze_procurement_transactions
WHERE category = 'Software'
UNION ALL
SELECT
vendor_id,
vendor_name,
product_name,
subscription_id as contract_id,
billing_period_start as purchase_date,
billing_date as invoice_date,
charge_amount as amount,
currency,
charge_type as spend_category,
payment_status,
department_id,
cost_center,
fiscal_year,
fiscal_quarter
FROM bronze_vendor_billing;
L2 Analytics (Silver→Gold)
-- Aggregate spend by vendor, product, department
CREATE VIEW gold_spend_summary AS
SELECT
vendor_name,
product_name,
fiscal_year,
fiscal_quarter,
spend_category,
department_id,
SUM(amount) as total_spend,
COUNT(DISTINCT contract_id) as contract_count,
MIN(invoice_date) as first_spend_date,
MAX(invoice_date) as last_spend_date,
SUM(CASE WHEN payment_status = 'paid' THEN amount ELSE 0 END) as paid_amount,
SUM(CASE WHEN payment_status = 'pending' THEN amount ELSE 0 END) as pending_amount
FROM silver_software_spend
GROUP BY vendor_name, product_name, fiscal_year, fiscal_quarter, spend_category, department_id;
-- Calculate YoY spend trends
CREATE VIEW gold_spend_trends AS
SELECT
vendor_name,
product_name,
current_year.total_spend as current_spend,
prior_year.total_spend as prior_spend,
(current_year.total_spend - prior_year.total_spend) / prior_year.total_spend * 100 as yoy_growth_pct,
current_year.contract_count
FROM gold_spend_summary current_year
LEFT JOIN gold_spend_summary prior_year
ON current_year.vendor_name = prior_year.vendor_name
AND current_year.product_name = prior_year.product_name
AND current_year.fiscal_year = prior_year.fiscal_year + 1;
Cerebro Enhancement
- Memory: Historical spend patterns, vendor pricing trends, renewal history, negotiated discount rates, commitment milestones
- Intelligence: Spend anomaly detection (unexpected charges, billing errors), category spend distribution, vendor concentration risk, budget variance analysis
- Reasoning: Cost optimization recommendations (consolidation opportunities, volume discount eligibility), spend forecast for upcoming renewals, variance explanations (new users, feature upgrades, overages)
UI Representation
Component: SAM Dashboard - Spend Overview Module
Visualization:
┌─────────────────────────────────────────────────────────────┐
│ Software Spend Overview FY2026 Q1 │
├─────────────────────────────────────────────────────────────┤
│ │
│ Total Managed Spend: $12.4M │
│ ▲ 8.3% vs Prior Year │
│ │
│ Top Vendors by Spend: │
│ ┌──────────────────────────────────────────────┐ │
│ │ Microsoft ████████████████ $3.2M 26% │ │
│ │ Salesforce ██████████ $2.1M 17% │ │
│ │ Adobe ███████ $1.5M 12% │ │
│ │ ServiceNow ██████ $1.3M 10% │ │
│ │ Others ███████████████ $4.3M 35% │ │
│ └──────────────────────────────────────────────┘ │
│ │
│ Spend by Category: │
│ License: $8.1M (65%) │ Maintenance: $2.8M (23%) │
│ Support: $1.1M (9%) │ Overages: $400K (3%) │
│ │
│ [View by Department] [View by Product] [Export Report] │
└─────────────────────────────────────────────────────────────┘
Interactions:
- Click vendor name to see detailed spend breakdown and contract details
- Filter by time period (monthly, quarterly, annual), department, or spend category
- Drill into specific products to see license count, per-license cost, utilization
- Export spend reports for budget reviews and finance reconciliation
Copilot Query Example:
"What's our total software spend with Microsoft this year and how does it compare to last year?" Answer: "Your Microsoft spend for FY2026 is currently $3.2M (through Q1), tracking toward $12.8M annually. This represents a 12% increase vs FY2025 ($11.4M total). The increase is driven by: (1) Azure consumption up 18% ($420K), (2) 50 additional M365 E5 licenses ($85K), and (3) new Copilot for M365 deployment ($250K). You're on track with your budgeted Microsoft spend of $13.1M."
Q2: "When are contracts expiring?"
Why it matters: Proactive contract renewal management prevents service disruptions, enables negotiation leverage, allows for vendor evaluation, and provides time to explore alternatives or consolidate licenses before auto-renewal commitments.
Telemetry Sources
- Contract Management System: Contract start/end dates, renewal terms, auto-renewal clauses, notice periods
- Vendor Portals: Subscription expiration dates, renewal notifications
- Procurement System: Purchase order terms, contract amendments
- Calendar Systems: Renewal reminders, negotiation milestones
L1 Analytics (Bronze→Silver)
-- Normalize contract expiration data
CREATE VIEW silver_contract_expirations AS
SELECT
contract_id,
vendor_name,
product_name,
contract_start_date,
contract_end_date,
renewal_term, -- annual, multi-year
auto_renewal_flag,
notice_period_days,
annual_contract_value,
license_count,
contract_owner,
business_owner,
DATEDIFF(contract_end_date, CURRENT_DATE) as days_until_expiration
FROM bronze_contracts
WHERE contract_type = 'Software License'
AND contract_status = 'Active';
L2 Analytics (Silver→Gold)
-- Categorize contracts by renewal urgency
CREATE VIEW gold_renewal_pipeline AS
SELECT
contract_id,
vendor_name,
product_name,
contract_end_date,
days_until_expiration,
annual_contract_value,
CASE
WHEN days_until_expiration <= 30 THEN 'Critical - <30 days'
WHEN days_until_expiration <= 60 THEN 'Urgent - 30-60 days'
WHEN days_until_expiration <= 90 THEN 'Upcoming - 60-90 days'
WHEN days_until_expiration <= 180 THEN 'Planning - 90-180 days'
ELSE 'Future - >180 days'
END as renewal_urgency,
auto_renewal_flag,
notice_period_days,
CASE
WHEN days_until_expiration <= notice_period_days THEN 'Action Required'
ELSE 'Monitor'
END as renewal_status
FROM silver_contract_expirations
WHERE days_until_expiration <= 365
ORDER BY days_until_expiration;
Cerebro Enhancement
- Memory: Historical renewal timelines, vendor negotiation cycles, past renewal terms, decision-making patterns, stakeholder involvement history
- Intelligence: Renewal workload forecasting, negotiation timeline recommendations, vendor relationship status, alternative vendor options, historical pricing trends
- Reasoning: Optimal negotiation timing, consolidation opportunities (multiple expiring contracts with same vendor), risk alerts (approaching notice deadlines), stakeholder coordination recommendations
UI Representation
Component: License Management - Renewal Calendar
Visualization:
┌─────────────────────────────────────────────────────────────┐
│ Contract Renewal Pipeline Updated: Jan 15 │
├─────────────────────────────────────────────────────────────┤
│ │
│ Critical (<30 days) $1.2M │
│ ┌────────────────────────────────────────────────┐ │
│ │ ⚠️ Zoom Jan 28 $450K [Act] │ │
│ │ ⚠️ Atlassian Feb 5 $380K [Act] │ │
│ │ ⚠️ DocuSign Feb 12 $370K [Act] │ │
│ └────────────────────────────────────────────────┘ │
│ │
│ Urgent (30-60 days) $2.8M │
│ ┌────────────────────────────────────────────────┐ │
│ │ Adobe Creative Cloud Mar 15 $1.5M [Plan] │ │
│ │ Slack Enterprise Mar 22 $820K [Plan] │ │
│ │ GitHub Enterprise Mar 30 $480K [Plan] │ │
│ └────────────────────────────────────────────────┘ │
│ │
│ Upcoming (60-90 days) $1.9M │
│ │ ServiceNow Apr 18 $1.3M │ │
│ │ Miro Apr 25 $340K │ │
│ │ Figma May 2 $260K │ │
│ │
│ [Calendar View] [By Vendor] [By Value] [Export] │
└─────────────────────────────────────────────────────────────┘
Interactions:
- Click contract to see full details (terms, license count, utilization, vendor contacts)
- Toggle between list view, calendar view, and timeline view
- Set custom reminder notifications for renewal milestones
- Initiate renewal workflow (vendor evaluation, stakeholder review, negotiation)
- Flag contracts for evaluation or alternative vendor research
Copilot Query Example:
"Show me all contracts expiring in Q2 and highlight any with auto-renewal clauses" Answer: "You have 14 contracts expiring in Q2 (Apr-Jun) totaling $6.7M. 9 of these have auto-renewal clauses: Salesforce (Apr 1, $2.1M, 60-day notice), Microsoft EA (May 31, $3.2M, 90-day notice - notice period expires Mar 2!), Workday (Jun 15, $890K, 30-day notice), and 6 others. Priority action: Microsoft EA notice deadline is in 46 days - schedule vendor review meeting ASAP."
Q3: "How many licenses do we have left to assign?"
Why it matters: SAM directors need real-time visibility into license pool availability to fulfill new user requests, forecast when additional purchases are needed, prevent over-purchasing, and maintain optimal inventory levels.
Telemetry Sources
- ITAM/SAM Platform: License entitlements, assigned licenses, license pools
- Vendor Portals: Purchased license counts, subscription tiers
- IDP (Okta/Azure AD): Active user assignments, app provisioning status
- Procurement System: License purchase history, pending orders
L1 Analytics (Bronze→Silver)
-- Normalize license entitlement and assignment data
CREATE VIEW silver_license_inventory AS
SELECT
product_id,
product_name,
vendor_name,
license_type, -- named user, concurrent, device, subscription tier
total_purchased,
total_assigned,
total_active, -- actively used in last 30 days
total_inactive, -- assigned but not used
contract_id,
last_updated
FROM bronze_license_entitlements;
L2 Analytics (Silver→Gold)
-- Calculate available license capacity
CREATE VIEW gold_license_availability AS
SELECT
product_name,
vendor_name,
license_type,
total_purchased,
total_assigned,
(total_purchased - total_assigned) as available_licenses,
ROUND((total_purchased - total_assigned) / NULLIF(total_purchased, 0) * 100, 1) as available_pct,
total_active,
total_inactive,
ROUND(total_active / NULLIF(total_assigned, 0) * 100, 1) as utilization_pct,
CASE
WHEN (total_purchased - total_assigned) = 0 THEN 'At Capacity'
WHEN (total_purchased - total_assigned) < 10 THEN 'Low Availability'
WHEN (total_purchased - total_assigned) / NULLIF(total_purchased, 0) < 0.1 THEN 'Order Soon'
ELSE 'Available'
END as availability_status,
contract_id
FROM silver_license_inventory;
-- Forecast license depletion
CREATE VIEW gold_license_forecast AS
SELECT
la.product_name,
la.available_licenses,
ar.avg_monthly_assignments,
CASE
WHEN ar.avg_monthly_assignments > 0
THEN la.available_licenses / ar.avg_monthly_assignments
ELSE NULL
END as months_until_depletion,
ce.contract_end_date
FROM gold_license_availability la
LEFT JOIN (
SELECT product_id, AVG(monthly_assignments) as avg_monthly_assignments
FROM bronze_assignment_history
WHERE assignment_date >= DATE_SUB(CURRENT_DATE, INTERVAL 6 MONTH)
GROUP BY product_id
) ar ON la.product_id = ar.product_id
LEFT JOIN silver_contract_expirations ce ON la.contract_id = ce.contract_id;
Cerebro Enhancement
- Memory: Historical assignment patterns, seasonal demand fluctuations, department growth trends, onboarding velocity, past stockout incidents
- Intelligence: License demand forecasting, optimal buffer levels, reclamation opportunity identification, assignment pattern anomalies
- Reasoning: Purchase timing recommendations, license pool rebalancing suggestions (move licenses between departments), proactive reclamation triggers when capacity is low
UI Representation
Component: SAM Dashboard - License Pool Status
Visualization:
┌─────────────────────────────────────────────────────────────┐
│ License Pool Availability Updated: 2hrs ago │
├─────────────────────────────────────────────────────────────┤
│ │
│ ⚠️ Critical Capacity (Immediate Action) │
│ ┌────────────────────────────────────────────────┐ │
│ │ Figma Professional 0 / 150 [🔴 0%] Order │ │
│ │ Adobe Acrobat Pro 2 / 85 [🟡 2%] Order │ │
│ │ Slack Enterprise 8 / 320 [🟡 3%] Order │ │
│ └────────────────────────────────────────────────┘ │
│ │
│ 📊 Healthy Capacity │
│ ┌────────────────────────────────────────────────┐ │
│ │ M365 E5 142 / 850 [🟢 17%] │ │
│ │ Salesforce 38 / 240 [🟢 16%] │ │
│ │ GitHub Enterprise 55 / 180 [🟢 31%] │ │
│ │ Zoom 89 / 500 [🟢 18%] │ │
│ └────────────────────────────────────────────────┘ │
│ │
│ Forecast: Figma - depleted now, Slack - 3 weeks │
│ │
│ [Request Purchase] [Reclaim Licenses] [View All] │
└─────────────────────────────────────────────────────────────┘
Interactions:
- Click product to see assigned users, inactive licenses, and reclamation candidates
- Initiate purchase request workflow for products at/near capacity
- Trigger reclamation workflow to free up licenses from inactive users
- Set custom thresholds for low-capacity alerts
- View historical assignment trends and forecast depletion dates
Copilot Query Example:
"How many Figma licenses can I assign today and when will we need to buy more?" Answer: "You have 0 Figma Professional licenses available - you're at full capacity (150/150 assigned). However, 12 users haven't logged in for 60+ days and are candidates for reclamation. If you reclaim those, you'll have 12 licenses available immediately. Based on your average assignment rate (8 licenses/month), you'll need to purchase additional licenses within 6 weeks. Recommend ordering 25-50 more licenses now to avoid future stockouts."
Q4: "What's the utilization of our licenses?"
Why it matters: License utilization metrics identify waste (unused or underutilized licenses), support cost optimization decisions, provide data for vendor negotiations, and help rightsize license purchases to actual usage patterns.
Telemetry Sources
- UEM (Jamf/Intune): Application launch frequency, last used date, usage duration
- Vendor APIs: Login activity, feature usage, active vs inactive users
- IDP (Okta/Azure AD): Authentication events, app access patterns
- SIEM/Log Aggregation: Application access logs, session data
L1 Analytics (Bronze→Silver)
-- Normalize usage data from multiple sources
CREATE VIEW silver_license_usage AS
SELECT
user_id,
product_id,
product_name,
license_assigned_date,
last_login_date,
last_30d_logins,
last_90d_logins,
last_used_date,
total_usage_hours,
feature_adoption_score,
data_source -- UEM, Vendor API, IDP
FROM bronze_application_usage
WHERE license_assigned = TRUE;
L2 Analytics (Silver→Gold)
-- Calculate utilization metrics
CREATE VIEW gold_license_utilization AS
SELECT
product_name,
COUNT(DISTINCT user_id) as total_assigned,
COUNT(DISTINCT CASE WHEN last_30d_logins > 0 THEN user_id END) as active_30d,
COUNT(DISTINCT CASE WHEN last_90d_logins > 0 THEN user_id END) as active_90d,
COUNT(DISTINCT CASE WHEN last_30d_logins = 0 AND last_90d_logins > 0 THEN user_id END) as inactive_30d_active_90d,
COUNT(DISTINCT CASE WHEN last_90d_logins = 0 THEN user_id END) as inactive_90d,
ROUND(COUNT(DISTINCT CASE WHEN last_30d_logins > 0 THEN user_id END) /
NULLIF(COUNT(DISTINCT user_id), 0) * 100, 1) as utilization_30d_pct,
ROUND(COUNT(DISTINCT CASE WHEN last_90d_logins > 0 THEN user_id END) /
NULLIF(COUNT(DISTINCT user_id), 0) * 100, 1) as utilization_90d_pct,
AVG(total_usage_hours) as avg_usage_hours,
AVG(feature_adoption_score) as avg_feature_adoption
FROM silver_license_usage
GROUP BY product_name;
-- Identify reclamation candidates
CREATE VIEW gold_reclamation_candidates AS
SELECT
user_id,
user_name,
user_email,
department,
product_name,
license_assigned_date,
last_login_date,
last_30d_logins,
last_90d_logins,
DATEDIFF(CURRENT_DATE, last_login_date) as days_since_last_use,
CASE
WHEN last_90d_logins = 0 THEN 'High Priority'
WHEN last_30d_logins = 0 AND last_90d_logins < 5 THEN 'Medium Priority'
WHEN last_30d_logins < 3 THEN 'Low Priority'
END as reclamation_priority
FROM silver_license_usage
WHERE last_90d_logins < 5
ORDER BY days_since_last_use DESC;
Cerebro Enhancement
- Memory: Historical utilization trends, seasonal usage patterns, user role-based usage norms, past reclamation outcomes
- Intelligence: Anomaly detection (sudden usage drops), cohort analysis (usage by department/role), adoption curve tracking, feature utilization patterns
- Reasoning: Reclamation impact assessment, optimal reclamation timing, user notification strategies, license reallocation recommendations
UI Representation
Component: SAM Dashboard - Utilization Analytics
Visualization:
┌─────────────────────────────────────────────────────────────┐
│ License Utilization (30-Day) Updated: Today │
├─────────────────────────────────────────────────────────────┤
│ │
│ High Utilization (>80%) │
│ ┌────────────────────────────────────────────────┐ │
│ │ Slack ████████████████ 320/340 94% │ │
│ │ GitHub ██████████████ 162/180 90% │ │
│ │ Zoom ████████████ 447/500 89% │ │
│ └────────────────────────────────────────────────┘ │
│ │
│ ⚠️ Low Utilization (<50%) - Optimization Opportunity │
│ ┌────────────────────────────────────────────────┐ │
│ │ Adobe Acrobat ████ 32/85 38% │ Recl │
│ │ Figma █████ 68/150 45% │ Recl │
│ │ Tableau ███ 45/120 38% │ Recl │
│ └────────────────────────────────────────────────┘ │
│ │
│ Reclamation Opportunity: 142 licenses ($186K/year) │
│ │
│ [View Candidates] [Start Reclamation] [Usage Trends] │
└─────────────────────────────────────────────────────────────┘
Interactions:
- Click product to see user-level utilization details and reclamation candidates
- Filter by utilization threshold, department, or time period
- Initiate reclamation workflow with automated user notifications
- View usage trends over time to identify seasonal patterns
- Export utilization reports for vendor negotiations
Copilot Query Example:
"Show me Adobe products with less than 50% utilization and tell me how much we could save by reclaiming unused licenses" Answer: "3 Adobe products have <50% utilization: Acrobat Pro (38%, 53 inactive users), Creative Cloud (46%, 82 inactive users), Adobe Sign (41%, 35 inactive users). Total reclamation opportunity: 170 licenses worth $238K annually. High-priority candidates (90+ days inactive): 94 licenses ($132K). Recommend starting with 90-day inactive users first, which could save $132K with minimal business disruption."
Q5: "Who is our vendor account manager / contact?"
Why it matters: Quick access to vendor contacts enables efficient issue resolution, facilitates renewal negotiations, supports escalation workflows, and maintains vendor relationships critical for contract management and support needs.
Telemetry Sources
- Contract Management System: Vendor contact information, account manager assignments
- CRM (Salesforce): Vendor relationship history, communication logs, meeting notes
- Email/Communication Systems: Contact details, recent interactions
- Procurement System: Vendor records, purchasing contacts
L1 Analytics (Bronze→Silver)
-- Normalize vendor contact information
CREATE VIEW silver_vendor_contacts AS
SELECT
vendor_id,
vendor_name,
contact_type, -- account manager, technical support, sales, executive sponsor
contact_name,
contact_title,
contact_email,
contact_phone,
contact_region,
primary_contact_flag,
escalation_level,
last_contact_date,
next_scheduled_meeting,
contract_id
FROM bronze_vendor_relationships;
L2 Analytics (Silver→Gold)
-- Create comprehensive vendor contact directory
CREATE VIEW gold_vendor_directory AS
SELECT
vc.vendor_name,
vc.contact_type,
vc.contact_name,
vc.contact_email,
vc.contact_phone,
vc.primary_contact_flag,
c.product_name,
c.contract_end_date,
c.annual_contract_value,
vc.last_contact_date,
vc.next_scheduled_meeting,
DATEDIFF(CURRENT_DATE, vc.last_contact_date) as days_since_contact
FROM silver_vendor_contacts vc
LEFT JOIN silver_contract_expirations c ON vc.contract_id = c.contract_id
WHERE vc.contact_type IN ('account manager', 'sales')
ORDER BY vc.vendor_name, vc.primary_contact_flag DESC;
Cerebro Enhancement
- Memory: Interaction history, relationship quality indicators, vendor responsiveness metrics, escalation outcomes, negotiation history
- Intelligence: Contact recommendation engine (who to reach out to for specific issues), optimal contact timing, relationship health scoring
- Reasoning: Escalation path recommendations, relationship risk alerts (no recent contact before renewal), stakeholder coordination suggestions
UI Representation
Component: Vendor Portal - Contact Directory
Visualization:
┌─────────────────────────────────────────────────────────────┐
│ Vendor Contacts Search: [________] │
├─────────────────────────────────────────── ──────────────────┤
│ │
│ Microsoft $3.2M | May 31 │
│ ┌────────────────────────────────────────────────┐ │
│ │ 👤 Sarah Johnson (Account Manager) │ │
│ │ 📧 [email protected] │ │
│ │ 📞 +1-425-555-0142 │ │
│ │ Last contact: 12 days ago │ │
│ │ Next meeting: Jan 28 │ │
│ │ │ │
│ │ 🔧 Mike Chen (Technical Account Manager) │ │
│ │ 📧 [email protected] │ │
│ │ 📞 +1-425-555-0198 │ │
│ │ [Contact] [Schedule Meeting] [View History] │ │
│ └────────────────────────────────────────────────┘ │
│ │
│ Salesforce $2.1M | Apr 1 │
│ ┌────────────────────────────────────────────────┐ │
│ │ 👤 Alex Rodriguez (Enterprise Account Exec) │ │
│ │ 📧 [email protected] │ │
│ │ 📞 +1-415-555-0276 │ │
│ │ ⚠️ No contact in 45 days - Renewal in 76d │ │
│ │ [Contact Now] [Schedule Call] │ │
│ └────────────────────────────────────────────────┘ │
│ │
│ [Sort by Vendor] [Sort by Contract Value] [Export] │
└─────────────────────────────────────────────────────────────┘
Interactions:
- Click contact to see full profile, interaction history, and communication logs
- One-click email or schedule meeting directly from the interface
- Set reminders for periodic vendor check-ins
- View escalation contacts for critical issues
- Filter by vendor, contact type, or upcoming renewal dates
Copilot Query Example:
"Who is our Salesforce account manager and when did we last talk to them?" Answer: "Your Salesforce account manager is Alex Rodriguez ([email protected], +1-415-555-0276). Last contact was 45 days ago on Dec 1, 2025, when you discussed Q1 usage trends. Note: Your Salesforce contract renews in 76 days (Apr 1) - recommend scheduling a renewal discussion in the next 2 weeks to allow time for negotiation."
Q6: "What's the proposed renewal increase percentage?"
Why it matters: Understanding vendor renewal pricing enables budget planning, supports negotiation strategies, identifies excessive increases for pushback, and allows time to evaluate alternatives if renewal terms are unfavorable.
Telemetry Sources
- Vendor Quotes/Proposals: Renewal quotes, pricing proposals
- Contract Management System: Current contract values, historical renewal terms
- Email/Communication Systems: Renewal notices, vendor communications
- Finance/ERP: Historical spend data, approved budgets
L1 Analytics (Bronze→Silver)
-- Normalize renewal pricing data
CREATE VIEW silver_renewal_pricing AS
SELECT
contract_id,
vendor_name,
product_name,
current_contract_value,
current_contract_end_date,
proposed_renewal_value,
proposed_renewal_term,
renewal_quote_date,
renewal_quote_valid_until,
pricing_notes,
quote_source -- vendor, internal estimate
FROM bronze_renewal_quotes
UNION ALL
SELECT
contract_id,
vendor_name,
product_name,
current_annual_value as current_contract_value,
contract_end_date as current_contract_end_date,
NULL as proposed_renewal_value,
NULL as proposed_renewal_term,
NULL as renewal_quote_date,
NULL as renewal_quote_valid_until,
NULL as pricing_notes,
'current_contract' as quote_source
FROM bronze_contracts
WHERE contract_status = 'Active';
L2 Analytics (Silver→Gold)
-- Calculate renewal increase percentages
CREATE VIEW gold_renewal_analysis AS
SELECT
vendor_name,
product_name,
current_contract_value,
proposed_renewal_value,
(proposed_renewal_value - current_contract_value) as increase_amount,
ROUND((proposed_renewal_value - current_contract_value) /
NULLIF(current_contract_value, 0) * 100, 1) as increase_pct,
current_contract_end_date,
DATEDIFF(current_contract_end_date, CURRENT_DATE) as days_until_expiration,
CASE
WHEN (proposed_renewal_value - current_contract_value) / NULLIF(current_contract_value, 0) > 0.15
THEN 'High Increase'
WHEN (proposed_renewal_value - current_contract_value) / NULLIF(current_contract_value, 0) > 0.08
THEN 'Moderate Increase'
WHEN (proposed_renewal_value - current_contract_value) / NULLIF(current_contract_value, 0) > 0
THEN 'Standard Increase'
ELSE 'No Increase'
END as increase_category,
renewal_quote_date,
renewal_quote_valid_until
FROM silver_renewal_pricing
WHERE proposed_renewal_value IS NOT NULL
ORDER BY increase_pct DESC;
Cerebro Enhancement
- Memory: Historical renewal increase patterns by vendor, industry standard increase rates, past negotiation outcomes, accepted vs rejected increases
- Intelligence: Market rate benchmarking, excessive increase detection, vendor pricing strategy analysis, budget impact forecasting
- Reasoning: Negotiation leverage identification, alternative vendor recommendations for high increases, optimal negotiation strategy based on vendor patterns, budget variance impact analysis
UI Representation
Component: License Management - Renewal Pricing Monitor
Visualization:
┌─────────────────────────────────────────────────────────────┐
│ Renewal Price Changes Q1-Q2 2026 │
├─────────────────────────────────────────────────────────────┤
│ │
│ 🔴 High Increases (>15%) - Negotiate │
│ ┌────────────────────────────────────────────────┐ │
│ │ Datadog $280K → $350K [+25%] 📈 Feb 15 │ Alt? │
│ │ Monday.com $145K → $180K [+24%] 📈 Mar 8 │ Alt? │
│ │ Snowflake $420K → $520K [+24%] 📈 Apr 2 │ Alt? │
│ └────────────────────────────────────────────────┘ │
│ │
│ 🟡 Moderate Increases (8-15%) │
│ ┌────────────────────────────────────────────────┐ │
│ │ Salesforce $2.1M → $2.3M [+10%] Apr 1 │ │
│ │ Adobe $1.5M → $1.6M [+8%] Mar 15 │ │
│ │ ServiceNow $1.3M → $1.4M [+9%] Apr 18 │ │
│ └────────────────────────────────────────────────┘ │
│ │
│ 🟢 Standard Increases (<8%) │
│ │ Slack $820K → $860K [+5%] Mar 22 │ │
│ │ Zoom $450K → $470K [+4%] Jan 28 │ │
│ │
│ Total Budget Impact: +$1.2M (+11% weighted avg) │
│ │
│ [View Details] [Compare Alternatives] [Export Report] │
└─────────────────────────────────────────────────────────────┘
Interactions:
- Click renewal to see full quote details, historical pricing, and negotiation notes
- View market benchmark data and alternative vendor pricing
- Initiate vendor negotiation workflow with talking points
- Flag excessive increases for executive review
- Model budget scenarios (accept all, negotiate down, replace vendors)
Copilot Query Example:
"Which vendors are proposing renewal increases above 15% and what's the total budget impact?" Answer: "3 vendors proposed increases >15%: Datadog (+25%, +$70K), Monday.com (+24%, +$35K), Snowflake (+24%, +$100K). Total impact: $205K additional spend. These are above market average (typical SaaS increases: 5-10%). Recommendations: (1) Datadog - competitors (New Relic, Dynatrace) offer 15-20% lower pricing for similar features, (2) Monday.com - Asana/ClickUp alternatives at 30% lower cost, (3) Snowflake - negotiate committed consumption discount (typically 10-15% off). Potential savings if negotiated: $82K."
Q7: "What are potential alternative tools?"
Why it matters: Identifying alternative vendors provides negotiation leverage, enables cost optimization through vendor switching, supports disaster recovery planning, and allows evaluation of better-fit solutions before renewal commitments.
Telemetry Sources
- Market Intelligence Platforms: G2, Gartner, TrustRadius for vendor comparisons
- Vendor Analysis Tools: Feature matrices, pricing comparisons
- Internal Knowledge Base: Past vendor evaluations, POC results
- CASB: Shadow IT discovery (departments already using alternatives)
L1 Analytics (Bronze→Silver)
-- Normalize alternative vendor data
CREATE VIEW silver_vendor_alternatives AS
SELECT
primary_product_name,
primary_vendor_name,
alternative_product_name,
alternative_vendor_name,
feature_parity_score, -- 0-100
pricing_comparison, -- cheaper, similar, more expensive
estimated_annual_cost,
migration_complexity, -- low, medium, high
data_source, -- market research, internal eval, shadow IT
last_evaluated_date
FROM bronze_market_intelligence
UNION ALL
SELECT
app_name as primary_product_name,
primary_vendor as primary_vendor_name,
shadow_app_name as alternative_product_name,
shadow_vendor as alternative_vendor_name,
NULL as feature_parity_score,
'unknown' as pricing_comparison,
NULL as estimated_annual_cost,
NULL as migration_complexity,
'shadow_it' as data_source,
discovery_date as last_evaluated_date
FROM bronze_casb_shadow_it
WHERE shadow_app_category = sanctioned_app_category;
L2 Analytics (Silver→Gold)
-- Rank alternatives by suitability
CREATE VIEW gold_alternative_analysis AS
SELECT
primary_product_name,
primary_vendor_name,
alternative_product_name,
alternative_vendor_name,
feature_parity_score,
pricing_comparison,
estimated_annual_cost,
migration_complexity,
CASE
WHEN feature_parity_score >= 90 AND pricing_comparison = 'cheaper' AND migration_complexity = 'low'
THEN 'High Potential'
WHEN feature_parity_score >= 80 AND pricing_comparison IN ('cheaper', 'similar')
THEN 'Medium Potential'
ELSE 'Low Potential'
END as replacement_potential,
data_source,
last_evaluated_date,
CASE
WHEN data_source = 'shadow_it' THEN 'Already in use by some teams'
ELSE NULL
END as adoption_note
FROM silver_vendor_alternatives
WHERE feature_parity_score >= 70 OR data_source = 'shadow_it'
ORDER BY replacement_potential, feature_parity_score DESC;
Cerebro Enhancement
- Memory: Historical vendor evaluations, POC outcomes, migration experiences, feature requirement priorities, team preferences
- Intelligence: Feature gap analysis, total cost of ownership (TCO) comparison including migration costs, risk assessment, shadow IT usage patterns indicating organic alternative adoption
- Reasoning: Replacement recommendations based on renewal timing, negotiation leverage talking points, migration planning guidance, business case generation for vendor switches
UI Representation
Component: Vendor Portal - Alternative Solutions Explorer
Visualization:
┌─────────────────────────────────────────────────────────────┐
│ Alternative Vendor Analysis │
├─────────────────────────────────────────────────────────────┤
│ │
│ Analyzing: Datadog ($350K renewal, +25% increase) │
│ │
│ 🎯 High Potential Alternatives │
│ ┌────────────────────────────────────────────────┐ │
│ │ New Relic │ │
│ │ Feature match: 92% | Est cost: $280K/yr │ │
│ │ Migration: Medium | Savings: $70K (20%) │ │
│ │ Note: Already in use by Platform Eng (5 users) │
│ │ [View Comparison] [Request Demo] [Build Case] │
│ │ │ │
│ │ Dynatrace │ │
│ │ Feature match: 88% | Est cost: $295K/yr │ │
│ │ Migration: Medium | Savings: $55K (16%) │ │
│ │ [View Comparison] [Request Demo] │ │