A lightweight, accessible date picker web component with excellent keyboard navigation and range selection support.
⚠️ Security Notice: This component intentionally allows raw HTML in rendering callbacks and message content to give developers full control over content display. If you display user-generated content, you must sanitize it yourself. See HTML Injection (XSS) Notice for the complete list of affected callbacks and methods.
- 🎯 Input Masking - Auto-format dates as you type with separator insertion
- ⌨️ Keyboard Navigation - Full keyboard support (arrows, Enter, Esc, PageUp/Down, Home/End)
- 📅 Rolling Selector - Innovative scrollable year/month picker
- 📊 Multi-Month Display - Show 1-3+ months side by side with independent navigation
- 🎨 Themeable - All styles use CSS custom properties (
--drp-*) - 🖱️ Drag-to-Adjust - Drag range endpoints to adjust selection (range mode)
- 🌐 Multiple Formats - YYYY-MM-DD, DD.MM.YYYY, MM/DD/YYYY, etc.
- 🌍 Locale-Aware - Auto-detect week start day from user's locale
- 🚫 Date Restrictions - Min/max dates, disabled days/dates, custom disable logic
- 🎉 Special Dates - Highlight holidays, events with custom labels and styling
- ✨ Modern - Web Component with Shadow DOM, TypeScript, bundled with Vite
npm install @keenmate/web-daterangepicker<!-- Single date picker -->
<web-daterangepicker
selection-mode="single"
date-format-mask="YYYY-MM-DD"
placeholder="Select date"
></web-daterangepicker>
<!-- Date range picker -->
<web-daterangepicker
selection-mode="range"
date-format-mask="YYYY-MM-DD"
visible-months-count="2"
placeholder="Select date range"
></web-daterangepicker>// Import the component (includes styles)
import '@keenmate/web-daterangepicker';
// Or import styles separately if needed
import '@keenmate/web-daterangepicker/style.css';
const picker = document.querySelector('web-daterangepicker');
// Listen for date selection
picker.addEventListener('date-select', (e) => {
console.log('Selected:', e.detail.formattedValue);
console.log('Date object:', e.detail.date);
console.log('Range:', e.detail.dateRange);
});
// Programmatic API
picker.show(); // Show calendar
picker.hide(); // Hide calendar
picker.toggle(); // Toggle calendar
picker.clearSelection(); // Clear selection
picker.getInputValue(); // Get current value
picker.setInputValue('2025-11-15'); // Set valueIf you prefer to use the DateRangePicker class directly instead of the web component, you have full programmatic control:
import { DateRangePicker } from '@keenmate/web-daterangepicker';
// IMPORTANT: Import CSS separately (web component auto-injects, but the class doesn't)
import '@keenmate/web-daterangepicker/dist/style.css';
const inputElement = document.getElementById('my-input');
const picker = new DateRangePicker(inputElement, {
selectionMode: 'range',
visibleMonthsCount: 2,
dateFormatMask: 'YYYY-MM-DD',
onSelect: (detail) => {
// Range mode: detail is { start: Date, end: Date }
console.log('Range:', detail.start, 'to', detail.end);
}
});Unlike the web component, the DateRangePicker class does NOT automatically inject styles. You MUST import CSS separately or you'll see an unstyled calendar. Choose one method:
Option 1: Import CSS in JavaScript (Recommended)
import { DateRangePicker } from '@keenmate/web-daterangepicker';
import '@keenmate/web-daterangepicker/dist/style.css';Option 2: Link CSS in HTML
<link rel="stylesheet" href="./node_modules/@keenmate/web-daterangepicker/dist/style.css">Option 3: Programmatic Injection
import { DateRangePicker } from '@keenmate/web-daterangepicker';
// Inject styles once before creating pickers
DateRangePicker.injectGlobalStyles();
const picker = new DateRangePicker(inputElement, options);Why? The web component uses Shadow DOM and injects styles into its isolated scope automatically. The DateRangePicker class creates calendar elements in the regular DOM, so it expects global CSS to be loaded separately.
See the JavaScript Instantiation Examples for complete code samples and configuration options.
Note: HTML attributes use kebab-case (e.g.,
selection-mode), while JavaScript options use camelCase (e.g.,selectionMode).
| Attribute | Type | Default | Description |
|---|---|---|---|
selection-mode |
'single' | 'range' |
'single' |
Single date or date range selection |
date-format-mask |
string |
'YYYY-MM-DD' |
Date format (YYYY-MM-DD, DD.MM.YYYY, MM/DD/YYYY, etc.) |
visible-months-count |
number |
1 (single), 2 (range) |
Number of months to display |
calendar-open-trigger |
'focus' | 'typing' | 'manual' |
'focus' |
How to open calendar (focus = on input focus, typing = when user types, manual = programmatic only) |
value |
string |
- | Current value |
placeholder |
string |
- | Input placeholder text |
disabled |
boolean |
false |
Disable the picker |
week-start-day |
'auto' | 0-6 |
'auto' |
First day of week (0=Sunday, 1=Monday, etc. 'auto'=detect from locale) |
min-date |
string |
- | Minimum selectable date (YYYY-MM-DD) |
max-date |
string |
- | Maximum selectable date (YYYY-MM-DD) |
disabled-weekdays |
string |
- | Comma-separated day numbers to disable (e.g., "0,6" for weekends) |
disabled-dates-handling |
'allow' | 'prevent' | 'block' | 'split' | 'individual' |
'allow' |
How to handle range selections over disabled dates (see Range Selection Modes) |
highlight-disabled-in-range |
boolean |
true |
Whether to visually highlight disabled dates within a selected range. Set to false to only highlight enabled dates. |
auto-close |
'never' | 'selection' | 'apply' |
'selection' |
When to close calendar (selection = after picking, apply = after Apply button, never = manual) |
positioning-mode |
'inline' | 'floating' |
'floating' |
Calendar positioning (inline = embedded, floating = popup) |
input-size |
'xs' | 'sm' | 'md' | 'lg' | 'xl' |
'md' |
Input field size (floating mode only) |
enable-transitions |
boolean |
false |
Enable CSS transitions/animations |
// Get/set properties (use camelCase in JavaScript)
picker.selectionMode = 'range';
picker.dateFormatMask = 'DD.MM.YYYY';
picker.value = '2025-11-15';
picker.disabled = true;| Method | Description |
|---|---|
show() |
Show the calendar (floating mode only) |
hide() |
Hide the calendar |
toggle() |
Toggle calendar visibility |
clearSelection() |
Clear the current selection |
getInputValue() |
Get the current value as a string |
setInputValue(value: string) |
Set the value |
showMessage(html: string) |
Display a message in the calendar with custom HTML content |
hideMessage() |
Hide the currently displayed message |
| Event | Detail | Description |
|---|---|---|
date-select |
{ date?, dateRange?, formattedValue } |
Fired when a date is selected |
change |
{ date?, dateRange?, formattedValue } |
Fired when selection changes |
custom-action |
{ [key: string]: string } |
Fired when a button with data-action="custom" is clicked. Detail contains all data-* attributes as camelCase keys. |
- ↑ ↓ - Navigate up/down by week
- ← → - Navigate left/right by day
- Ctrl+← / Ctrl+→ - Previous / next month (maintains day position)
- PageUp / PageDown - Previous / next month (maintains day position)
- Home - First day of current month (repeat to cycle backwards through months)
- End - Last day of current month (repeat to cycle forwards through months)
- Ctrl+Home - January 1st of current year (repeat for previous year)
- Ctrl+End - December 31st of current year (repeat for next year)
- Enter - Select focused day
- Escape - Close calendar
- Tab / Shift+Tab - Switch between month columns (multi-month mode)
- T - Jump to today
Control which day the week starts on (auto-detected by default from user's locale):
<!-- Auto-detect from locale (default) -->
<web-daterangepicker week-start-day="auto"></web-daterangepicker>
<!-- Force Sunday start -->
<web-daterangepicker week-start-day="0"></web-daterangepicker>
<!-- Force Monday start (common in Europe) -->
<web-daterangepicker week-start-day="1"></web-daterangepicker><!-- Disable weekends -->
<web-daterangepicker disabled-weekdays="0,6"></web-daterangepicker>
<!-- Date range restriction -->
<web-daterangepicker
min-date="2025-01-01"
max-date="2025-12-31">
</web-daterangepicker>const picker = document.querySelector('web-daterangepicker');
// Disable specific dates (e.g., public holidays)
picker.disabledDates = [
'2025-12-25', // Christmas
'2025-01-01', // New Year
new Date(2025, 6, 4) // July 4th
];
// Custom disable logic (e.g., cottage booking)
picker.getDateMetadataCallback = (date) => {
// Disable all dates that overlap with existing bookings
const isBooked = bookedRanges.some(range =>
date >= range.start && date <= range.end
);
return isBooked ? { isDisabled: true } : null;
};Add visual indicators and labels to specific dates:
const picker = document.querySelector('web-daterangepicker');
picker.specialDates = [
{
date: '2025-12-25',
dayClass: 'holiday', // CSS class for the day cell
badgeText: '🎄', // Badge overlay (emoji or short text)
dayTooltip: 'Christmas Day'
},
{
date: '2025-07-04',
dayClass: 'holiday',
badgeText: '🎆',
dayTooltip: 'Independence Day'
},
{
date: '2025-02-14',
dayClass: 'event',
badgeText: '❤️',
dayTooltip: 'Valentine\'s Day'
}
];For complete control, use the getDateMetadataCallback:
picker.getDateMetadataCallback = (date) => {
const dateStr = date.toISOString().split('T')[0];
// Check if it's a peak season date
if (isPeakSeason(date)) {
return {
dayClass: 'peak-season',
badgeText: '$$$',
dayTooltip: 'Peak season pricing'
};
}
// Check if it's a special offer date
if (specialOffers[dateStr]) {
return {
dayClass: 'special-offer',
badgeText: '%',
dayTooltip: `${specialOffers[dateStr]}% off!`
};
}
return null;
};Since the component uses Shadow DOM, inject custom styles via the customStylesCallback:
picker.customStylesCallback = () => `
/* Holiday styling */
.drp-date-picker__day.holiday {
background-color: rgba(239, 68, 68, 0.1);
}
/* Event styling */
.drp-date-picker__day.event {
background-color: rgba(16, 185, 129, 0.1);
}
/* Custom class example */
.drp-date-picker__day.peak-season {
background-color: rgba(251, 191, 36, 0.15);
font-weight: 600;
}
`;Validate or modify date selections before they're applied. Supports async validation (e.g., API calls):
const picker = document.querySelector('web-daterangepicker');
picker.beforeDateSelectCallback = async (selection) => {
// selection is Date (single mode) or { start: Date, end: Date } (range mode)
// Example: Check availability via API
const response = await fetch('/api/check-availability', {
method: 'POST',
body: JSON.stringify({
start: selection.start.toISOString(),
end: selection.end.toISOString()
})
});
const { available, message } = await response.json();
if (!available) {
return {
action: 'restore',
message: message,
showInvalidRange: true // Keep selection visible with error styling
};
}
return { action: 'accept' };
};Return object options:
| Property | Type | Description |
|---|---|---|
action |
'accept' | 'adjust' | 'restore' | 'clear' |
Required. What to do with the selection |
message |
string |
Optional message to display in the calendar |
showInvalidRange |
boolean |
When true with action: 'restore', keeps the invalid selection visible with red error styling |
adjustedDate |
Date |
For action: 'adjust' in single mode - the corrected date |
adjustedStartDate |
Date |
For action: 'adjust' in range mode - the corrected start date |
adjustedEndDate |
Date |
For action: 'adjust' in range mode - the corrected end date |
Action behaviors:
accept: Apply the selection as-is. Hides any existing message.adjust: Apply corrected dates instead (use withadjustedDateoradjustedStartDate/adjustedEndDate)restore: Revert to previous selection. UseshowInvalidRange: trueto show what was attempted.clear: Clear the selection entirely.
Example: Minimum nights validation with error display:
picker.beforeDateSelectCallback = (range) => {
const nights = Math.floor((range.end - range.start) / (1000 * 60 * 60 * 24));
if (nights < 2) {
return {
action: 'restore',
message: 'Minimum 2 nights required',
showInvalidRange: true // Shows attempted range with red styling
};
}
if (nights > 14) {
return {
action: 'restore',
message: 'Maximum 14 nights allowed',
showInvalidRange: true
};
}
return { action: 'accept' };
};Load metadata for all visible dates in a single API call when the user navigates months. Much more efficient than getDateMetadataCallback which is called per-date:
const picker = document.querySelector('web-daterangepicker');
picker.beforeMonthChangedCallback = async (context) => {
// context: { year, month, monthIndex, firstVisibleDate, lastVisibleDate }
// Fetch availability for all visible dates in one call
const response = await fetch('/api/availability', {
method: 'POST',
body: JSON.stringify({
start: context.firstVisibleDate.toISOString(),
end: context.lastVisibleDate.toISOString()
})
});
const data = await response.json();
// Build metadata map (key: YYYY-MM-DD, value: DateInfo)
const metadata = new Map();
data.forEach(day => {
metadata.set(day.date, {
badgeText: `$${day.price}`,
isDisabled: !day.available,
dayTooltip: `${day.roomsLeft} rooms available`
});
});
return { action: 'accept', metadata };
};Return object options:
| Property | Type | Description |
|---|---|---|
action |
'accept' | 'block' |
Required. Allow or prevent month navigation |
metadata |
Map<string, DateInfo> |
Bulk metadata keyed by YYYY-MM-DD. Cached and used instead of getDateMetadataCallback |
monthHeaders |
Map<string, string> |
Custom month headers keyed by YYYY-MM (e.g., "2026-01" → "Jan 2026 (5 rooms)") |
message |
string |
Optional message to display (useful with action: 'block') |
Performance: 1 API call per month navigation vs 35-42 calls with getDateMetadataCallback.
Display contextual messages in the calendar with interactive buttons:
const picker = document.querySelector('web-daterangepicker');
// Show a simple message
picker.showMessage('<p>Please select a check-in date</p>');
// Show a message with a close button
picker.showMessage(`
<p>Weekend dates have higher rates</p>
<button data-action="close-message">Got it</button>
`);
// Show a message with custom action buttons
picker.showMessage(`
<p>These dates are unavailable. Try:</p>
<button data-action="custom" data-start-date="2026-01-14" data-end-date="2026-01-17">
Jan 14 - Jan 17
</button>
`);
// Handle custom action button clicks
picker.addEventListener('custom-action', (e) => {
const { startDate, endDate } = e.detail;
if (startDate && endDate) {
picker.selectedRanges = [{
start: new Date(startDate),
end: new Date(endDate)
}];
picker.hideMessage();
}
});
// Hide message programmatically
picker.hideMessage();Built-in button actions:
data-action="close-message"- Closes the message (no event fired)data-action="custom"- Firescustom-actionevent with alldata-*attributes
When selecting date ranges that include disabled dates (e.g., selecting a working week where weekends are disabled), you can control how the selection is handled using the disabled-dates-handling attribute:
Allows range selections over disabled dates. Returns both enabled and disabled date arrays:
<web-daterangepicker
selection-mode="range"
disabled-weekdays="0,6"
disabled-dates-handling="allow">
</web-daterangepicker>
<script>
picker.addEventListener('date-select', (e) => {
console.log('Enabled dates:', e.detail.enabledDates);
console.log('Disabled dates:', e.detail.disabledDates);
console.log('Total days:', e.detail.getTotalDays());
console.log('Enabled count:', e.detail.getEnabledDateCount());
});
</script>Use case: Selecting working weeks where you need to know both working days and weekends (e.g., "Select 3 weeks of work" where weekends are included in the range but you get a separate array of working days).
Prevents selecting disabled dates entirely. Clicking a disabled date does nothing:
<web-daterangepicker
selection-mode="range"
disabled-dates-handling="prevent">
</web-daterangepicker>Use case: Strict date selection where disabled dates should never be part of any selection.
Prevents range selections from crossing disabled dates. Automatically snaps to the last enabled date before the gap:
<web-daterangepicker
selection-mode="range"
disabled-dates-handling="block">
</web-daterangepicker>When dragging from day 1 to day 7 with days 4-5 disabled, the selection will automatically snap to days 1-3.
Use case: Cottage booking where you can't book across existing reservations, or any scenario where gaps in the range are not allowed.
Returns multiple date ranges separated by disabled dates:
<web-daterangepicker
selection-mode="range"
disabled-weekdays="0,6"
disabled-dates-handling="split">
</web-daterangepicker>
<script>
picker.addEventListener('date-select', (e) => {
console.log('Ranges:', e.detail.dateRanges);
// e.g., [{start: Mon, end: Fri}, {start: Mon, end: Fri}, {start: Mon, end: Fri}]
console.log('Formatted:', e.detail.formattedValue);
// "2025-11-03 - 2025-11-07, 2025-11-10 - 2025-11-14, 2025-11-17 - 2025-11-21"
});
</script>Use case: Reporting or analytics where you need distinct time periods (e.g., "Generate report for these 3 work weeks").
Returns a flat array of individual enabled dates:
<web-daterangepicker
selection-mode="range"
disabled-weekdays="0,6"
disabled-dates-handling="individual">
</web-daterangepicker>
<script>
picker.addEventListener('date-select', (e) => {
console.log('Individual dates:', e.detail.dates);
// [Date(Mon), Date(Tue), Date(Wed), Date(Thu), Date(Fri), Date(Mon), ...]
console.log('Formatted:', e.detail.formattedValue);
// "2025-11-03, 2025-11-04, 2025-11-05, 2025-11-06, 2025-11-07, ..."
});
</script>Use case: Scheduling or event planning where you need a list of specific dates (e.g., "Schedule training sessions on these dates").
| Mode | Properties | Description |
|---|---|---|
allow |
dateRange, enabledDates, disabledDates, getTotalDays(), getEnabledDateCount() |
Full range with helper methods |
prevent |
dateRange, dates |
Only enabled dates can be selected |
block |
dateRange, dates |
Single continuous range (no disabled dates) |
split |
dateRanges, dates |
Multiple ranges split by disabled dates |
individual |
dates |
Flat array of enabled dates |
By default, when you select a range that includes disabled dates, all dates (both enabled and disabled) within the range are visually highlighted. You can change this behavior with the highlight-disabled-in-range attribute:
<!-- Default: highlights all dates in range, including disabled weekends -->
<web-daterangepicker
selection-mode="range"
disabled-weekdays="0,6"
disabled-dates-handling="split">
</web-daterangepicker>
<!-- Only highlight enabled dates (Mon-Fri), skip weekends -->
<web-daterangepicker
selection-mode="range"
disabled-weekdays="0,6"
disabled-dates-handling="split"
highlight-disabled-in-range="false">
</web-daterangepicker>When to use highlight-disabled-in-range="false":
- Selecting working weeks where you only want to see Monday-Friday highlighted
- Visual clarity when disabled dates are not relevant to the selection
- Any scenario where showing gaps in the range is clearer than showing continuous highlighting
The easiest way to customize the appearance of this component is using the KeenMate Theme Designer at:
- Choose 3 base colors - background, text, and accent
- Preview changes live - see your theme applied instantly
- Fine-tune individual variables - lock specific values while adjusting others
- Export your theme - copy CSS, JSON, or SCSS to your project
KeenMate components support a two-layer theming architecture:
Standalone Mode (Simple) - Just override the component-specific variables you need:
:root {
--drp-accent-color: #your-brand-color;
--drp-primary-bg: #your-background;
--drp-text-primary: #your-text-color;
}Cascading Mode (Multi-Component) - When using multiple KeenMate components, you can define a shared base layer:
:root {
/* Base layer - single source of truth */
--base-accent-color: #3b82f6;
--base-primary-bg: #ffffff;
--base-text-primary: #111827;
/* Components reference base layer */
--ms-accent-color: var(--base-accent-color);
--drp-accent-color: var(--base-accent-color);
}Change --base-accent-color once → all components update automatically.
All KeenMate components follow a consistent naming convention for Tier 1 variables (core theming):
| Purpose | web-multiselect | web-daterangepicker |
|---|---|---|
| Brand color | --ms-accent-color |
--drp-accent-color |
| Background | --ms-primary-bg |
--drp-primary-bg |
| Text color | --ms-text-primary |
--drp-text-primary |
| Text on accent | --ms-text-on-accent |
--drp-text-on-accent |
| Border color | --ms-border-color |
--drp-border-color |
Learn the pattern once, apply it across all components.
This package exports a component-variables.manifest.json file that documents all supported CSS variables for tooling integration (e.g., Theme Designer, IDE autocomplete):
import manifest from '@keenmate/web-daterangepicker/component-variables.manifest.json';
// manifest.baseVariables - list of --base-* variables the component responds to
// manifest.componentVariables - list of --drp-* component-specific variablesCustomize the appearance using CSS custom properties:
:root {
/* Base Unit - scale entire component by changing this */
--drp-rem: 10px; /* Default base unit (change to scale everything) */
/* Colors */
--drp-dropdown-background: #ffffff;
--drp-border-color: #e5e7eb;
--drp-primary-bg: #f3f4f6;
--drp-primary-bg-hover: #e5e7eb;
--drp-accent-color: #3b82f6;
--drp-accent-color-hover: #2563eb;
--drp-text-primary: #111827;
--drp-text-secondary: #6b7280;
--drp-text-on-accent: #ffffff;
/* Input Field */
--drp-input-background: var(--drp-dropdown-background);
--drp-input-color: var(--drp-text-primary);
--drp-input-border: var(--base-input-border, var(--drp-border));
--drp-input-border-hover: var(--base-input-border-hover, var(--drp-border-width-base) solid var(--drp-accent-color));
--drp-input-border-focus: var(--base-input-border-focus, var(--drp-border-width-base) solid var(--drp-accent-color));
--drp-input-placeholder-color: var(--drp-text-secondary);
/* Typography (all scale with --drp-rem) */
--drp-font-size-xs: calc(1.2 * var(--drp-rem)); /* 12px */
--drp-font-size-sm: calc(1.4 * var(--drp-rem)); /* 14px */
--drp-font-size-base: calc(1.6 * var(--drp-rem)); /* 16px */
--drp-font-weight-medium: 500;
--drp-font-weight-semibold: 600;
/* Spacing (all scale with --drp-rem) */
--drp-spacing-xs: calc(0.4 * var(--drp-rem)); /* 4px */
--drp-spacing-sm: calc(0.8 * var(--drp-rem)); /* 8px */
--drp-spacing-md: calc(1.6 * var(--drp-rem)); /* 16px */
/* Borders */
--drp-border-width-base: 1px;
--drp-border-radius-sm: calc(var(--base-border-radius-sm, 0.4) * var(--drp-rem)); /* 4px - day cells, tooltips */
--drp-border-radius-md: calc(var(--base-border-radius-md, 0.6) * var(--drp-rem)); /* 6px - inputs, buttons */
--drp-border-radius-lg: calc(var(--base-border-radius-lg, 0.8) * var(--drp-rem)); /* 8px - calendar, dropdowns */
--drp-border-radius: var(--drp-border-radius-md); /* default alias */
/* Shadows */
--drp-shadow-xl: 0 20px 25px -5px rgb(0 0 0 / 0.1);
/* Transitions */
--drp-transition-fast: 150ms;
--drp-easing-snappy: cubic-bezier(0.4, 0.0, 0.2, 1);
}The component uses a 10px-based sizing system (--drp-rem: 10px) for clean, predictable dimensions:
| Size | Attribute | Height | Base Variable |
|---|---|---|---|
| XS | input-size="xs" |
31px | --base-input-size-xs-height |
| SM | input-size="sm" |
33px | --base-input-size-sm-height |
| MD | input-size="md" |
35px (default) | --base-input-size-md-height |
| LG | input-size="lg" |
38px | --base-input-size-lg-height |
| XL | input-size="xl" |
41px | --base-input-size-xl-height |
Theme Designer Integration: Input heights reference --base-input-size-*-height variables from the Theme Designer. This ensures consistent input heights across all KeenMate components (web-multiselect, web-daterangepicker).
For complete size variable reference (font sizes, padding, spacing), see SIZES.md.
Four ways to customize input dimensions:
/* Option 1: Via Theme Designer base variables (recommended for multi-component consistency) */
:root {
--base-input-size-md-height: 4.2; /* All components: 42px at 10px rem */
}
/* Option 2: Direct px override */
web-daterangepicker {
--drp-input-size-md-height: 42px;
}
/* Option 3: Scale all sizes via --drp-rem */
web-daterangepicker {
--drp-rem: 12px; /* MD = 3.5 × 12 = 42px */
}
/* Option 4: Override specific size with calc */
web-daterangepicker {
--drp-input-size-md-height: calc(4.2 * var(--drp-rem));
}Scale the entire calendar by setting --drp-rem directly on the <web-daterangepicker> element:
/* Compact size (80%) */
web-daterangepicker.compact {
--drp-rem: 8px;
}
/* Large size (150%) */
web-daterangepicker.large {
--drp-rem: 15px;
}
/* Or use inline style */
<web-daterangepicker style="--drp-rem: 12px;"></web-daterangepicker>Important: Due to Shadow DOM, CSS variables must be set on the <web-daterangepicker> element itself (via class or inline style), not on a wrapper div.
For fine-grained control, override individual variables:
web-daterangepicker.custom {
--drp-rem: 12px;
--drp-spacing-xs: 2px; /* Tighter gaps */
--drp-font-size-base: 18px; /* Larger text */
}See examples-sizes.html for interactive demos.
# Install dependencies
npm install
# Start dev server
npm run dev
# Build for production
npm run build
# Preview production build
npm run preview- Modern browsers with Web Components and CSS
color-mix()support - Chrome/Edge 111+
- Firefox 113+
- Safari 16.2+
For older browser support, use the compiled dist/style.css which is processed by Vite.
The following callbacks and methods allow raw HTML injection and are intentionally NOT XSS-safe. This gives developers full control over rendering but requires sanitizing untrusted data:
| Callback/Method | Output Used In | Risk Level |
|---|---|---|
showMessage(html) |
Message area (innerHTML) | HTML injection |
renderDayCallback |
Day cells (innerHTML) | HTML injection |
renderDayContentCallback |
Day cells (innerHTML) | HTML injection |
getDateMetadataCallback (badgeText, dayTooltip) |
Badges/tooltips (innerHTML) | HTML injection |
formatSummaryCallback |
Summary display (innerHTML) | HTML injection |
getMonthHeaderCallback |
Month headers (innerHTML) | HTML injection |
getUnifiedHeaderCallback |
Unified header (innerHTML) | HTML injection |
customStylesCallback |
Style tag (textContent) | CSS injection |
actionButtons[].label |
Button labels (innerHTML) | HTML injection |
Safe callbacks (output is escaped or used as data):
beforeDateSelectCallback,beforeMonthChangedCallback(return action objects)onSelect,onChange(event handlers)getDateMetadataCallback(isDisabled, dayClass, badgeClass - CSS class names only)
If displaying user-generated content, sanitize it before passing to these callbacks or methods.
See CHANGELOG.md for version history and migration guides.
MIT
Extracted from the Pure Admin design system.