Deploy rule, CRM enhancements, Company Employee category, bilingual, contacts module completion

Co-authored-by: Cursor <cursoragent@cursor.com>
This commit is contained in:
Talal Sharabi
2026-02-19 14:59:34 +04:00
parent 0b126cb676
commit 680ba3871e
51 changed files with 11456 additions and 477 deletions

View File

@@ -1,6 +1,7 @@
'use client'
import { useState, useEffect, useCallback } from 'react'
import { useState, useEffect, useCallback, useRef } from 'react'
import { useSearchParams } from 'next/navigation'
import ProtectedRoute from '@/components/ProtectedRoute'
import Modal from '@/components/Modal'
import LoadingSpinner from '@/components/LoadingSpinner'
@@ -31,8 +32,12 @@ import {
} from 'lucide-react'
import { dealsAPI, Deal, CreateDealData, UpdateDealData, DealFilters } from '@/lib/api/deals'
import { contactsAPI } from '@/lib/api/contacts'
import { pipelinesAPI, Pipeline } from '@/lib/api/pipelines'
import { useLanguage } from '@/contexts/LanguageContext'
function CRMContent() {
const { t } = useLanguage()
const searchParams = useSearchParams()
// State Management
const [deals, setDeals] = useState<Deal[]>([])
const [loading, setLoading] = useState(true)
@@ -80,6 +85,11 @@ function CRMContent() {
const [contacts, setContacts] = useState<any[]>([])
const [loadingContacts, setLoadingContacts] = useState(false)
// Pipelines for dropdown
const [pipelines, setPipelines] = useState<Pipeline[]>([])
const [loadingPipelines, setLoadingPipelines] = useState(false)
const editHandledRef = useRef<string | null>(null)
// Fetch Contacts for dropdown
useEffect(() => {
const fetchContacts = async () => {
@@ -96,6 +106,23 @@ function CRMContent() {
fetchContacts()
}, [])
// Fetch Pipelines for dropdown
useEffect(() => {
const fetchPipelines = async () => {
setLoadingPipelines(true)
try {
const data = await pipelinesAPI.getAll()
setPipelines(data)
} catch (err) {
console.error('Failed to load pipelines:', err)
toast.error('Failed to load pipelines')
} finally {
setLoadingPipelines(false)
}
}
fetchPipelines()
}, [])
// Fetch Deals (with debouncing for search)
const fetchDeals = useCallback(async () => {
setLoading(true)
@@ -137,28 +164,70 @@ function CRMContent() {
fetchDeals()
}, [currentPage, selectedStructure, selectedStage, selectedStatus])
// Handle ?edit=dealId from URL (e.g. from deal detail page)
const editId = searchParams.get('edit')
useEffect(() => {
if (!editId || editHandledRef.current === editId) return
const deal = deals.find(d => d.id === editId)
if (deal) {
editHandledRef.current = editId
setSelectedDeal(deal)
setFormData({
name: deal.name,
contactId: deal.contactId,
structure: deal.structure,
pipelineId: deal.pipelineId,
stage: deal.stage,
estimatedValue: deal.estimatedValue,
probability: deal.probability,
expectedCloseDate: deal.expectedCloseDate?.split('T')[0] || ''
})
setShowEditModal(true)
} else if (!loading) {
editHandledRef.current = editId
dealsAPI.getById(editId).then((d) => {
setSelectedDeal(d)
setFormData({
name: d.name,
contactId: d.contactId,
structure: d.structure,
pipelineId: d.pipelineId,
stage: d.stage,
estimatedValue: d.estimatedValue,
probability: d.probability,
expectedCloseDate: d.expectedCloseDate?.split('T')[0] || ''
})
setShowEditModal(true)
}).catch(() => toast.error('Deal not found'))
}
}, [editId, loading, deals])
// Form Validation
const validateForm = (): boolean => {
const errors: Record<string, string> = {}
if (!formData.name || formData.name.trim().length < 3) {
errors.name = 'Deal name must be at least 3 characters'
errors.name = t('crm.dealNameMin')
}
if (!formData.contactId) {
errors.contactId = 'Contact is required'
errors.contactId = t('crm.contactRequired')
}
if (!formData.structure) {
errors.structure = 'Deal structure is required'
errors.structure = t('crm.structureRequired')
}
if (!formData.pipelineId) {
errors.pipelineId = t('crm.pipelineRequired')
}
if (!formData.stage) {
errors.stage = 'Stage is required'
errors.stage = t('crm.stageRequired')
}
if (!formData.estimatedValue || formData.estimatedValue <= 0) {
errors.estimatedValue = 'Estimated value must be greater than 0'
errors.estimatedValue = t('crm.valueRequired')
}
setFormErrors(errors)
@@ -169,19 +238,14 @@ function CRMContent() {
const handleCreate = async (e: React.FormEvent) => {
e.preventDefault()
if (!validateForm()) {
toast.error('Please fix form errors')
toast.error(t('crm.fixFormErrors'))
return
}
setSubmitting(true)
try {
// Create a default pipeline ID for now (we'll need to fetch pipelines later)
const dealData = {
...formData,
pipelineId: '00000000-0000-0000-0000-000000000001' // Placeholder
}
await dealsAPI.create(dealData)
toast.success('Deal created successfully!')
await dealsAPI.create(formData)
toast.success(t('crm.createSuccess'))
setShowCreateModal(false)
resetForm()
fetchDeals()
@@ -200,14 +264,14 @@ function CRMContent() {
const handleEdit = async (e: React.FormEvent) => {
e.preventDefault()
if (!selectedDeal || !validateForm()) {
toast.error('Please fix form errors')
toast.error(t('crm.fixFormErrors'))
return
}
setSubmitting(true)
try {
await dealsAPI.update(selectedDeal.id, formData as UpdateDealData)
toast.success('Deal updated successfully!')
toast.success(t('crm.updateSuccess'))
setShowEditModal(false)
resetForm()
fetchDeals()
@@ -248,7 +312,7 @@ function CRMContent() {
setSubmitting(true)
try {
await dealsAPI.win(selectedDeal.id, winData.actualValue, winData.wonReason)
toast.success('🎉 Deal won successfully!')
toast.success(t('crm.winSuccess'))
setShowWinDialog(false)
setSelectedDeal(null)
setWinData({ actualValue: 0, wonReason: '' })
@@ -271,7 +335,7 @@ function CRMContent() {
setSubmitting(true)
try {
await dealsAPI.lose(selectedDeal.id, loseData.lostReason)
toast.success('Deal marked as lost')
toast.success(t('crm.loseSuccess'))
setShowLoseDialog(false)
setSelectedDeal(null)
setLoseData({ lostReason: '' })
@@ -284,14 +348,26 @@ function CRMContent() {
}
}
// Pipelines filtered by selected structure (or all if no match)
const filteredPipelines = formData.structure
? pipelines.filter(p => p.structure === formData.structure)
: pipelines
const displayPipelines = filteredPipelines.length > 0 ? filteredPipelines : pipelines
// Utility Functions
const resetForm = () => {
const defaultStructure = 'B2B'
const matchingPipelines = pipelines.filter(p => p.structure === defaultStructure)
const firstPipeline = matchingPipelines[0] || pipelines[0]
const firstStage = firstPipeline?.stages?.length
? (firstPipeline.stages as { name: string }[])[0].name
: 'LEAD'
setFormData({
name: '',
contactId: '',
structure: 'B2B',
pipelineId: '',
stage: 'LEAD',
structure: defaultStructure,
pipelineId: firstPipeline?.id ?? '',
stage: firstStage,
estimatedValue: 0,
probability: 50,
expectedCloseDate: ''
@@ -379,25 +455,59 @@ function CRMContent() {
{/* Deal Structure */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Deal Structure <span className="text-red-500">*</span>
{t('crm.structure')} <span className="text-red-500">*</span>
</label>
<select
value={formData.structure}
onChange={(e) => setFormData({ ...formData, structure: e.target.value })}
onChange={(e) => {
const structure = e.target.value
const matchingPipelines = pipelines.filter(p => p.structure === structure)
const firstPipeline = matchingPipelines[0] || pipelines[0]
const firstStage = firstPipeline?.stages?.length
? (firstPipeline.stages as { name: string }[])[0].name
: 'LEAD'
setFormData({ ...formData, structure, pipelineId: firstPipeline?.id ?? '', stage: firstStage })
}}
className="w-full px-3 py-2 border border-gray-300 rounded-lg focus:outline-none focus:ring-2 focus:ring-green-500"
>
<option value="B2B">B2B - شركة لشركة</option>
<option value="B2C">B2C - شركة لفرد</option>
<option value="B2G">B2G - شركة لحكومة</option>
<option value="PARTNERSHIP">Partnership - شراكة</option>
<option value="B2B">{t('crm.structureB2B')}</option>
<option value="B2C">{t('crm.structureB2C')}</option>
<option value="B2G">{t('crm.structureB2G')}</option>
<option value="PARTNERSHIP">{t('crm.structurePartnership')}</option>
</select>
{formErrors.structure && <p className="text-red-500 text-xs mt-1">{formErrors.structure}</p>}
</div>
{/* Pipeline */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
{t('crm.pipeline')} <span className="text-red-500">*</span>
</label>
<select
value={formData.pipelineId}
onChange={(e) => {
const pipelineId = e.target.value
const pipeline = displayPipelines.find(p => p.id === pipelineId)
const firstStage = pipeline?.stages?.length
? (pipeline.stages as { name: string }[])[0].name
: 'LEAD'
setFormData({ ...formData, pipelineId, stage: firstStage })
}}
className="w-full px-3 py-2 border border-gray-300 rounded-lg focus:outline-none focus:ring-2 focus:ring-green-500"
disabled={loadingPipelines || isEdit}
>
<option value="">{loadingPipelines ? t('common.loading') : t('crm.selectPipeline')}</option>
{displayPipelines.map(p => (
<option key={p.id} value={p.id}>{p.name} {p.structure ? `(${p.structure})` : ''}</option>
))}
</select>
{formErrors.pipelineId && <p className="text-red-500 text-xs mt-1">{formErrors.pipelineId}</p>}
</div>
{/* Contact */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Contact <span className="text-red-500">*</span>
{t('crm.contact')} <span className="text-red-500">*</span>
</label>
<select
value={formData.contactId}
@@ -405,7 +515,7 @@ function CRMContent() {
className="w-full px-3 py-2 border border-gray-300 rounded-lg focus:outline-none focus:ring-2 focus:ring-green-500"
disabled={loadingContacts}
>
<option value="">Select Contact</option>
<option value="">{t('crm.selectContact')}</option>
{contacts.map(contact => (
<option key={contact.id} value={contact.id}>{contact.name}</option>
))}
@@ -417,14 +527,14 @@ function CRMContent() {
{/* Deal Name */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Deal Name <span className="text-red-500">*</span>
{t('crm.dealName')} <span className="text-red-500">*</span>
</label>
<input
type="text"
value={formData.name}
onChange={(e) => setFormData({ ...formData, name: e.target.value })}
className="w-full px-3 py-2 border border-gray-300 rounded-lg focus:outline-none focus:ring-2 focus:ring-green-500"
placeholder="Enter deal name"
placeholder={t('crm.enterDealName')}
/>
{formErrors.name && <p className="text-red-500 text-xs mt-1">{formErrors.name}</p>}
</div>
@@ -433,17 +543,35 @@ function CRMContent() {
{/* Stage */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Stage <span className="text-red-500">*</span>
{t('crm.stage')} <span className="text-red-500">*</span>
</label>
<select
value={formData.stage}
onChange={(e) => setFormData({ ...formData, stage: e.target.value })}
className="w-full px-3 py-2 border border-gray-300 rounded-lg focus:outline-none focus:ring-2 focus:ring-green-500"
>
<option value="LEAD">Lead - عميل محتمل</option>
<option value="QUALIFIED">Qualified - مؤهل</option>
<option value="PROPOSAL">Proposal - عرض</option>
<option value="NEGOTIATION">Negotiation - تفاوض</option>
{(() => {
const selectedPipeline = pipelines.find(p => p.id === formData.pipelineId)
const stages = (selectedPipeline?.stages as { name: string; nameAr?: string }[] | undefined) ?? []
if (stages.length > 0) {
const stageNames = new Set(stages.map(s => s.name))
const options = stages.map(s => (
<option key={s.name} value={s.name}>{s.nameAr ? `${s.name} - ${s.nameAr}` : s.name}</option>
))
if (formData.stage && !stageNames.has(formData.stage)) {
options.unshift(<option key={formData.stage} value={formData.stage}>{formData.stage}</option>)
}
return options
}
return (
<>
<option value="LEAD">Lead - عميل محتمل</option>
<option value="QUALIFIED">Qualified - مؤهل</option>
<option value="PROPOSAL">Proposal - عرض</option>
<option value="NEGOTIATION">Negotiation - تفاوض</option>
</>
)
})()}
</select>
{formErrors.stage && <p className="text-red-500 text-xs mt-1">{formErrors.stage}</p>}
</div>
@@ -451,7 +579,7 @@ function CRMContent() {
{/* Probability */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Probability (%)
{t('crm.probability')} (%)
</label>
<input
type="number"
@@ -468,7 +596,7 @@ function CRMContent() {
{/* Estimated Value */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Estimated Value (SAR) <span className="text-red-500">*</span>
{t('crm.estimatedValue')} <span className="text-red-500">*</span>
</label>
<input
type="number"
@@ -484,7 +612,7 @@ function CRMContent() {
{/* Expected Close Date */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Expected Close Date
{t('crm.expectedCloseDate')}
</label>
<input
type="date"
@@ -519,7 +647,7 @@ function CRMContent() {
className="px-4 py-2 border border-gray-300 text-gray-700 rounded-lg hover:bg-gray-50 transition-colors"
disabled={submitting}
>
Cancel
{t('common.cancel')}
</button>
<button
type="submit"
@@ -529,11 +657,11 @@ function CRMContent() {
{submitting ? (
<>
<Loader2 className="h-4 w-4 animate-spin" />
{isEdit ? 'Updating...' : 'Creating...'}
{isEdit ? t('crm.updating') : t('crm.creating')}
</>
) : (
<>
{isEdit ? 'Update Deal' : 'Create Deal'}
{isEdit ? t('crm.updateDeal') : t('crm.createDeal')}
</>
)}
</button>
@@ -559,8 +687,8 @@ function CRMContent() {
<TrendingUp className="h-6 w-6 text-green-600" />
</div>
<div>
<h1 className="text-2xl font-bold text-gray-900">إدارة علاقات العملاء</h1>
<p className="text-sm text-gray-600">CRM & Sales Pipeline</p>
<h1 className="text-2xl font-bold text-gray-900">{t('crm.title')}</h1>
<p className="text-sm text-gray-600">{t('crm.subtitle')}</p>
</div>
</div>
</div>
@@ -574,7 +702,7 @@ function CRMContent() {
className="flex items-center gap-2 px-4 py-2 bg-green-600 text-white rounded-lg hover:bg-green-700 transition-colors"
>
<Plus className="h-4 w-4" />
New Deal
{t('crm.addDeal')}
</button>
</div>
</div>
@@ -587,7 +715,7 @@ function CRMContent() {
<div className="bg-white rounded-xl shadow-sm p-6 border border-gray-200">
<div className="flex items-center justify-between">
<div>
<p className="text-sm text-gray-600">Total Value</p>
<p className="text-sm text-gray-600">{t('crm.totalValue')}</p>
<p className="text-3xl font-bold text-gray-900 mt-1">
{(totalValue / 1000).toFixed(0)}K
</p>
@@ -602,12 +730,12 @@ function CRMContent() {
<div className="bg-white rounded-xl shadow-sm p-6 border border-gray-200">
<div className="flex items-center justify-between">
<div>
<p className="text-sm text-gray-600">Expected Value</p>
<p className="text-sm text-gray-600">{t('crm.expectedValue')}</p>
<p className="text-3xl font-bold text-gray-900 mt-1">
{(expectedValue / 1000).toFixed(0)}K
</p>
<p className="text-xs text-green-600 mt-1">
{totalValue > 0 ? ((expectedValue / totalValue) * 100).toFixed(0) : 0}% conversion
{totalValue > 0 ? ((expectedValue / totalValue) * 100).toFixed(0) : 0}% {t('crm.conversion')}
</p>
</div>
<div className="bg-green-100 p-3 rounded-lg">
@@ -619,9 +747,9 @@ function CRMContent() {
<div className="bg-white rounded-xl shadow-sm p-6 border border-gray-200">
<div className="flex items-center justify-between">
<div>
<p className="text-sm text-gray-600">Active Deals</p>
<p className="text-sm text-gray-600">{t('crm.activeDeals')}</p>
<p className="text-3xl font-bold text-gray-900 mt-1">{activeDeals}</p>
<p className="text-xs text-orange-600 mt-1">In pipeline</p>
<p className="text-xs text-orange-600 mt-1">{t('crm.inPipeline')}</p>
</div>
<div className="bg-orange-100 p-3 rounded-lg">
<Clock className="h-8 w-8 text-orange-600" />
@@ -632,10 +760,10 @@ function CRMContent() {
<div className="bg-white rounded-xl shadow-sm p-6 border border-gray-200">
<div className="flex items-center justify-between">
<div>
<p className="text-sm text-gray-600">Won Deals</p>
<p className="text-sm text-gray-600">{t('crm.wonDeals')}</p>
<p className="text-3xl font-bold text-gray-900 mt-1">{wonDeals}</p>
<p className="text-xs text-green-600 mt-1">
{total > 0 ? ((wonDeals / total) * 100).toFixed(0) : 0}% win rate
{total > 0 ? ((wonDeals / total) * 100).toFixed(0) : 0}% {t('crm.winRate')}
</p>
</div>
<div className="bg-purple-100 p-3 rounded-lg">
@@ -653,7 +781,7 @@ function CRMContent() {
<Search className="absolute right-3 top-1/2 -translate-y-1/2 h-5 w-5 text-gray-400" />
<input
type="text"
placeholder="Search deals (name, deal number...)"
placeholder={t('crm.searchPlaceholder')}
value={searchTerm}
onChange={(e) => setSearchTerm(e.target.value)}
className="w-full pr-10 pl-4 py-3 border border-gray-300 rounded-lg focus:outline-none focus:ring-2 focus:ring-green-500"
@@ -666,7 +794,7 @@ function CRMContent() {
onChange={(e) => setSelectedStructure(e.target.value)}
className="px-4 py-3 border border-gray-300 rounded-lg focus:outline-none focus:ring-2 focus:ring-green-500"
>
<option value="all">All Structures</option>
<option value="all">{t('crm.allStructures')}</option>
<option value="B2B">B2B</option>
<option value="B2C">B2C</option>
<option value="B2G">B2G</option>
@@ -679,7 +807,7 @@ function CRMContent() {
onChange={(e) => setSelectedStage(e.target.value)}
className="px-4 py-3 border border-gray-300 rounded-lg focus:outline-none focus:ring-2 focus:ring-green-500"
>
<option value="all">All Stages</option>
<option value="all">{t('crm.allStages')}</option>
<option value="LEAD">Lead</option>
<option value="QUALIFIED">Qualified</option>
<option value="PROPOSAL">Proposal</option>
@@ -694,7 +822,7 @@ function CRMContent() {
onChange={(e) => setSelectedStatus(e.target.value)}
className="px-4 py-3 border border-gray-300 rounded-lg focus:outline-none focus:ring-2 focus:ring-green-500"
>
<option value="all">All Status</option>
<option value="all">{t('crm.allStatus')}</option>
<option value="ACTIVE">Active</option>
<option value="WON">Won</option>
<option value="LOST">Lost</option>
@@ -706,7 +834,7 @@ function CRMContent() {
<div className="bg-white rounded-xl shadow-sm border border-gray-200 overflow-hidden">
{loading ? (
<div className="p-12">
<LoadingSpinner size="lg" message="Loading deals..." />
<LoadingSpinner size="lg" message={t('crm.loadingDeals')} />
</div>
) : error ? (
<div className="p-12 text-center">
@@ -715,18 +843,18 @@ function CRMContent() {
onClick={fetchDeals}
className="px-4 py-2 bg-green-600 text-white rounded-lg hover:bg-green-700"
>
Retry
{t('crm.retry')}
</button>
</div>
) : deals.length === 0 ? (
<div className="p-12 text-center">
<TrendingUp className="h-12 w-12 text-gray-400 mx-auto mb-4" />
<p className="text-gray-600 mb-4">No deals found</p>
<p className="text-gray-600 mb-4">{t('crm.noDealsFound')}</p>
<button
onClick={() => setShowCreateModal(true)}
className="px-4 py-2 bg-green-600 text-white rounded-lg hover:bg-green-700"
>
Create First Deal
{t('crm.createFirstDeal')}
</button>
</div>
) : (
@@ -735,13 +863,13 @@ function CRMContent() {
<table className="w-full">
<thead className="bg-gray-50 border-b border-gray-200">
<tr>
<th className="px-6 py-4 text-right text-xs font-semibold text-gray-700 uppercase">Deal</th>
<th className="px-6 py-4 text-right text-xs font-semibold text-gray-700 uppercase">Contact</th>
<th className="px-6 py-4 text-right text-xs font-semibold text-gray-700 uppercase">Structure</th>
<th className="px-6 py-4 text-right text-xs font-semibold text-gray-700 uppercase">Value</th>
<th className="px-6 py-4 text-right text-xs font-semibold text-gray-700 uppercase">Probability</th>
<th className="px-6 py-4 text-right text-xs font-semibold text-gray-700 uppercase">Stage</th>
<th className="px-6 py-4 text-right text-xs font-semibold text-gray-700 uppercase">Actions</th>
<th className="px-6 py-4 text-right text-xs font-semibold text-gray-700 uppercase">{t('crm.deal')}</th>
<th className="px-6 py-4 text-right text-xs font-semibold text-gray-700 uppercase">{t('crm.contact')}</th>
<th className="px-6 py-4 text-right text-xs font-semibold text-gray-700 uppercase">{t('crm.structure')}</th>
<th className="px-6 py-4 text-right text-xs font-semibold text-gray-700 uppercase">{t('crm.value')}</th>
<th className="px-6 py-4 text-right text-xs font-semibold text-gray-700 uppercase">{t('crm.probability')}</th>
<th className="px-6 py-4 text-right text-xs font-semibold text-gray-700 uppercase">{t('crm.stage')}</th>
<th className="px-6 py-4 text-right text-xs font-semibold text-gray-700 uppercase">{t('common.actions')}</th>
</tr>
</thead>
<tbody className="divide-y divide-gray-200">
@@ -749,7 +877,12 @@ function CRMContent() {
<tr key={deal.id} className="hover:bg-gray-50 transition-colors">
<td className="px-6 py-4">
<div>
<p className="font-semibold text-gray-900">{deal.name}</p>
<Link
href={`/crm/deals/${deal.id}`}
className="font-semibold text-gray-900 hover:text-green-600 hover:underline"
>
{deal.name}
</Link>
<p className="text-xs text-gray-600">{deal.dealNumber}</p>
</div>
</td>
@@ -801,14 +934,14 @@ function CRMContent() {
<button
onClick={() => openWinDialog(deal)}
className="p-2 hover:bg-green-50 text-green-600 rounded-lg transition-colors"
title="Mark as Won"
title={t('crm.markWon')}
>
<CheckCircle2 className="h-4 w-4" />
</button>
<button
onClick={() => openLoseDialog(deal)}
className="p-2 hover:bg-red-50 text-red-600 rounded-lg transition-colors"
title="Mark as Lost"
title={t('crm.markLost')}
>
<XCircle className="h-4 w-4" />
</button>
@@ -817,14 +950,14 @@ function CRMContent() {
<button
onClick={() => openEditModal(deal)}
className="p-2 hover:bg-blue-50 text-blue-600 rounded-lg transition-colors"
title="Edit"
title={t('common.edit')}
>
<Edit className="h-4 w-4" />
</button>
<button
onClick={() => openDeleteDialog(deal)}
className="p-2 hover:bg-red-50 text-red-600 rounded-lg transition-colors"
title="Delete"
title={t('crm.deleteDeal')}
>
<Trash2 className="h-4 w-4" />
</button>
@@ -849,7 +982,7 @@ function CRMContent() {
disabled={currentPage === 1}
className="px-4 py-2 border border-gray-300 text-gray-700 rounded-lg hover:bg-gray-50 transition-colors disabled:opacity-50 disabled:cursor-not-allowed"
>
Previous
{t('crm.paginationPrevious')}
</button>
{Array.from({ length: Math.min(5, totalPages) }, (_, i) => {
const page = i + 1
@@ -873,7 +1006,7 @@ function CRMContent() {
disabled={currentPage === totalPages}
className="px-4 py-2 border border-gray-300 text-gray-700 rounded-lg hover:bg-gray-50 transition-colors disabled:opacity-50 disabled:cursor-not-allowed"
>
Next
{t('crm.paginationNext')}
</button>
</div>
</div>
@@ -889,7 +1022,7 @@ function CRMContent() {
setShowCreateModal(false)
resetForm()
}}
title="Create New Deal"
title={t('crm.createNewDeal')}
size="xl"
>
<form onSubmit={handleCreate}>
@@ -904,7 +1037,7 @@ function CRMContent() {
setShowEditModal(false)
resetForm()
}}
title="Edit Deal"
title={t('crm.editDeal')}
size="xl"
>
<form onSubmit={handleEdit}>
@@ -923,14 +1056,14 @@ function CRMContent() {
<Award className="h-6 w-6 text-green-600" />
</div>
<div>
<h3 className="text-lg font-bold text-gray-900">Mark Deal as Won</h3>
<h3 className="text-lg font-bold text-gray-900">{t('crm.markDealWon')}</h3>
<p className="text-sm text-gray-600">{selectedDeal.name}</p>
</div>
</div>
<div className="space-y-4">
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Actual Value (SAR) <span className="text-red-500">*</span>
{t('crm.actualValue')} <span className="text-red-500">*</span>
</label>
<input
type="number"
@@ -942,14 +1075,14 @@ function CRMContent() {
</div>
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Reason for Winning <span className="text-red-500">*</span>
{t('crm.reasonForWinning')} <span className="text-red-500">*</span>
</label>
<textarea
value={winData.wonReason}
onChange={(e) => setWinData({ ...winData, wonReason: e.target.value })}
rows={3}
className="w-full px-3 py-2 border border-gray-300 rounded-lg focus:outline-none focus:ring-2 focus:ring-green-500"
placeholder="Why did we win this deal?"
placeholder={t('crm.winPlaceholder')}
/>
</div>
</div>
@@ -959,7 +1092,7 @@ function CRMContent() {
className="px-4 py-2 border border-gray-300 text-gray-700 rounded-lg hover:bg-gray-50 transition-colors"
disabled={submitting}
>
Cancel
{t('common.cancel')}
</button>
<button
onClick={handleWin}
@@ -969,10 +1102,10 @@ function CRMContent() {
{submitting ? (
<>
<Loader2 className="h-4 w-4 animate-spin" />
Processing...
{t('crm.processing')}
</>
) : (
'🎉 Mark as Won'
t('crm.markWon')
)}
</button>
</div>
@@ -992,21 +1125,21 @@ function CRMContent() {
<TrendingDown className="h-6 w-6 text-red-600" />
</div>
<div>
<h3 className="text-lg font-bold text-gray-900">Mark Deal as Lost</h3>
<h3 className="text-lg font-bold text-gray-900">{t('crm.markDealLost')}</h3>
<p className="text-sm text-gray-600">{selectedDeal.name}</p>
</div>
</div>
<div className="space-y-4">
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Reason for Losing <span className="text-red-500">*</span>
{t('crm.reasonForLosing')} <span className="text-red-500">*</span>
</label>
<textarea
value={loseData.lostReason}
onChange={(e) => setLoseData({ ...loseData, lostReason: e.target.value })}
rows={3}
className="w-full px-3 py-2 border border-gray-300 rounded-lg focus:outline-none focus:ring-2 focus:ring-red-500"
placeholder="Why did we lose this deal?"
placeholder={t('crm.losePlaceholder')}
/>
</div>
</div>
@@ -1016,7 +1149,7 @@ function CRMContent() {
className="px-4 py-2 border border-gray-300 text-gray-700 rounded-lg hover:bg-gray-50 transition-colors"
disabled={submitting}
>
Cancel
{t('common.cancel')}
</button>
<button
onClick={handleLose}
@@ -1026,10 +1159,10 @@ function CRMContent() {
{submitting ? (
<>
<Loader2 className="h-4 w-4 animate-spin" />
Processing...
{t('crm.processing')}
</>
) : (
'Mark as Lost'
t('crm.markLost')
)}
</button>
</div>
@@ -1049,12 +1182,12 @@ function CRMContent() {
<Trash2 className="h-6 w-6 text-red-600" />
</div>
<div>
<h3 className="text-lg font-bold text-gray-900">Delete Deal</h3>
<p className="text-sm text-gray-600">This will mark the deal as lost</p>
<h3 className="text-lg font-bold text-gray-900">{t('crm.deleteDeal')}</h3>
<p className="text-sm text-gray-600">{t('crm.deleteDealDesc')}</p>
</div>
</div>
<p className="text-gray-700 mb-6">
Are you sure you want to delete <span className="font-semibold">{selectedDeal.name}</span>?
{t('crm.deleteDealConfirm')} <span className="font-semibold">{selectedDeal.name}</span>?
</p>
<div className="flex items-center justify-end gap-3">
<button
@@ -1065,7 +1198,7 @@ function CRMContent() {
className="px-4 py-2 border border-gray-300 text-gray-700 rounded-lg hover:bg-gray-50 transition-colors"
disabled={submitting}
>
Cancel
{t('common.cancel')}
</button>
<button
onClick={handleDelete}
@@ -1075,10 +1208,10 @@ function CRMContent() {
{submitting ? (
<>
<Loader2 className="h-4 w-4 animate-spin" />
Deleting...
{t('crm.deleting')}
</>
) : (
'Delete Deal'
t('crm.deleteDeal')
)}
</button>
</div>