feat: Implement Phase 2, 3, 4 - Module Settings System with Schema Forms and Addon API
Phase 2: Schema-Based Form System
- Add ModuleSettingsController with GET/POST/schema endpoints
- Create SchemaField component supporting 8 field types (text, textarea, email, url, number, toggle, checkbox, select)
- Create SchemaForm component for automatic form generation from schema
- Add ModuleSettings page with dynamic routing (/settings/modules/:moduleId)
- Add useModuleSettings React hook for settings management
- Implement NewsletterSettings as example with 8 configurable fields
- Add has_settings flag to module registry
- Settings stored as woonoow_module_{module_id}_settings
Phase 3: Advanced Features
- Create windowAPI.ts exposing React, hooks, components, icons, utils to addons via window.WooNooW
- Add DynamicComponentLoader for loading external React components
- Create TypeScript definitions (woonoow-addon.d.ts) for addon developers
- Initialize Window API in App.tsx on mount
- Enable custom React components for addon settings pages
Phase 4: Production Polish & Example
- Create complete Biteship addon example demonstrating both approaches:
* Schema-based settings (no build required)
* Custom React component (with build)
- Add comprehensive README with installation and testing guide
- Include package.json with esbuild configuration
- Demonstrate window.WooNooW API usage in custom component
Bug Fixes:
- Fix footer newsletter form visibility (remove redundant module check)
- Fix footer contact_data and social_links not saving (parameter name mismatch: snake_case vs camelCase)
- Fix useModules hook returning undefined (remove .data wrapper, add fallback)
- Add optional chaining to footer settings rendering
- Fix TypeScript errors in woonoow-addon.d.ts (use any for external types)
Files Added (15):
- includes/Api/ModuleSettingsController.php
- includes/Modules/NewsletterSettings.php
- admin-spa/src/components/forms/SchemaField.tsx
- admin-spa/src/components/forms/SchemaForm.tsx
- admin-spa/src/routes/Settings/ModuleSettings.tsx
- admin-spa/src/hooks/useModuleSettings.ts
- admin-spa/src/lib/windowAPI.ts
- admin-spa/src/components/DynamicComponentLoader.tsx
- types/woonoow-addon.d.ts
- examples/biteship-addon/biteship-addon.php
- examples/biteship-addon/src/Settings.jsx
- examples/biteship-addon/package.json
- examples/biteship-addon/README.md
- PHASE_2_3_4_SUMMARY.md
Files Modified (11):
- admin-spa/src/App.tsx
- admin-spa/src/hooks/useModules.ts
- admin-spa/src/routes/Appearance/Footer.tsx
- admin-spa/src/routes/Settings/Modules.tsx
- customer-spa/src/hooks/useModules.ts
- customer-spa/src/layouts/BaseLayout.tsx
- customer-spa/src/components/NewsletterForm.tsx
- includes/Api/Routes.php
- includes/Api/ModulesController.php
- includes/Core/ModuleRegistry.php
- woonoow.php
API Endpoints Added:
- GET /woonoow/v1/modules/{module_id}/settings
- POST /woonoow/v1/modules/{module_id}/settings
- GET /woonoow/v1/modules/{module_id}/schema
For Addon Developers:
- Schema-based: Define settings via woonoow/module_settings_schema filter
- Custom React: Build component using window.WooNooW API, externalize react/react-dom
- Both approaches use same storage and retrieval methods
- TypeScript definitions provided for type safety
- Complete working example (Biteship) included
This commit is contained in:
296
includes/Api/ModuleSettingsController.php
Normal file
296
includes/Api/ModuleSettingsController.php
Normal file
@@ -0,0 +1,296 @@
|
||||
<?php
|
||||
/**
|
||||
* Module Settings REST API Controller
|
||||
*
|
||||
* Handles module-specific settings storage and retrieval
|
||||
*
|
||||
* @package WooNooW\Api
|
||||
*/
|
||||
|
||||
namespace WooNooW\Api;
|
||||
|
||||
use WP_REST_Controller;
|
||||
use WP_REST_Server;
|
||||
use WP_REST_Request;
|
||||
use WP_REST_Response;
|
||||
use WP_Error;
|
||||
use WooNooW\Core\ModuleRegistry;
|
||||
|
||||
class ModuleSettingsController extends WP_REST_Controller {
|
||||
|
||||
/**
|
||||
* REST API namespace
|
||||
*/
|
||||
protected $namespace = 'woonoow/v1';
|
||||
|
||||
/**
|
||||
* REST API base
|
||||
*/
|
||||
protected $rest_base = 'modules';
|
||||
|
||||
/**
|
||||
* Register routes
|
||||
*/
|
||||
public function register_routes() {
|
||||
// GET /woonoow/v1/modules/{module_id}/settings
|
||||
register_rest_route($this->namespace, '/' . $this->rest_base . '/(?P<module_id>[a-zA-Z0-9_-]+)/settings', [
|
||||
[
|
||||
'methods' => WP_REST_Server::READABLE,
|
||||
'callback' => [$this, 'get_settings'],
|
||||
'permission_callback' => [$this, 'check_permission'],
|
||||
'args' => [
|
||||
'module_id' => [
|
||||
'required' => true,
|
||||
'type' => 'string',
|
||||
'sanitize_callback' => 'sanitize_text_field',
|
||||
],
|
||||
],
|
||||
],
|
||||
]);
|
||||
|
||||
// POST /woonoow/v1/modules/{module_id}/settings
|
||||
register_rest_route($this->namespace, '/' . $this->rest_base . '/(?P<module_id>[a-zA-Z0-9_-]+)/settings', [
|
||||
[
|
||||
'methods' => WP_REST_Server::CREATABLE,
|
||||
'callback' => [$this, 'update_settings'],
|
||||
'permission_callback' => [$this, 'check_permission'],
|
||||
'args' => [
|
||||
'module_id' => [
|
||||
'required' => true,
|
||||
'type' => 'string',
|
||||
'sanitize_callback' => 'sanitize_text_field',
|
||||
],
|
||||
],
|
||||
],
|
||||
]);
|
||||
|
||||
// GET /woonoow/v1/modules/{module_id}/schema
|
||||
register_rest_route($this->namespace, '/' . $this->rest_base . '/(?P<module_id>[a-zA-Z0-9_-]+)/schema', [
|
||||
[
|
||||
'methods' => WP_REST_Server::READABLE,
|
||||
'callback' => [$this, 'get_schema'],
|
||||
'permission_callback' => [$this, 'check_permission'],
|
||||
'args' => [
|
||||
'module_id' => [
|
||||
'required' => true,
|
||||
'type' => 'string',
|
||||
'sanitize_callback' => 'sanitize_text_field',
|
||||
],
|
||||
],
|
||||
],
|
||||
]);
|
||||
}
|
||||
|
||||
/**
|
||||
* Check permission
|
||||
*
|
||||
* @return bool
|
||||
*/
|
||||
public function check_permission() {
|
||||
return current_user_can('manage_options');
|
||||
}
|
||||
|
||||
/**
|
||||
* Get module settings
|
||||
*
|
||||
* @param WP_REST_Request $request
|
||||
* @return WP_REST_Response|WP_Error
|
||||
*/
|
||||
public function get_settings($request) {
|
||||
$module_id = $request['module_id'];
|
||||
|
||||
// Verify module exists
|
||||
$modules = ModuleRegistry::get_all_modules();
|
||||
if (!isset($modules[$module_id])) {
|
||||
return new WP_Error(
|
||||
'invalid_module',
|
||||
__('Invalid module ID', 'woonoow'),
|
||||
['status' => 404]
|
||||
);
|
||||
}
|
||||
|
||||
// Get settings from database
|
||||
$settings = get_option("woonoow_module_{$module_id}_settings", []);
|
||||
|
||||
// Apply defaults from schema if available
|
||||
$schema = apply_filters('woonoow/module_settings_schema', []);
|
||||
if (isset($schema[$module_id])) {
|
||||
$defaults = $this->get_schema_defaults($schema[$module_id]);
|
||||
$settings = wp_parse_args($settings, $defaults);
|
||||
}
|
||||
|
||||
return new WP_REST_Response($settings, 200);
|
||||
}
|
||||
|
||||
/**
|
||||
* Update module settings
|
||||
*
|
||||
* @param WP_REST_Request $request
|
||||
* @return WP_REST_Response|WP_Error
|
||||
*/
|
||||
public function update_settings($request) {
|
||||
$module_id = $request['module_id'];
|
||||
$new_settings = $request->get_json_params();
|
||||
|
||||
// Verify module exists
|
||||
$modules = ModuleRegistry::get_all_modules();
|
||||
if (!isset($modules[$module_id])) {
|
||||
return new WP_Error(
|
||||
'invalid_module',
|
||||
__('Invalid module ID', 'woonoow'),
|
||||
['status' => 404]
|
||||
);
|
||||
}
|
||||
|
||||
// Validate against schema if available
|
||||
$schema = apply_filters('woonoow/module_settings_schema', []);
|
||||
if (isset($schema[$module_id])) {
|
||||
$validated = $this->validate_settings($new_settings, $schema[$module_id]);
|
||||
if (is_wp_error($validated)) {
|
||||
return $validated;
|
||||
}
|
||||
$new_settings = $validated;
|
||||
}
|
||||
|
||||
// Save settings
|
||||
update_option("woonoow_module_{$module_id}_settings", $new_settings);
|
||||
|
||||
// Allow addons to react to settings changes
|
||||
do_action("woonoow/module_settings_updated/{$module_id}", $new_settings);
|
||||
do_action('woonoow/module_settings_updated', $module_id, $new_settings);
|
||||
|
||||
return rest_ensure_response([
|
||||
'success' => true,
|
||||
'message' => __('Settings saved successfully', 'woonoow'),
|
||||
'settings' => $new_settings,
|
||||
], 200);
|
||||
}
|
||||
|
||||
/**
|
||||
* Get settings schema for a module
|
||||
*
|
||||
* @param WP_REST_Request $request
|
||||
* @return WP_REST_Response|WP_Error
|
||||
*/
|
||||
public function get_schema($request) {
|
||||
$module_id = $request['module_id'];
|
||||
|
||||
// Verify module exists
|
||||
$modules = ModuleRegistry::get_all_modules();
|
||||
if (!isset($modules[$module_id])) {
|
||||
return new WP_Error(
|
||||
'invalid_module',
|
||||
__('Invalid module ID', 'woonoow'),
|
||||
['status' => 404]
|
||||
);
|
||||
}
|
||||
|
||||
// Get schema from filter
|
||||
$all_schemas = apply_filters('woonoow/module_settings_schema', []);
|
||||
$schema = $all_schemas[$module_id] ?? null;
|
||||
|
||||
if (!$schema) {
|
||||
return new WP_REST_Response([
|
||||
'schema' => null,
|
||||
'message' => __('No schema available for this module', 'woonoow'),
|
||||
], 200);
|
||||
}
|
||||
|
||||
return new WP_REST_Response([
|
||||
'schema' => $schema,
|
||||
], 200);
|
||||
}
|
||||
|
||||
/**
|
||||
* Get default values from schema
|
||||
*
|
||||
* @param array $schema
|
||||
* @return array
|
||||
*/
|
||||
private function get_schema_defaults($schema) {
|
||||
$defaults = [];
|
||||
|
||||
foreach ($schema as $key => $field) {
|
||||
if (isset($field['default'])) {
|
||||
$defaults[$key] = $field['default'];
|
||||
}
|
||||
}
|
||||
|
||||
return $defaults;
|
||||
}
|
||||
|
||||
/**
|
||||
* Validate settings against schema
|
||||
*
|
||||
* @param array $settings
|
||||
* @param array $schema
|
||||
* @return array|WP_Error
|
||||
*/
|
||||
private function validate_settings($settings, $schema) {
|
||||
$validated = [];
|
||||
$errors = [];
|
||||
|
||||
foreach ($schema as $key => $field) {
|
||||
$value = $settings[$key] ?? null;
|
||||
|
||||
// Check required fields
|
||||
if (!empty($field['required']) && ($value === null || $value === '')) {
|
||||
$errors[$key] = sprintf(
|
||||
__('%s is required', 'woonoow'),
|
||||
$field['label'] ?? $key
|
||||
);
|
||||
continue;
|
||||
}
|
||||
|
||||
// Skip validation if value is null and not required
|
||||
if ($value === null) {
|
||||
continue;
|
||||
}
|
||||
|
||||
// Type validation
|
||||
$type = $field['type'] ?? 'text';
|
||||
switch ($type) {
|
||||
case 'text':
|
||||
case 'textarea':
|
||||
case 'email':
|
||||
case 'url':
|
||||
$validated[$key] = sanitize_text_field($value);
|
||||
break;
|
||||
|
||||
case 'number':
|
||||
$validated[$key] = floatval($value);
|
||||
break;
|
||||
|
||||
case 'toggle':
|
||||
case 'checkbox':
|
||||
$validated[$key] = (bool) $value;
|
||||
break;
|
||||
|
||||
case 'select':
|
||||
// Validate against allowed options
|
||||
if (isset($field['options']) && !isset($field['options'][$value])) {
|
||||
$errors[$key] = sprintf(
|
||||
__('Invalid value for %s', 'woonoow'),
|
||||
$field['label'] ?? $key
|
||||
);
|
||||
} else {
|
||||
$validated[$key] = sanitize_text_field($value);
|
||||
}
|
||||
break;
|
||||
|
||||
default:
|
||||
$validated[$key] = $value;
|
||||
}
|
||||
}
|
||||
|
||||
if (!empty($errors)) {
|
||||
return new WP_Error(
|
||||
'validation_failed',
|
||||
__('Settings validation failed', 'woonoow'),
|
||||
['status' => 400, 'errors' => $errors]
|
||||
);
|
||||
}
|
||||
|
||||
return $validated;
|
||||
}
|
||||
}
|
||||
@@ -86,24 +86,20 @@ class ModulesController extends WP_REST_Controller {
|
||||
*/
|
||||
public function get_modules($request) {
|
||||
$modules = ModuleRegistry::get_all_with_status();
|
||||
$grouped = ModuleRegistry::get_grouped_modules();
|
||||
|
||||
// Group by category
|
||||
$grouped = [
|
||||
'marketing' => [],
|
||||
'customers' => [],
|
||||
'products' => [],
|
||||
];
|
||||
|
||||
foreach ($modules as $module) {
|
||||
$category = $module['category'];
|
||||
if (isset($grouped[$category])) {
|
||||
$grouped[$category][] = $module;
|
||||
// Add enabled status to grouped modules
|
||||
$enabled_modules = ModuleRegistry::get_enabled_modules();
|
||||
foreach ($grouped as $category => &$category_modules) {
|
||||
foreach ($category_modules as &$module) {
|
||||
$module['enabled'] = in_array($module['id'], $enabled_modules);
|
||||
}
|
||||
}
|
||||
|
||||
return new WP_REST_Response([
|
||||
'modules' => $modules,
|
||||
'grouped' => $grouped,
|
||||
'categories' => ModuleRegistry::get_categories(),
|
||||
], 200);
|
||||
}
|
||||
|
||||
|
||||
@@ -22,6 +22,7 @@ use WooNooW\Api\CouponsController;
|
||||
use WooNooW\Api\CustomersController;
|
||||
use WooNooW\Api\NewsletterController;
|
||||
use WooNooW\Api\ModulesController;
|
||||
use WooNooW\Api\ModuleSettingsController;
|
||||
use WooNooW\Frontend\ShopController;
|
||||
use WooNooW\Frontend\CartController as FrontendCartController;
|
||||
use WooNooW\Frontend\AccountController;
|
||||
@@ -128,6 +129,10 @@ class Routes {
|
||||
$modules_controller = new ModulesController();
|
||||
$modules_controller->register_routes();
|
||||
|
||||
// Module Settings controller
|
||||
$module_settings_controller = new ModuleSettingsController();
|
||||
$module_settings_controller->register_routes();
|
||||
|
||||
// Frontend controllers (customer-facing)
|
||||
ShopController::register_routes();
|
||||
FrontendCartController::register_routes();
|
||||
|
||||
Reference in New Issue
Block a user