feat: add feature assignment to admin tier management UI

- Add slide-over panel for assigning features to subscription tiers
- Features grouped by category with select all/deselect all
- Add puzzle-piece icon button in tier table actions
- Add feature management methods to subscription-tiers.js
- Fix JS-006 by adding try/catch to init function

Documentation:
- Update feature-gating-system.md with Admin Tier Management UI section
- Update subscription-billing.md with tier management overview
- Add new admin user guide: subscription-tier-management.md
- Add guide to mkdocs.yml navigation

🤖 Generated with [Claude Code](https://claude.com/claude-code)

Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
This commit is contained in:
2026-01-01 12:58:09 +01:00
parent 71c66aa237
commit d803e1c911
6 changed files with 501 additions and 3 deletions

View File

@@ -1,7 +1,7 @@
// static/admin/js/subscription-tiers.js
// noqa: JS-003 - Uses ...baseData which is data() with safety check
const tiersLog = window.LogConfig?.loggers?.subscriptionTiers || console;
const tiersLog = window.LogConfig?.loggers?.subscriptionTiers || window.LogConfig?.createLogger?.('subscriptionTiers') || console;
function adminSubscriptionTiers() {
// Get base data with safety check for standalone usage
@@ -23,6 +23,16 @@ function adminSubscriptionTiers() {
stats: null,
includeInactive: false,
// Feature management
features: [],
categories: [],
featuresGrouped: {},
selectedFeatures: [],
selectedTierForFeatures: null,
showFeaturePanel: false,
loadingFeatures: false,
savingFeatures: false,
// Sorting
sortBy: 'display_order',
sortOrder: 'asc',
@@ -56,8 +66,18 @@ function adminSubscriptionTiers() {
window._adminSubscriptionTiersInitialized = true;
tiersLog.info('=== SUBSCRIPTION TIERS PAGE INITIALIZING ===');
await this.loadTiers();
await this.loadStats();
try {
await Promise.all([
this.loadTiers(),
this.loadStats(),
this.loadFeatures(),
this.loadCategories()
]);
tiersLog.info('=== SUBSCRIPTION TIERS PAGE INITIALIZED ===');
} catch (error) {
tiersLog.error('Failed to initialize subscription tiers page:', error);
this.error = 'Failed to load page data. Please refresh.';
}
},
async refresh() {
@@ -207,6 +227,129 @@ function adminSubscriptionTiers() {
style: 'currency',
currency: 'EUR'
}).format(cents / 100);
},
// ==================== FEATURE MANAGEMENT ====================
async loadFeatures() {
try {
const data = await apiClient.get('/admin/features');
this.features = data.features || [];
tiersLog.info(`Loaded ${this.features.length} features`);
} catch (error) {
tiersLog.error('Failed to load features:', error);
}
},
async loadCategories() {
try {
const data = await apiClient.get('/admin/features/categories');
this.categories = data.categories || [];
tiersLog.info(`Loaded ${this.categories.length} categories`);
} catch (error) {
tiersLog.error('Failed to load categories:', error);
}
},
groupFeaturesByCategory() {
this.featuresGrouped = {};
for (const category of this.categories) {
this.featuresGrouped[category] = this.features.filter(f => f.category === category);
}
},
async openFeaturePanel(tier) {
tiersLog.info('Opening feature panel for tier:', tier.code);
this.selectedTierForFeatures = tier;
this.loadingFeatures = true;
this.showFeaturePanel = true;
try {
// Load tier's current features
const data = await apiClient.get(`/admin/features/tiers/${tier.code}/features`);
if (data.features) {
this.selectedFeatures = data.features.map(f => f.code);
} else {
this.selectedFeatures = tier.features || [];
}
} catch (error) {
tiersLog.error('Failed to load tier features:', error);
this.selectedFeatures = tier.features || [];
} finally {
this.groupFeaturesByCategory();
this.loadingFeatures = false;
}
},
closeFeaturePanel() {
this.showFeaturePanel = false;
this.selectedTierForFeatures = null;
this.selectedFeatures = [];
this.featuresGrouped = {};
},
toggleFeature(featureCode) {
const index = this.selectedFeatures.indexOf(featureCode);
if (index === -1) {
this.selectedFeatures.push(featureCode);
} else {
this.selectedFeatures.splice(index, 1);
}
},
isFeatureSelected(featureCode) {
return this.selectedFeatures.includes(featureCode);
},
async saveFeatures() {
if (!this.selectedTierForFeatures) return;
tiersLog.info('Saving features for tier:', this.selectedTierForFeatures.code);
this.savingFeatures = true;
try {
await apiClient.put(
`/admin/features/tiers/${this.selectedTierForFeatures.code}/features`,
{ feature_codes: this.selectedFeatures }
);
this.successMessage = `Features updated for ${this.selectedTierForFeatures.name}`;
this.closeFeaturePanel();
await this.loadTiers();
} catch (error) {
tiersLog.error('Failed to save features:', error);
this.error = error.message || 'Failed to save features';
} finally {
this.savingFeatures = false;
}
},
selectAllInCategory(category) {
const categoryFeatures = this.featuresGrouped[category] || [];
for (const feature of categoryFeatures) {
if (!this.selectedFeatures.includes(feature.code)) {
this.selectedFeatures.push(feature.code);
}
}
},
deselectAllInCategory(category) {
const categoryFeatures = this.featuresGrouped[category] || [];
const codes = categoryFeatures.map(f => f.code);
this.selectedFeatures = this.selectedFeatures.filter(c => !codes.includes(c));
},
allSelectedInCategory(category) {
const categoryFeatures = this.featuresGrouped[category] || [];
if (categoryFeatures.length === 0) return false;
return categoryFeatures.every(f => this.selectedFeatures.includes(f.code));
},
formatCategoryName(category) {
return category
.split('_')
.map(word => word.charAt(0).toUpperCase() + word.slice(1))
.join(' ');
}
};
}