All files / src/validators EventValidator.js

100% Statements 64/64
100% Branches 43/43
100% Functions 9/9
100% Lines 62/62

Press n or j to go to the next uncovered block, b, p or k for the previous block.

1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211                            43x               8x 2x     6x 2x     4x 1x       3x 1x       2x 2x 1x     1x             9x   9x 9x 2x               6x 6x 6x       6x     6x 1x               5x 5x   5x 1x             4x 4x 1x           3x           1x                     5x 3x     2x 2x 1x           1x             9x   6x 9x               8x   5x 5x 3x 1x         2x   2x                               6x     6x     6x 6x 6x     6x             5x 1x     4x 1x     3x 1x     2x       6x
/**
 * EventValidator - Handles validation logic for events
 * 
 * Ensures event data meets quality standards before storage and prevents system abuse.
 * Validates formats, timezones, and business rules to maintain data consistency.
 * 
 * Validation design rationale:
 * - Input validation prevents malformed events from corrupting the system
 * - Timezone handling ensures accurate scheduling across regions
 * - Future date requirements prevent confusion from past events
 * - Role validation ensures notification targeting works correctly
 */
class EventValidator {
    constructor(bot) {
        this.bot = bot;
    }
 
    /**
     * Validate event data including region, location, and date
     */
    validateEventData(eventData) {
        // Validate required fields
        if (!eventData.name || eventData.name.trim().length === 0) {
            return { valid: false, error: 'Event name is required' };
        }
 
        if (!eventData.region || eventData.region.trim().length === 0) {
            return { valid: false, error: 'Region is required' };
        }
 
        if (!eventData.eventDate) {
            return { valid: false, error: 'Event date is required' };
        }
 
        // Validate event name length
        if (eventData.name.length > 100) {
            return { valid: false, error: 'Event name must be 100 characters or less' };
        }
 
        // Validate and normalize date
        const dateValidation = this.validateEventDate(eventData.eventDate);
        if (!dateValidation.valid) {
            return dateValidation;
        }
 
        return { valid: true };
    }
 
    /**
     * Validate event date format and ensure it's in the future
     */
    validateEventDate(eventDateStr) {
        try {
            // Parse the date string and validate format
            const dateRegex = /^\d{4}-\d{2}-\d{2}\s+\d{1,2}:\d{2}$/;
            if (!dateRegex.test(eventDateStr.trim())) {
                return {
                    valid: false,
                    error: 'Invalid date format. Use YYYY-MM-DD HH:MM (e.g., 2024-08-25 18:00)'
                };
            }
 
            // Parse user input as UK local time and convert to UTC for storage
            // User enters time in UK timezone, we store as UTC for Discord/databases
            const [datePart, timePart] = eventDateStr.trim().split(' ');
            const [year, month, day] = datePart.split('-').map(Number);
            const [hour, minute] = timePart.split(':').map(Number);
            
            // Create a Date object treating the input as UK time
            // Use a helper method to get proper UK timezone offset
            const eventDate = this.parseUKTimeToUTC(year, month - 1, day, hour, minute);
            
            // Check if date is valid
            if (isNaN(eventDate.getTime())) {
                return {
                    valid: false,
                    error: 'Invalid date. Please check the date and time are correct.'
                };
            }
 
            // Check if date is in the future (at least 5 minutes from now)
            // Compare UTC times since eventDate is now in UTC
            const nowUTC = new Date();
            const minFutureTime = new Date(nowUTC.getTime() + (5 * 60 * 1000)); // 5 minutes from now
 
            if (eventDate <= minFutureTime) {
                return {
                    valid: false,
                    error: 'Event date must be at least 5 minutes in the future'
                };
            }
 
            // Check if date is not too far in the future (1 year)
            const maxFutureTime = new Date(nowUTC.getTime() + (365 * 24 * 60 * 60 * 1000)); // 1 year from now
            if (eventDate > maxFutureTime) {
                return {
                    valid: false,
                    error: 'Event date cannot be more than 1 year in the future'
                };
            }
 
            return { 
                valid: true, 
                date: eventDate.toISOString() 
            };
 
        } catch (error) {
            return {
                valid: false,
                error: 'Invalid date format. Use YYYY-MM-DD HH:MM (e.g., 2024-08-25 18:00)'
            };
        }
    }
 
    /**
     * Validate role exists and has permissions
     */
    validateRole(guild, roleName, roleType = 'role') {
        if (!roleName) {
            return { valid: false, error: `${roleType} is required` };
        }
 
        const role = this.findRoleByName(guild, roleName);
        if (!role) {
            return {
                valid: false,
                error: `${roleType} role "${roleName}" not found in server. Please check the role name and ensure it exists.`
            };
        }
 
        return { valid: true, role };
    }
 
    /**
     * Find role by name (case-insensitive)
     */
    findRoleByName(guild, roleName) {
        if (!guild || !roleName) return null;
        
        return guild.roles.cache.find(role => 
            role.name.toLowerCase() === roleName.toLowerCase()
        );
    }
 
    /**
     * Validate event link if provided
     */
    validateEventLink(link) {
        if (!link) return { valid: true }; // Link is optional
 
        try {
            const url = new URL(link);
            if (url.protocol !== 'http:' && url.protocol !== 'https:') {
                return {
                    valid: false,
                    error: 'Event link must be a valid HTTP or HTTPS URL'
                };
            }
            return { valid: true };
        } catch (error) {
            return {
                valid: false,
                error: 'Invalid URL format for event link'
            };
        }
    }
 
    /**
     * Parse UK local time to UTC for consistent storage
     * 
     * Converts user-entered UK local time to UTC for database storage and Discord timestamps.
     * This ensures events are scheduled correctly regardless of server timezone or DST changes.
     * The conversion handles BST/GMT transitions automatically using JavaScript's timezone support.
     */
    parseUKTimeToUTC(year, month, day, hour, minute) {
        // Create a date string in ISO format but specify it as UK timezone
        const dateStr = `${year}-${(month + 1).toString().padStart(2, '0')}-${day.toString().padStart(2, '0')}T${hour.toString().padStart(2, '0')}:${minute.toString().padStart(2, '0')}:00`;
        
        // Create date assuming the input is UTC first
        const tempDate = new Date(dateStr + 'Z');
        
        // Get UK timezone offset for this specific date (handles BST/GMT automatically)
        const ukDate = new Date(tempDate.toLocaleString('en-US', { timeZone: 'Europe/London' }));
        const utcDate = new Date(tempDate.toLocaleString('en-US', { timeZone: 'UTC' }));
        const offset = ukDate.getTime() - utcDate.getTime();
        
        // Subtract the offset to get the correct UTC time
        return new Date(tempDate.getTime() - offset);
    }
 
    /**
     * Validate event removal criteria
     */
    validateRemovalCriteria(criteria) {
        if (!criteria.name) {
            return { valid: false, error: 'Event name is required for removal' };
        }
 
        if (!criteria.region) {
            return { valid: false, error: 'Region is required for removal' };
        }
 
        if (!criteria.eventDate) {
            return { valid: false, error: 'Event date is required for removal' };
        }
 
        return { valid: true };
    }
}
 
module.exports = EventValidator;