feat: add Crontab Guru tool for parsing and validating crontab expressions

This commit is contained in:
AshAnand34
2025-07-07 21:27:32 -07:00
parent 816a098971
commit fe41c092f6
9 changed files with 196 additions and 2 deletions

2
package-lock.json generated
View File

@@ -26,6 +26,8 @@
"browser-image-compression": "^2.0.2", "browser-image-compression": "^2.0.2",
"buffer": "^6.0.3", "buffer": "^6.0.3",
"color": "^4.2.3", "color": "^4.2.3",
"cron-validator": "^1.3.1",
"cronstrue": "^3.0.0",
"dayjs": "^1.11.13", "dayjs": "^1.11.13",
"formik": "^2.4.6", "formik": "^2.4.6",
"jimp": "^0.22.12", "jimp": "^0.22.12",

View File

@@ -43,6 +43,8 @@
"browser-image-compression": "^2.0.2", "browser-image-compression": "^2.0.2",
"buffer": "^6.0.3", "buffer": "^6.0.3",
"color": "^4.2.3", "color": "^4.2.3",
"cron-validator": "^1.3.1",
"cronstrue": "^3.0.0",
"dayjs": "^1.11.13", "dayjs": "^1.11.13",
"formik": "^2.4.6", "formik": "^2.4.6",
"jimp": "^0.22.12", "jimp": "^0.22.12",

View File

@@ -7,11 +7,13 @@ import InputFooter from './InputFooter';
export default function ToolTextInput({ export default function ToolTextInput({
value, value,
onChange, onChange,
title = 'Input text' title = 'Input text',
placeholder
}: { }: {
title?: string; title?: string;
value: string; value: string;
onChange: (value: string) => void; onChange: (value: string) => void;
placeholder?: string;
}) { }) {
const { showSnackBar } = useContext(CustomSnackBarContext); const { showSnackBar } = useContext(CustomSnackBarContext);
const fileInputRef = useRef<HTMLInputElement>(null); const fileInputRef = useRef<HTMLInputElement>(null);
@@ -50,6 +52,7 @@ export default function ToolTextInput({
fullWidth fullWidth
multiline multiline
rows={10} rows={10}
placeholder={placeholder}
sx={{ sx={{
'&.MuiTextField-root': { '&.MuiTextField-root': {
backgroundColor: 'background.paper' backgroundColor: 'background.paper'

View File

@@ -0,0 +1,26 @@
import { expect, describe, it } from 'vitest';
import { validateCrontab, explainCrontab } from './service';
describe('crontab-guru service', () => {
it('validates correct crontab expressions', () => {
expect(validateCrontab('35 16 * * 0-5')).toBe(true);
expect(validateCrontab('* * * * *')).toBe(true);
expect(validateCrontab('0 12 1 * *')).toBe(true);
});
it('invalidates incorrect crontab expressions', () => {
expect(validateCrontab('invalid expression')).toBe(false);
expect(validateCrontab('61 24 * * *')).toBe(false);
});
it('explains valid crontab expressions', () => {
expect(explainCrontab('35 16 * * 0-5')).toMatch(/At 04:35 PM/);
expect(explainCrontab('* * * * *')).toMatch(/Every minute/);
});
it('returns error for invalid crontab explanation', () => {
expect(explainCrontab('invalid expression')).toMatch(
/Invalid crontab expression/
);
});
});

View File

@@ -0,0 +1,108 @@
import { Box, Typography, Alert, Button, Stack } from '@mui/material';
import React, { useState } from 'react';
import ToolContent from '@components/ToolContent';
import { ToolComponentProps } from '@tools/defineTool';
import ToolTextInput from '@components/input/ToolTextInput';
import ToolTextResult from '@components/result/ToolTextResult';
import { GetGroupsType } from '@components/options/ToolOptions';
import { CardExampleType } from '@components/examples/ToolExamples';
import { main, validateCrontab, explainCrontab } from './service';
import { InitialValuesType } from './types';
const initialValues: InitialValuesType = {};
const exampleCards: CardExampleType<InitialValuesType>[] = [
{
title: 'Every day at 16:35, Sunday to Friday',
description: 'At 16:35 on every day-of-week from Sunday through Friday.',
sampleText: '35 16 * * 0-5',
sampleResult: 'At 04:35 PM, Sunday through Friday',
sampleOptions: {}
},
{
title: 'Every minute',
description: 'Runs every minute.',
sampleText: '* * * * *',
sampleResult: 'Every minute',
sampleOptions: {}
},
{
title: 'Every 5 minutes',
description: 'Runs every 5 minutes.',
sampleText: '*/5 * * * *',
sampleResult: 'Every 5 minutes',
sampleOptions: {}
},
{
title: 'At 12:00 PM on the 1st of every month',
description: 'Runs at noon on the first day of each month.',
sampleText: '0 12 1 * *',
sampleResult: 'At 12:00 PM, on day 1 of the month',
sampleOptions: {}
}
];
export default function CrontabGuru({
title,
longDescription
}: ToolComponentProps) {
const [input, setInput] = useState<string>('');
const [result, setResult] = useState<string>('');
const [isValid, setIsValid] = useState<boolean | null>(null);
const compute = (values: InitialValuesType, input: string) => {
setIsValid(validateCrontab(input));
setResult(main(input, values));
};
const handleExample = (expr: string) => {
setInput(expr);
setIsValid(validateCrontab(expr));
setResult(main(expr, initialValues));
};
const getGroups: GetGroupsType<InitialValuesType> | null = () => [];
return (
<ToolContent
title={title}
input={input}
inputComponent={
<>
<ToolTextInput
value={input}
onChange={setInput}
placeholder="e.g. 35 16 * * 0-5"
/>
<Stack direction="row" spacing={1} mt={1}>
{exampleCards.map((ex, i) => (
<Button
key={i}
size="small"
variant="outlined"
onClick={() => ex.sampleText && handleExample(ex.sampleText)}
disabled={!ex.sampleText}
>
{ex.title}
</Button>
))}
</Stack>
</>
}
resultComponent={
<>
{isValid === false && (
<Alert severity="error">Invalid crontab expression.</Alert>
)}
<ToolTextResult value={result} />
</>
}
initialValues={initialValues}
exampleCards={exampleCards}
getGroups={getGroups}
setInput={setInput}
compute={compute}
toolInfo={{ title: `What is a ${title}?`, description: longDescription }}
/>
);
}

View File

@@ -0,0 +1,24 @@
import { defineTool } from '@tools/defineTool';
import { lazy } from 'react';
export const tool = defineTool('time', {
name: 'Crontab Guru',
path: 'crontab-guru',
icon: 'mdi:calendar-clock',
description:
'Parse, validate, and explain crontab expressions in plain English.',
shortDescription: 'Crontab expression parser and explainer',
keywords: [
'crontab',
'cron',
'schedule',
'guru',
'time',
'expression',
'parser',
'explain'
],
longDescription:
'Enter a crontab expression (like "35 16 * * 0-5") to get a human-readable explanation and validation. Useful for understanding and debugging cron schedules. Inspired by crontab.guru.',
component: lazy(() => import('./index'))
});

View File

@@ -0,0 +1,23 @@
import { InitialValuesType } from './types';
import cronstrue from 'cronstrue';
import { isValidCron } from 'cron-validator';
export function explainCrontab(expr: string): string {
try {
return cronstrue.toString(expr);
} catch (e: any) {
return `Invalid crontab expression: ${e.message}`;
}
}
export function validateCrontab(expr: string): boolean {
return isValidCron(expr, { seconds: false, allowBlankDay: true });
}
export function main(input: string, options: InitialValuesType): string {
if (!input.trim()) return '';
if (!validateCrontab(input)) {
return 'Invalid crontab expression.';
}
return explainCrontab(input);
}

View File

@@ -0,0 +1,4 @@
// Options for crontab-guru tool. Currently empty, but can be extended for advanced features.
export type InitialValuesType = {
// Add future options here
};

View File

@@ -1,3 +1,4 @@
import { tool as timeCrontabGuru } from './crontab-guru/meta';
import { tool as timeBetweenDates } from './time-between-dates/meta'; import { tool as timeBetweenDates } from './time-between-dates/meta';
import { tool as daysDoHours } from './convert-days-to-hours/meta'; import { tool as daysDoHours } from './convert-days-to-hours/meta';
import { tool as hoursToDays } from './convert-hours-to-days/meta'; import { tool as hoursToDays } from './convert-hours-to-days/meta';
@@ -11,5 +12,6 @@ export const timeTools = [
convertSecondsToTime, convertSecondsToTime,
convertTimetoSeconds, convertTimetoSeconds,
truncateClockTime, truncateClockTime,
timeBetweenDates timeBetweenDates,
timeCrontabGuru
]; ];