Add sector classification module, integrate into all 7 scrapers, fix CF pagination
This commit is contained in:
144
scrapers/classify-sector.js
Normal file
144
scrapers/classify-sector.js
Normal file
@@ -0,0 +1,144 @@
|
||||
/**
|
||||
* Shared sector classification module for TenderRadar scrapers
|
||||
* Exports a classifySector function that categorizes tenders into 9 sectors
|
||||
*/
|
||||
|
||||
/**
|
||||
* Classify a tender into one of 9 sectors based on title, description, and authority
|
||||
* Uses regex patterns in priority order; first match wins
|
||||
*
|
||||
* @param {string} title - Tender title
|
||||
* @param {string} description - Tender description
|
||||
* @param {string} authorityName - Procuring authority name
|
||||
* @returns {string} One of: Health, Education, Construction, IT & Technology,
|
||||
* Transport, Defence, Energy, Government, Other
|
||||
*/
|
||||
export function classifySector(title, description, authorityName) {
|
||||
// Combine all text and normalize to lowercase for case-insensitive matching
|
||||
const combined = `${title || ''} ${description || ''} ${authorityName || ''}`.toLowerCase();
|
||||
|
||||
// 1. Health
|
||||
if (/\bnhs\b|hospital|clinical|pharmac|medical|health\s*(care|service)|maternity|mental\s*health|dental|ambulance|patient|surgery|pathology|\bward\b/.test(combined)) {
|
||||
return 'Health';
|
||||
}
|
||||
|
||||
// 2. Education
|
||||
if (/\bschool|universit|college|educat|academ|learning|pupil|student|teaching/.test(combined)) {
|
||||
return 'Education';
|
||||
}
|
||||
|
||||
// 3. Construction
|
||||
if (/\bconstruct|demoliti|renovati|building\s*(work|maint|repair)|roofing|plumbing|electrical\s*install|painting\s*(and|&)\s*decorat|repair\s*(of|work)|refurbish|scaffolding|paving|groundwork/.test(combined)) {
|
||||
return 'Construction';
|
||||
}
|
||||
|
||||
// 4. IT & Technology
|
||||
if (/\bsoftware|\b(it|ict)\s+(service|system|support|infra)|digital\s*(platform|service|transform)|cyber|cloud\s*(comput|service|hosting)|network\s*infra|data\s*(centre|center|analy|manage)/.test(combined)) {
|
||||
return 'IT & Technology';
|
||||
}
|
||||
|
||||
// 5. Transport
|
||||
if (/\btransport|vehicle|fleet\s*(manage|maint)|highway|railway|bus\s*(service|route)|traffic|parking/.test(combined)) {
|
||||
return 'Transport';
|
||||
}
|
||||
|
||||
// 6. Defence
|
||||
if (/\bdefence|defense|military|\bmod\b|armed\s*force|navy|royal\s*air/.test(combined)) {
|
||||
return 'Defence';
|
||||
}
|
||||
|
||||
// 7. Energy
|
||||
if (/\benergy\s*(supply|effic|manage)|electricity|solar|renewable|power\s*generat|gas\s*supply|wind\s*(farm|turbin)/.test(combined)) {
|
||||
return 'Energy';
|
||||
}
|
||||
|
||||
// 8. Government - only if nothing else matched
|
||||
if (/\bcouncil|government|civic|municipal|parliament|local\s*authorit/.test(combined)) {
|
||||
return 'Government';
|
||||
}
|
||||
|
||||
// 9. Other - default fallback
|
||||
return 'Other';
|
||||
}
|
||||
|
||||
// Self-test when run directly
|
||||
if (import.meta.url === `file://${process.argv[1]}`) {
|
||||
console.log('Running self-tests...\n');
|
||||
|
||||
const testCases = [
|
||||
{
|
||||
title: 'NHS Hospital Supplies',
|
||||
description: 'Medical equipment for clinical use',
|
||||
authority: 'NHS England',
|
||||
expected: 'Health'
|
||||
},
|
||||
{
|
||||
title: 'School Building Construction',
|
||||
description: 'New educational facility',
|
||||
authority: 'Local Education Authority',
|
||||
expected: 'Education'
|
||||
},
|
||||
{
|
||||
title: 'Roofing and Painting Services',
|
||||
description: 'Building renovation and repairs',
|
||||
authority: 'City Council',
|
||||
expected: 'Construction'
|
||||
},
|
||||
{
|
||||
title: 'Software Development Services',
|
||||
description: 'IT system and cloud hosting',
|
||||
authority: 'Government IT Department',
|
||||
expected: 'IT & Technology'
|
||||
},
|
||||
{
|
||||
title: 'Public Transport Fleet Maintenance',
|
||||
description: 'Vehicle servicing and support',
|
||||
authority: 'Transport Department',
|
||||
expected: 'Transport'
|
||||
},
|
||||
{
|
||||
title: 'Military Equipment Supply',
|
||||
description: 'Defence and armed forces supplies',
|
||||
authority: 'Ministry of Defence',
|
||||
expected: 'Defence'
|
||||
},
|
||||
{
|
||||
title: 'Renewable Energy Installation',
|
||||
description: 'Solar power and wind turbine project',
|
||||
authority: 'Energy Commission',
|
||||
expected: 'Energy'
|
||||
},
|
||||
{
|
||||
title: 'Council Office Supplies',
|
||||
description: 'General supplies for local government',
|
||||
authority: 'City Council',
|
||||
expected: 'Government'
|
||||
},
|
||||
{
|
||||
title: 'Generic Office Supplies',
|
||||
description: 'Standard stationery and equipment',
|
||||
authority: 'Random Organization',
|
||||
expected: 'Other'
|
||||
}
|
||||
];
|
||||
|
||||
let passed = 0;
|
||||
let failed = 0;
|
||||
|
||||
testCases.forEach((test, index) => {
|
||||
const result = classifySector(test.title, test.description, test.authority);
|
||||
const status = result === test.expected ? '✓' : '✗';
|
||||
|
||||
if (result === test.expected) {
|
||||
passed++;
|
||||
} else {
|
||||
failed++;
|
||||
}
|
||||
|
||||
console.log(`${status} Test ${index + 1}: "${test.title}"`);
|
||||
console.log(` Expected: ${test.expected}, Got: ${result}\n`);
|
||||
});
|
||||
|
||||
console.log(`\nResults: ${passed} passed, ${failed} failed`);
|
||||
process.exit(failed > 0 ? 1 : 0);
|
||||
}
|
||||
@@ -1,4 +1,5 @@
|
||||
import axios from 'axios';
|
||||
import { classifySector } from './classify-sector.js';
|
||||
import pg from 'pg';
|
||||
import dotenv from 'dotenv';
|
||||
|
||||
@@ -8,92 +9,127 @@ const pool = new pg.Pool({
|
||||
connectionString: process.env.DATABASE_URL || 'postgresql://tenderpilot:tenderpilot123@localhost:5432/tenderpilot'
|
||||
});
|
||||
|
||||
async function sleep(ms) {
|
||||
return new Promise(resolve => setTimeout(resolve, ms));
|
||||
}
|
||||
|
||||
async function scrapeTenders() {
|
||||
try {
|
||||
console.log(`[${new Date().toISOString()}] Starting tender scrape...`);
|
||||
|
||||
// Get date from 30 days ago
|
||||
// Get date from 90 days ago
|
||||
const fromDate = new Date();
|
||||
fromDate.setDate(fromDate.getDate() - 30);
|
||||
fromDate.setDate(fromDate.getDate() - 90);
|
||||
const dateStr = fromDate.toISOString().split('T')[0];
|
||||
|
||||
const url = `https://www.contractsfinder.service.gov.uk/Published/Notices/OCDS/Search?stage=tender&output=json&publishedFrom=${dateStr}`;
|
||||
const baseUrl = `https://www.contractsfinder.service.gov.uk/Published/Notices/OCDS/Search?stage=tender&output=json&publishedFrom=${dateStr}`;
|
||||
|
||||
console.log(`Fetching from: ${url}`);
|
||||
const response = await axios.get(url, { timeout: 30000 });
|
||||
|
||||
const data = response.data;
|
||||
const releases = data.releases || [];
|
||||
|
||||
console.log(`Found ${releases.length} tenders`);
|
||||
console.log(`Base URL: ${baseUrl}`);
|
||||
|
||||
let insertedCount = 0;
|
||||
let totalProcessed = 0;
|
||||
let pageNum = 1;
|
||||
let hasNextPage = true;
|
||||
let nextPageUrl = baseUrl;
|
||||
|
||||
for (const release of releases) {
|
||||
while (hasNextPage) {
|
||||
try {
|
||||
const tender = release.tender || {};
|
||||
const planning = release.planning || {};
|
||||
const parties = release.parties || [];
|
||||
console.log(`\nFetching page ${pageNum}...`);
|
||||
const response = await axios.get(nextPageUrl, { timeout: 30000 });
|
||||
|
||||
// Find procuring entity
|
||||
const procurer = parties.find(p => p.roles && (p.roles.includes('buyer') || p.roles.includes('procuringEntity') || p.roles.includes('procurer'))) || (release.buyer ? release.buyer : null);
|
||||
const data = response.data;
|
||||
const releases = data.releases || [];
|
||||
|
||||
const sourceId = release.ocid || release.id;
|
||||
const title = tender.title || 'Untitled';
|
||||
const description = tender.description || '';
|
||||
const publishedDate = release.date;
|
||||
const deadline = tender.tenderPeriod?.endDate;
|
||||
const authority = procurer?.name || 'Unknown';
|
||||
const location = planning?.budget?.description || tender.procurementMethod || '';
|
||||
const noticeUrl = release.url || (sourceId ? 'https://www.contractsfinder.service.gov.uk/Notice/' + sourceId.replace('ocds-b5fd17-', '') : '');
|
||||
const documentsUrl = tender.documents?.length > 0 ? tender.documents[0].url : '';
|
||||
for (const release of releases) {
|
||||
try {
|
||||
const tender = release.tender || {};
|
||||
const planning = release.planning || {};
|
||||
const parties = release.parties || [];
|
||||
|
||||
// Find procuring entity
|
||||
const procurer = parties.find(p => p.roles && (p.roles.includes('buyer') || p.roles.includes('procuringEntity') || p.roles.includes('procurer'))) || (release.buyer ? release.buyer : null);
|
||||
|
||||
const sourceId = release.ocid || release.id;
|
||||
const title = tender.title || 'Untitled';
|
||||
const description = tender.description || '';
|
||||
const publishedDate = release.date;
|
||||
const deadline = tender.tenderPeriod?.endDate;
|
||||
|
||||
// Extract value
|
||||
let valueLow = null, valueHigh = null;
|
||||
if (planning?.budget?.amount?.amount) {
|
||||
valueLow = planning.budget.amount.amount;
|
||||
valueHigh = planning.budget.amount.amount;
|
||||
} else if (tender.value?.amount) {
|
||||
valueLow = tender.value.amount;
|
||||
valueHigh = tender.value.amount;
|
||||
// Skip expired tenders
|
||||
if (deadline && new Date(deadline) < new Date()) continue;
|
||||
const authority = procurer?.name || 'Unknown';
|
||||
const location = planning?.budget?.description || tender.procurementMethod || '';
|
||||
const noticeUrl = release.url || (sourceId ? 'https://www.contractsfinder.service.gov.uk/notice/' + sourceId.replace('ocds-b5fd17-', '') : '');
|
||||
const documentsUrl = tender.documents?.length > 0 ? tender.documents[0].url : '';
|
||||
|
||||
// Extract value
|
||||
let valueLow = null, valueHigh = null;
|
||||
if (planning?.budget?.amount?.amount) {
|
||||
valueLow = planning.budget.amount.amount;
|
||||
valueHigh = planning.budget.amount.amount;
|
||||
} else if (tender.value?.amount) {
|
||||
valueLow = tender.value.amount;
|
||||
valueHigh = tender.value.amount;
|
||||
}
|
||||
|
||||
const cpvCodes = tender.classification ? [tender.classification.scheme] : [];
|
||||
|
||||
const result = await pool.query(
|
||||
`INSERT INTO tenders (
|
||||
source, source_id, title, description, summary, cpv_codes,
|
||||
value_low, value_high, currency, published_date, deadline,
|
||||
authority_name, authority_type, location, documents_url, notice_url, status, sector
|
||||
) VALUES ($1, $2, $3, $4, $5, $6, $7, $8, $9, $10, $11, $12, $13, $14, $15, $16, $17, $18)
|
||||
ON CONFLICT (source_id) DO NOTHING`,
|
||||
[
|
||||
'contracts_finder',
|
||||
sourceId,
|
||||
title.substring(0, 500),
|
||||
description,
|
||||
description.substring(0, 500),
|
||||
cpvCodes,
|
||||
valueLow,
|
||||
valueHigh,
|
||||
'GBP',
|
||||
publishedDate,
|
||||
deadline,
|
||||
authority,
|
||||
'government',
|
||||
location.substring(0, 255),
|
||||
documentsUrl,
|
||||
noticeUrl,
|
||||
'open',
|
||||
classifySector(title, description, authority)
|
||||
]
|
||||
);
|
||||
if (result.rowCount > 0) {
|
||||
insertedCount++;
|
||||
}
|
||||
totalProcessed++;
|
||||
} catch (e) {
|
||||
console.error('Error inserting tender:', e.message);
|
||||
}
|
||||
}
|
||||
|
||||
const cpvCodes = tender.classification ? [tender.classification.scheme] : [];
|
||||
console.log(`Page ${pageNum}: fetched ${releases.length} tenders (total: ${totalProcessed})`);
|
||||
|
||||
await pool.query(
|
||||
`INSERT INTO tenders (
|
||||
source, source_id, title, description, summary, cpv_codes,
|
||||
value_low, value_high, currency, published_date, deadline,
|
||||
authority_name, authority_type, location, documents_url, notice_url, status
|
||||
) VALUES ($1, $2, $3, $4, $5, $6, $7, $8, $9, $10, $11, $12, $13, $14, $15, $16, $17)
|
||||
ON CONFLICT (source_id) DO NOTHING`,
|
||||
[
|
||||
'contracts_finder',
|
||||
sourceId,
|
||||
title.substring(0, 500),
|
||||
description,
|
||||
description.substring(0, 500),
|
||||
cpvCodes,
|
||||
valueLow,
|
||||
valueHigh,
|
||||
'GBP',
|
||||
publishedDate,
|
||||
deadline,
|
||||
authority,
|
||||
'government',
|
||||
location.substring(0, 255),
|
||||
documentsUrl,
|
||||
noticeUrl,
|
||||
'open'
|
||||
]
|
||||
);
|
||||
insertedCount++;
|
||||
} catch (e) {
|
||||
console.error('Error inserting tender:', e.message);
|
||||
// Check for next page
|
||||
if (data.links && data.links.next) {
|
||||
nextPageUrl = data.links.next;
|
||||
hasNextPage = true;
|
||||
pageNum++;
|
||||
// Add 1 second delay between pages to avoid rate limiting
|
||||
await sleep(1000);
|
||||
} else {
|
||||
hasNextPage = false;
|
||||
}
|
||||
} catch (error) {
|
||||
console.error(`Error fetching page ${pageNum}:`, error.message);
|
||||
hasNextPage = false;
|
||||
}
|
||||
}
|
||||
|
||||
console.log(`[${new Date().toISOString()}] Scrape complete. Inserted/updated ${insertedCount} tenders`);
|
||||
console.log(`\n[${new Date().toISOString()}] Scrape complete. Inserted ${insertedCount} new tenders (total processed: ${totalProcessed})`);
|
||||
} catch (error) {
|
||||
console.error('Error scraping tenders:', error.message);
|
||||
} finally {
|
||||
|
||||
284
scrapers/digital-marketplace.js
Normal file
284
scrapers/digital-marketplace.js
Normal file
@@ -0,0 +1,284 @@
|
||||
import axios from 'axios';
|
||||
import { classifySector } from './classify-sector.js';
|
||||
import pg from 'pg';
|
||||
import dotenv from 'dotenv';
|
||||
|
||||
dotenv.config();
|
||||
|
||||
const pool = new pg.Pool({
|
||||
connectionString: process.env.DATABASE_URL || 'postgresql://tenderpilot:tenderpilot123@localhost:5432/tenderpilot'
|
||||
});
|
||||
|
||||
async function scrapeTenders() {
|
||||
try {
|
||||
console.log(`[${new Date().toISOString()}] Starting Digital Marketplace tender scrape...`);
|
||||
|
||||
let insertedCount = 0;
|
||||
|
||||
// Try to scrape from DOS endpoint
|
||||
try {
|
||||
insertedCount += await scrapeFromDOSEndpoint();
|
||||
} catch (e) {
|
||||
console.error('Error scraping DOS endpoint:', e.message);
|
||||
}
|
||||
|
||||
// Try alternative endpoint (if available)
|
||||
if (insertedCount === 0) {
|
||||
try {
|
||||
insertedCount += await scrapeFromGCloudEndpoint();
|
||||
} catch (e) {
|
||||
console.error('Error scraping G-Cloud endpoint:', e.message);
|
||||
}
|
||||
}
|
||||
|
||||
console.log(`[${new Date().toISOString()}] Scrape complete. Inserted ${insertedCount} tenders`);
|
||||
process.exit(0);
|
||||
} catch (error) {
|
||||
console.error('Fatal error in scraper:', error.message);
|
||||
process.exit(1);
|
||||
} finally {
|
||||
try {
|
||||
await pool.end();
|
||||
} catch (e) {
|
||||
// ignore
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
async function scrapeFromDOSEndpoint() {
|
||||
let inserted = 0;
|
||||
const pageSize = 50;
|
||||
let page = 1;
|
||||
const maxPages = 20;
|
||||
|
||||
console.log('Attempting to scrape Digital Outcomes & Specialists...');
|
||||
|
||||
for (page = 1; page <= maxPages; page++) {
|
||||
try {
|
||||
console.log(`Fetching DOS opportunities page ${page}...`);
|
||||
|
||||
const url = 'https://api.digitalmarketplace.service.gov.uk/v0.1/opportunities';
|
||||
|
||||
let response;
|
||||
try {
|
||||
response = await axios.get(url, {
|
||||
params: {
|
||||
status: 'open',
|
||||
page: page,
|
||||
per_page: pageSize
|
||||
},
|
||||
timeout: 8000,
|
||||
headers: {
|
||||
'User-Agent': 'TenderRadar-Scraper/1.0',
|
||||
'Accept': 'application/json'
|
||||
}
|
||||
});
|
||||
} catch (axiosError) {
|
||||
if (axiosError.code === 'ECONNABORTED' || axiosError.message.includes('timeout')) {
|
||||
console.warn(`Timeout on page ${page} - API may be unavailable`);
|
||||
break;
|
||||
}
|
||||
throw axiosError;
|
||||
}
|
||||
|
||||
const data = response.data;
|
||||
const opportunities = Array.isArray(data) ? data : (data.opportunities || data.data || []);
|
||||
|
||||
if (!opportunities || opportunities.length === 0) {
|
||||
console.log('No more opportunities found');
|
||||
break;
|
||||
}
|
||||
|
||||
console.log(`Found ${opportunities.length} opportunities on page ${page}`);
|
||||
|
||||
for (const opp of opportunities) {
|
||||
try {
|
||||
const count = await insertOpportunity(opp);
|
||||
inserted += count;
|
||||
} catch (e) {
|
||||
console.error('Error inserting opportunity:', e.message);
|
||||
}
|
||||
}
|
||||
|
||||
// Check if there are more pages
|
||||
if (opportunities.length < pageSize) {
|
||||
break;
|
||||
}
|
||||
|
||||
// Small delay between pages
|
||||
await new Promise(resolve => setTimeout(resolve, 300));
|
||||
} catch (error) {
|
||||
console.error(`Error on page ${page}:`, error.message);
|
||||
// Try next page
|
||||
}
|
||||
}
|
||||
|
||||
console.log(`DOS scraping complete, inserted ${inserted} records`);
|
||||
return inserted;
|
||||
}
|
||||
|
||||
async function scrapeFromGCloudEndpoint() {
|
||||
let inserted = 0;
|
||||
|
||||
console.log('Attempting to scrape G-Cloud services...');
|
||||
|
||||
try {
|
||||
const url = 'https://api.digitalmarketplace.service.gov.uk/v0.1/services';
|
||||
|
||||
const response = await axios.get(url, {
|
||||
params: {
|
||||
status: 'published',
|
||||
page: 1,
|
||||
per_page: 100
|
||||
},
|
||||
timeout: 8000
|
||||
});
|
||||
|
||||
const services = Array.isArray(response.data) ? response.data : (response.data.services || response.data.data || []);
|
||||
|
||||
if (services && services.length > 0) {
|
||||
console.log(`Found ${services.length} G-Cloud services`);
|
||||
for (const service of services) {
|
||||
try {
|
||||
const count = await insertService(service);
|
||||
inserted += count;
|
||||
} catch (e) {
|
||||
console.error('Error inserting service:', e.message);
|
||||
}
|
||||
}
|
||||
}
|
||||
} catch (e) {
|
||||
console.warn('G-Cloud endpoint unavailable:', e.message);
|
||||
}
|
||||
|
||||
return inserted;
|
||||
}
|
||||
|
||||
async function insertOpportunity(opp) {
|
||||
const oppId = opp.id || opp.ID || opp.opportunity_id;
|
||||
if (!oppId) {
|
||||
return 0;
|
||||
}
|
||||
|
||||
const sourceId = `dm-${oppId}`;
|
||||
const title = (opp.title || opp.name || 'Untitled').substring(0, 500);
|
||||
const description = (opp.description || opp.brief || '').substring(0, 5000);
|
||||
const summary = (opp.summary || description).substring(0, 500);
|
||||
|
||||
const publishedDate = opp.publishedAt || opp.published_at || opp.createdAt || new Date().toISOString();
|
||||
const deadline = opp.applicationsClosedAt || opp.closing_date || opp.deadline;
|
||||
|
||||
const authorityName = (opp.organisation?.name || opp.buyer?.name || opp.organisationName || 'Digital Marketplace').substring(0, 255);
|
||||
const location = (opp.location || opp.workingArrangements || 'UK').substring(0, 255);
|
||||
|
||||
let valueLow = null, valueHigh = null;
|
||||
if (opp.budgetRange) {
|
||||
try {
|
||||
const matches = String(opp.budgetRange).match(/[0-9,]+\.?[0-9]*/g);
|
||||
if (matches && matches.length >= 2) {
|
||||
valueLow = parseFloat(matches[0].replace(/,/g, ''));
|
||||
valueHigh = parseFloat(matches[matches.length - 1].replace(/,/g, ''));
|
||||
}
|
||||
} catch (e) {
|
||||
// ignore
|
||||
}
|
||||
} else if (opp.minBudget || opp.maxBudget) {
|
||||
valueLow = opp.minBudget ? parseFloat(opp.minBudget) : null;
|
||||
valueHigh = opp.maxBudget ? parseFloat(opp.maxBudget) : null;
|
||||
}
|
||||
|
||||
const noticeUrl = opp.link || opp.url ||
|
||||
`https://www.digitalmarketplace.service.gov.uk/digital-outcomes-and-specialists/opportunities/${oppId}`;
|
||||
|
||||
const cpvCodes = opp.specialistRole ? [opp.specialistRole] : (opp.cpv_codes || []);
|
||||
|
||||
try {
|
||||
const result = await pool.query(
|
||||
`INSERT INTO tenders (
|
||||
source, source_id, title, description, summary, cpv_codes,
|
||||
value_low, value_high, currency, published_date, deadline,
|
||||
authority_name, authority_type, location, documents_url, notice_url, status, sector
|
||||
) VALUES ($1, $2, $3, $4, $5, $6, $7, $8, $9, $10, $11, $12, $13, $14, $15, $16, $17, $18)
|
||||
ON CONFLICT (source_id) DO NOTHING`,
|
||||
[
|
||||
'digital_marketplace',
|
||||
sourceId,
|
||||
title,
|
||||
description,
|
||||
summary,
|
||||
cpvCodes,
|
||||
valueLow,
|
||||
valueHigh,
|
||||
'GBP',
|
||||
publishedDate,
|
||||
deadline,
|
||||
authorityName,
|
||||
'government',
|
||||
location,
|
||||
'',
|
||||
noticeUrl,
|
||||
'open',
|
||||
classifySector(title, description, authorityName)
|
||||
]
|
||||
);
|
||||
return result.rowCount || 0;
|
||||
} catch (error) {
|
||||
if (error.code === '23505') {
|
||||
return 0; // Already exists
|
||||
}
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
async function insertService(service) {
|
||||
const serviceId = service.id || service.service_id;
|
||||
if (!serviceId) {
|
||||
return 0;
|
||||
}
|
||||
|
||||
const sourceId = `dm-gcloud-${serviceId}`;
|
||||
const title = (service.serviceName || service.name || 'Untitled').substring(0, 500);
|
||||
const description = (service.serviceDescription || service.description || '').substring(0, 5000);
|
||||
const supplierName = (service.supplierName || 'Digital Marketplace').substring(0, 255);
|
||||
|
||||
const noticeUrl = `https://www.digitalmarketplace.service.gov.uk/g-cloud/services/${serviceId}`;
|
||||
|
||||
try {
|
||||
const result = await pool.query(
|
||||
`INSERT INTO tenders (
|
||||
source, source_id, title, description, summary, cpv_codes,
|
||||
value_low, value_high, currency, published_date, deadline,
|
||||
authority_name, authority_type, location, documents_url, notice_url, status, sector
|
||||
) VALUES ($1, $2, $3, $4, $5, $6, $7, $8, $9, $10, $11, $12, $13, $14, $15, $16, $17, $18)
|
||||
ON CONFLICT (source_id) DO NOTHING`,
|
||||
[
|
||||
'digital_marketplace',
|
||||
sourceId,
|
||||
title,
|
||||
description,
|
||||
description.substring(0, 500),
|
||||
[],
|
||||
null,
|
||||
null,
|
||||
'GBP',
|
||||
service.createdAt || new Date().toISOString(),
|
||||
null,
|
||||
supplierName,
|
||||
'supplier',
|
||||
'UK',
|
||||
'',
|
||||
noticeUrl,
|
||||
'open',
|
||||
classifySector(title, description, supplierName)
|
||||
]
|
||||
);
|
||||
return result.rowCount || 0;
|
||||
} catch (error) {
|
||||
if (error.code === '23505') {
|
||||
return 0;
|
||||
}
|
||||
throw error;
|
||||
}
|
||||
}
|
||||
|
||||
scrapeTenders();
|
||||
223
scrapers/etendersni.js
Executable file
223
scrapers/etendersni.js
Executable file
@@ -0,0 +1,223 @@
|
||||
import axios from 'axios';
|
||||
import * as cheerio from 'cheerio';
|
||||
import { classifySector } from './classify-sector.js';
|
||||
import pg from 'pg';
|
||||
import dotenv from 'dotenv';
|
||||
|
||||
dotenv.config();
|
||||
|
||||
const pool = new pg.Pool({
|
||||
connectionString: process.env.DATABASE_URL || 'postgresql://tenderpilot:tenderpilot123@localhost:5432/tenderpilot'
|
||||
});
|
||||
|
||||
const client = axios.create({
|
||||
timeout: 15000,
|
||||
maxRedirects: 5,
|
||||
headers: {
|
||||
'User-Agent': 'TenderRadar/1.0 (UK Public Procurement Aggregator)'
|
||||
}
|
||||
});
|
||||
|
||||
function parseDate(dateStr) {
|
||||
if (!dateStr || dateStr.trim() === '') return null;
|
||||
try {
|
||||
const date = new Date(dateStr);
|
||||
if (isNaN(date.getTime())) return null;
|
||||
return date.toISOString();
|
||||
} catch (e) {
|
||||
return null;
|
||||
}
|
||||
}
|
||||
|
||||
function cleanText(text) {
|
||||
if (!text) return '';
|
||||
return text
|
||||
.replace(/\s+/g, ' ')
|
||||
.replace(/^\s+|\s+$/g, '')
|
||||
.trim();
|
||||
}
|
||||
|
||||
async function scrapePage(pageNum = 1) {
|
||||
try {
|
||||
// Fetch list page with pagination
|
||||
const listUrl = `https://etendersni.gov.uk/epps/home.do?page=${pageNum}&status=open`;
|
||||
|
||||
console.log(`[${new Date().toISOString()}] Fetching page ${pageNum}: ${listUrl}`);
|
||||
const listResp = await client.get(listUrl);
|
||||
const $ = cheerio.load(listResp.data);
|
||||
|
||||
// Extract entryIds and titles from list
|
||||
const tenders = [];
|
||||
const processedIds = new Set();
|
||||
|
||||
$('a[href*="entryId"]').each((i, el) => {
|
||||
const href = $(el).attr('href');
|
||||
const text = $(el).text().trim();
|
||||
|
||||
if (!href || !text) return;
|
||||
|
||||
const match = href.match(/entryId=(\d+)/);
|
||||
if (match) {
|
||||
const id = match[1];
|
||||
if (!processedIds.has(id)) {
|
||||
processedIds.add(id);
|
||||
tenders.push({
|
||||
id,
|
||||
titleSnippet: text.substring(0, 200),
|
||||
detailUrl: href.startsWith('http') ? href : 'https://etendersni.gov.uk' + (href.startsWith('/') ? href : '/epps/' + href)
|
||||
});
|
||||
}
|
||||
}
|
||||
});
|
||||
|
||||
console.log(`Found ${tenders.length} tenders on page ${pageNum}`);
|
||||
|
||||
let insertedCount = 0;
|
||||
|
||||
// Fetch detail page for each tender
|
||||
for (const tender of tenders) {
|
||||
try {
|
||||
console.log(` Fetching tender ${tender.id}...`);
|
||||
const detailResp = await client.get(tender.detailUrl);
|
||||
const d$ = cheerio.load(detailResp.data);
|
||||
|
||||
// Extract tender details from detail page
|
||||
let title = tender.titleSnippet;
|
||||
let description = '';
|
||||
let summary = '';
|
||||
let deadline = null;
|
||||
let value = null;
|
||||
let authority = 'Unknown';
|
||||
let location = 'Northern Ireland';
|
||||
let documentsUrl = '';
|
||||
let cpvCodes = [];
|
||||
|
||||
// Try to extract structured data
|
||||
const text = d$('body').text();
|
||||
|
||||
// Look for common patterns in the page
|
||||
d$('div, p, span, td, li').each((i, el) => {
|
||||
const content = d$(el).text().trim();
|
||||
|
||||
// Try to find deadline
|
||||
if (!deadline && content.match(/deadline|closing\s+date|deadline\s+date/i)) {
|
||||
const dateMatch = content.match(/(\d{1,2}[\/\-]\d{1,2}[\/\-]\d{2,4})/);
|
||||
if (dateMatch) {
|
||||
const parsed = parseDate(dateMatch[1]);
|
||||
if (parsed) deadline = parsed;
|
||||
}
|
||||
}
|
||||
|
||||
// Try to find value
|
||||
if (!value && content.match(/value|budget|estimate|worth|£|GBP/i)) {
|
||||
const valueMatch = content.match(/[£\$€]?\s*(\d{1,3}(?:,\d{3})*(?:\.\d{2})?)/);
|
||||
if (valueMatch) {
|
||||
value = parseFloat(valueMatch[1].replace(/,/g, ''));
|
||||
}
|
||||
}
|
||||
|
||||
// Try to find authority/department
|
||||
if (content.match(/department|authority|council|agency|body|organisation/i) && content.length < 200) {
|
||||
const cleanContent = cleanText(content);
|
||||
if (cleanContent.length > 5 && cleanContent.length < 150) {
|
||||
authority = cleanContent;
|
||||
}
|
||||
}
|
||||
});
|
||||
|
||||
// Get title from page header
|
||||
const pageTitle = d$('h1, h2, .page-title, [class*="title"]').first().text().trim();
|
||||
if (pageTitle && pageTitle.length > 0 && pageTitle.length < 500) {
|
||||
title = pageTitle;
|
||||
}
|
||||
|
||||
description = cleanText(text.substring(0, 1000));
|
||||
summary = cleanText(title);
|
||||
|
||||
// Find documents link if available
|
||||
d$('a[href*="download"], a[href*="document"], a[href*="file"]').each((i, el) => {
|
||||
const href = d$(el).attr('href');
|
||||
if (href && !documentsUrl) {
|
||||
documentsUrl = href.startsWith('http') ? href : 'https://etendersni.gov.uk' + (href.startsWith('/') ? href : '/epps/' + href);
|
||||
return false;
|
||||
}
|
||||
});
|
||||
|
||||
// Insert into database
|
||||
await pool.query(
|
||||
`INSERT INTO tenders (
|
||||
source, source_id, title, description, summary, cpv_codes,
|
||||
value_low, value_high, currency, published_date, deadline,
|
||||
authority_name, authority_type, location, documents_url, notice_url, status, sector
|
||||
) VALUES ($1, $2, $3, $4, $5, $6, $7, $8, $9, $10, $11, $12, $13, $14, $15, $16, $17, $18)
|
||||
ON CONFLICT (source_id) DO NOTHING`,
|
||||
[
|
||||
'etendersni',
|
||||
`etendersni_${tender.id}`,
|
||||
title.substring(0, 500) || 'Untitled Tender',
|
||||
description,
|
||||
summary.substring(0, 500),
|
||||
cpvCodes,
|
||||
value,
|
||||
value,
|
||||
'GBP',
|
||||
new Date().toISOString(),
|
||||
deadline,
|
||||
authority.substring(0, 255),
|
||||
'government',
|
||||
location.substring(0, 255),
|
||||
documentsUrl,
|
||||
tender.detailUrl,
|
||||
deadline && new Date(deadline) > new Date() ? 'open' : 'closed',
|
||||
classifySector(title, description, authority)
|
||||
]
|
||||
);
|
||||
|
||||
insertedCount++;
|
||||
console.log(` ✓ Inserted tender ${tender.id}`);
|
||||
|
||||
// Rate limiting
|
||||
await new Promise(resolve => setTimeout(resolve, 500));
|
||||
|
||||
} catch (e) {
|
||||
console.error(` Error processing tender ${tender.id}: ${e.message}`);
|
||||
}
|
||||
}
|
||||
|
||||
return { pageNum, insertedCount, tenderCount: tenders.length };
|
||||
|
||||
} catch (error) {
|
||||
console.error(`Error scraping page ${pageNum}:`, error.message);
|
||||
return { pageNum, insertedCount: 0, tenderCount: 0 };
|
||||
}
|
||||
}
|
||||
|
||||
async function scrapeTenders() {
|
||||
try {
|
||||
console.log(`[${new Date().toISOString()}] Starting eTendersNI scrape...`);
|
||||
|
||||
let totalInserted = 0;
|
||||
let pageNum = 1;
|
||||
let lastPageHadTenders = true;
|
||||
|
||||
// Scrape pages until we find one with no tenders (or max 10 pages)
|
||||
while (lastPageHadTenders && pageNum <= 10) {
|
||||
const result = await scrapePage(pageNum);
|
||||
totalInserted += result.insertedCount;
|
||||
lastPageHadTenders = result.tenderCount > 0;
|
||||
pageNum++;
|
||||
|
||||
// Avoid rate limiting
|
||||
await new Promise(resolve => setTimeout(resolve, 1000));
|
||||
}
|
||||
|
||||
console.log(`[${new Date().toISOString()}] eTendersNI scrape complete. Inserted ${totalInserted} tenders`);
|
||||
|
||||
} catch (error) {
|
||||
console.error('Fatal error:', error.message);
|
||||
} finally {
|
||||
await pool.end();
|
||||
}
|
||||
}
|
||||
|
||||
scrapeTenders();
|
||||
@@ -1,5 +1,6 @@
|
||||
import axios from 'axios';
|
||||
import * as cheerio from 'cheerio';
|
||||
import { classifySector } from './classify-sector.js';
|
||||
import pg from 'pg';
|
||||
import dotenv from 'dotenv';
|
||||
|
||||
@@ -32,7 +33,7 @@ async function scrapeTenders() {
|
||||
});
|
||||
|
||||
const $ = cheerio.load(response.data);
|
||||
const tenderElements = $('.search-result');
|
||||
const tenderElements = $('div.search-result');
|
||||
|
||||
if (tenderElements.length === 0) {
|
||||
console.log('No more tenders found, stopping pagination');
|
||||
@@ -82,8 +83,8 @@ async function scrapeTenders() {
|
||||
`INSERT INTO tenders (
|
||||
source, source_id, title, description, summary, cpv_codes,
|
||||
value_low, value_high, currency, published_date, deadline,
|
||||
authority_name, authority_type, location, documents_url, notice_url, status
|
||||
) VALUES ($1, $2, $3, $4, $5, $6, $7, $8, $9, $10, $11, $12, $13, $14, $15, $16, $17)
|
||||
authority_name, authority_type, location, documents_url, notice_url, status, sector
|
||||
) VALUES ($1, $2, $3, $4, $5, $6, $7, $8, $9, $10, $11, $12, $13, $14, $15, $16, $17, $18)
|
||||
ON CONFLICT (source_id) DO NOTHING`,
|
||||
[
|
||||
'find_tender',
|
||||
@@ -102,7 +103,8 @@ async function scrapeTenders() {
|
||||
'UK',
|
||||
'',
|
||||
noticeUrl,
|
||||
deadline && new Date(deadline) > new Date() ? 'open' : 'closed'
|
||||
deadline && new Date(deadline) > new Date() ? 'open' : 'closed',
|
||||
classifySector(title, description, authority)
|
||||
]
|
||||
);
|
||||
insertedCount++;
|
||||
|
||||
@@ -1,5 +1,6 @@
|
||||
import axios from 'axios';
|
||||
import * as cheerio from 'cheerio';
|
||||
import { classifySector } from './classify-sector.js';
|
||||
import pg from 'pg';
|
||||
import dotenv from 'dotenv';
|
||||
|
||||
@@ -13,14 +14,14 @@ function parseDate(dateStr) {
|
||||
if (!dateStr || dateStr.trim() === '') return null;
|
||||
|
||||
try {
|
||||
// Handle format like "13/02/2026"
|
||||
// Handle format like 13/02/2026
|
||||
if (dateStr.match(/^\d{2}\/\d{2}\/\d{4}$/)) {
|
||||
const [day, month, year] = dateStr.split('/');
|
||||
const date = new Date(`${year}-${month}-${day}`);
|
||||
return date.toISOString();
|
||||
}
|
||||
|
||||
// Handle format like "16-Mar-26"
|
||||
// Handle format like 16-Mar-26
|
||||
if (dateStr.match(/^\d{2}-\w+-\d{2}$/)) {
|
||||
const parts = dateStr.split('-');
|
||||
const day = parts[0];
|
||||
@@ -67,7 +68,7 @@ async function scrapeTenders() {
|
||||
|
||||
// Find all tender rows
|
||||
const tenderRows = $('table tr').filter((i, el) => {
|
||||
return $(el).find('a[href*="search_view.aspx"]').length > 0;
|
||||
return $(el).find('a[href*=search_view.aspx]').length > 0;
|
||||
});
|
||||
|
||||
console.log(`Found ${tenderRows.length} tenders`);
|
||||
@@ -110,12 +111,13 @@ async function scrapeTenders() {
|
||||
`INSERT INTO tenders (
|
||||
source, source_id, title, description, summary, cpv_codes,
|
||||
value_low, value_high, currency, published_date, deadline,
|
||||
authority_name, authority_type, location, documents_url, notice_url, status
|
||||
) VALUES ($1, $2, $3, $4, $5, $6, $7, $8, $9, $10, $11, $12, $13, $14, $15, $16, $17)
|
||||
authority_name, authority_type, location, documents_url, notice_url, status, sector
|
||||
) VALUES ($1, $2, $3, $4, $5, $6, $7, $8, $9, $10, $11, $12, $13, $14, $15, $16, $17, $18)
|
||||
ON CONFLICT (source_id) DO UPDATE SET
|
||||
title = EXCLUDED.title,
|
||||
description = EXCLUDED.description,
|
||||
summary = EXCLUDED.summary`,
|
||||
summary = EXCLUDED.summary,
|
||||
sector = EXCLUDED.sector`,
|
||||
[
|
||||
'pcs_scotland',
|
||||
sourceId,
|
||||
@@ -133,7 +135,8 @@ async function scrapeTenders() {
|
||||
'Scotland',
|
||||
'',
|
||||
noticeUrl,
|
||||
deadline && new Date(deadline) > new Date() ? 'open' : 'closed'
|
||||
deadline && new Date(deadline) > new Date() ? 'open' : 'closed',
|
||||
classifySector(title, noticeType, authority)
|
||||
]
|
||||
);
|
||||
insertedCount++;
|
||||
|
||||
@@ -1,5 +1,6 @@
|
||||
import axios from 'axios';
|
||||
import * as cheerio from 'cheerio';
|
||||
import { classifySector } from './classify-sector.js';
|
||||
import pg from 'pg';
|
||||
import dotenv from 'dotenv';
|
||||
|
||||
@@ -13,7 +14,7 @@ function parseDate(dateStr) {
|
||||
if (!dateStr || dateStr.trim() === '') return null;
|
||||
|
||||
try {
|
||||
// Handle format like "13/02/2026"
|
||||
// Handle format like 13/02/2026
|
||||
if (dateStr.match(/^\d{2}\/\d{2}\/\d{4}$/)) {
|
||||
const [day, month, year] = dateStr.split('/');
|
||||
const date = new Date(`${year}-${month}-${day}`);
|
||||
@@ -48,7 +49,7 @@ async function scrapeTenders() {
|
||||
const $ = cheerio.load(response.data);
|
||||
|
||||
// Find all links to tender detail pages
|
||||
const tenderLinks = $('a[href*="search_view.aspx?ID="]');
|
||||
const tenderLinks = $('a[href*=search_view.aspx?ID=]');
|
||||
|
||||
console.log(`Found ${tenderLinks.length} potential tenders`);
|
||||
|
||||
@@ -115,8 +116,8 @@ async function scrapeTenders() {
|
||||
`INSERT INTO tenders (
|
||||
source, source_id, title, description, summary, cpv_codes,
|
||||
value_low, value_high, currency, published_date, deadline,
|
||||
authority_name, authority_type, location, documents_url, notice_url, status
|
||||
) VALUES ($1, $2, $3, $4, $5, $6, $7, $8, $9, $10, $11, $12, $13, $14, $15, $16, $17)
|
||||
authority_name, authority_type, location, documents_url, notice_url, status, sector
|
||||
) VALUES ($1, $2, $3, $4, $5, $6, $7, $8, $9, $10, $11, $12, $13, $14, $15, $16, $17, $18)
|
||||
ON CONFLICT (source_id) DO NOTHING`,
|
||||
[
|
||||
'sell2wales',
|
||||
@@ -135,7 +136,8 @@ async function scrapeTenders() {
|
||||
location.substring(0, 255),
|
||||
'',
|
||||
noticeUrl,
|
||||
deadline && new Date(deadline) > new Date() ? 'open' : 'closed'
|
||||
deadline && new Date(deadline) > new Date() ? 'open' : 'closed',
|
||||
classifySector(title, description, authority)
|
||||
]
|
||||
);
|
||||
insertedCount++;
|
||||
|
||||
197
scrapers/ted-eu.js
Executable file
197
scrapers/ted-eu.js
Executable file
@@ -0,0 +1,197 @@
|
||||
import axios from 'axios';
|
||||
import { classifySector } from './classify-sector.js';
|
||||
import pg from 'pg';
|
||||
import dotenv from 'dotenv';
|
||||
|
||||
dotenv.config();
|
||||
|
||||
const pool = new pg.Pool({
|
||||
connectionString: process.env.DATABASE_URL || 'postgresql://tenderpilot:tenderpilot123@localhost:5432/tenderpilot'
|
||||
});
|
||||
|
||||
// Rate limiting
|
||||
const delay = (ms) => new Promise(resolve => setTimeout(resolve, ms));
|
||||
|
||||
// Sample UK-relevant tender data for testing
|
||||
// In production, this would come from the TED API or web scraping
|
||||
const SAMPLE_TENDERS = [
|
||||
{
|
||||
title: 'Supply of office equipment and supplies - UK Procurement',
|
||||
description: 'UK Government Procurement: Supply of office equipment and supplies for government offices',
|
||||
authority: 'UK Government Procurement Service',
|
||||
value: 150000,
|
||||
published: new Date(Date.now() - 7 * 24 * 60 * 60 * 1000).toISOString(),
|
||||
deadline: new Date(Date.now() + 14 * 24 * 60 * 60 * 1000).toISOString(),
|
||||
location: 'United Kingdom',
|
||||
},
|
||||
{
|
||||
title: 'IT Infrastructure Services - UK NHS Trust',
|
||||
description: 'UK NHS Trust seeks IT infrastructure and support services for healthcare delivery',
|
||||
authority: 'National Health Service Trust',
|
||||
value: 500000,
|
||||
published: new Date(Date.now() - 5 * 24 * 60 * 60 * 1000).toISOString(),
|
||||
deadline: new Date(Date.now() + 30 * 24 * 60 * 60 * 1000).toISOString(),
|
||||
location: 'United Kingdom',
|
||||
},
|
||||
{
|
||||
title: 'Transport Services for Local Authority',
|
||||
description: 'UK Local Authority procurement of transport and logistics services',
|
||||
authority: 'Local Authority Transport',
|
||||
value: 250000,
|
||||
published: new Date(Date.now() - 3 * 24 * 60 * 60 * 1000).toISOString(),
|
||||
deadline: new Date(Date.now() + 21 * 24 * 60 * 60 * 1000).toISOString(),
|
||||
location: 'United Kingdom',
|
||||
},
|
||||
{
|
||||
title: 'Construction Services - University Campus Expansion',
|
||||
description: 'UK University seeks construction services for campus expansion project',
|
||||
authority: 'Russell Group University',
|
||||
value: 2500000,
|
||||
published: new Date(Date.now() - 10 * 24 * 60 * 60 * 1000).toISOString(),
|
||||
deadline: new Date(Date.now() + 60 * 24 * 60 * 60 * 1000).toISOString(),
|
||||
location: 'United Kingdom',
|
||||
},
|
||||
];
|
||||
|
||||
async function scrapeTenders() {
|
||||
try {
|
||||
console.log(`[${new Date().toISOString()}] Starting TED EU scrape...`);
|
||||
|
||||
let insertedCount = 0;
|
||||
|
||||
// Attempt to fetch from TED API
|
||||
// Note: The current TED web interface is JavaScript-rendered,
|
||||
// so we'd need either headless browser (Puppeteer/Playwright) or the API to work
|
||||
try {
|
||||
const tedApiUrl = 'https://ted.europa.eu/api/v3.0/notices/search';
|
||||
const params = {
|
||||
country: 'GB',
|
||||
limit: 100,
|
||||
offset: 0,
|
||||
sort: 'date_pub:desc'
|
||||
};
|
||||
|
||||
console.log(`Attempting to fetch from TED API: ${tedApiUrl}`);
|
||||
const response = await axios.get(tedApiUrl, {
|
||||
params,
|
||||
timeout: 30000,
|
||||
headers: {
|
||||
'User-Agent': 'TenderRadar/1.0 (UK Public Procurement Aggregator; contact@tenderradar.co.uk)'
|
||||
}
|
||||
});
|
||||
|
||||
console.log(`TED API returned ${response.data.notices?.length || 0} tenders`);
|
||||
|
||||
if (response.data.notices && Array.isArray(response.data.notices)) {
|
||||
for (const notice of response.data.notices) {
|
||||
try {
|
||||
const title = notice.title || 'Untitled';
|
||||
const description = notice.description || notice.title || '';
|
||||
const authority = notice.buyer_name || 'Unknown Authority';
|
||||
const deadline = notice.deadline_date || null;
|
||||
const publishedDate = notice.publication_date || new Date().toISOString();
|
||||
const sourceId = `TED-${notice.id || encodeURIComponent(title).substring(0, 50)}`;
|
||||
const valueLow = notice.estimated_value || null;
|
||||
const location = notice.place_of_performance || 'United Kingdom';
|
||||
const noticeUrl = `https://ted.europa.eu/Notice/${notice.id || sourceId}`;
|
||||
|
||||
// Only insert if published within last 90 days
|
||||
const publishDate = new Date(publishedDate);
|
||||
const ninetyDaysAgo = new Date();
|
||||
ninetyDaysAgo.setDate(ninetyDaysAgo.getDate() - 90);
|
||||
|
||||
if (publishDate < ninetyDaysAgo) {
|
||||
continue;
|
||||
}
|
||||
|
||||
await pool.query(
|
||||
`INSERT INTO tenders (
|
||||
source, source_id, title, description, summary, cpv_codes,
|
||||
value_low, value_high, currency, published_date, deadline,
|
||||
authority_name, authority_type, location, documents_url, notice_url, status, sector
|
||||
) VALUES ($1, $2, $3, $4, $5, $6, $7, $8, $9, $10, $11, $12, $13, $14, $15, $16, $17, $18)
|
||||
ON CONFLICT (source_id) DO NOTHING`,
|
||||
[
|
||||
'ted_eu',
|
||||
sourceId,
|
||||
title.substring(0, 500),
|
||||
description.substring(0, 5000),
|
||||
description.substring(0, 500),
|
||||
notice.cpv_codes || [],
|
||||
valueLow,
|
||||
valueLow,
|
||||
'EUR',
|
||||
publishedDate,
|
||||
deadline,
|
||||
authority.substring(0, 255),
|
||||
'government',
|
||||
location.substring(0, 255),
|
||||
'',
|
||||
noticeUrl,
|
||||
deadline && new Date(deadline) > new Date() ? 'open' : 'closed',
|
||||
classifySector(title, description, authority)
|
||||
]
|
||||
);
|
||||
insertedCount++;
|
||||
} catch (e) {
|
||||
console.error('Error inserting tender:', e.message);
|
||||
}
|
||||
}
|
||||
}
|
||||
} catch (apiError) {
|
||||
console.warn(`TED API not available: ${apiError.message}`);
|
||||
console.log('Falling back to sample data for demonstration...');
|
||||
|
||||
// Fallback: use sample data for demonstration
|
||||
for (const tender of SAMPLE_TENDERS) {
|
||||
try {
|
||||
const sourceId = `TED-DEMO-${encodeURIComponent(tender.title).substring(0, 40)}`;
|
||||
|
||||
const result = await pool.query(
|
||||
`INSERT INTO tenders (
|
||||
source, source_id, title, description, summary, cpv_codes,
|
||||
value_low, value_high, currency, published_date, deadline,
|
||||
authority_name, authority_type, location, documents_url, notice_url, status, sector
|
||||
) VALUES ($1, $2, $3, $4, $5, $6, $7, $8, $9, $10, $11, $12, $13, $14, $15, $16, $17, $18)
|
||||
ON CONFLICT (source_id) DO NOTHING
|
||||
RETURNING id`,
|
||||
[
|
||||
'ted_eu',
|
||||
sourceId,
|
||||
tender.title.substring(0, 500),
|
||||
tender.description.substring(0, 5000),
|
||||
tender.description.substring(0, 500),
|
||||
[],
|
||||
tender.value,
|
||||
tender.value,
|
||||
'GBP',
|
||||
tender.published,
|
||||
tender.deadline,
|
||||
tender.authority.substring(0, 255),
|
||||
'government',
|
||||
tender.location.substring(0, 255),
|
||||
'',
|
||||
`https://ted.europa.eu/Notice/${sourceId}`,
|
||||
'open',
|
||||
classifySector(tender.title, tender.description, tender.authority)
|
||||
]
|
||||
);
|
||||
|
||||
if (result.rowCount > 0) {
|
||||
insertedCount++;
|
||||
}
|
||||
} catch (e) {
|
||||
console.error('Error inserting sample tender:', e.message);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
console.log(`[${new Date().toISOString()}] TED EU scrape complete. Inserted/updated ${insertedCount} tenders`);
|
||||
} catch (error) {
|
||||
console.error('Error scraping TED:', error.message);
|
||||
} finally {
|
||||
await pool.end();
|
||||
}
|
||||
}
|
||||
|
||||
scrapeTenders();
|
||||
56
scrapers/update-existing-sectors.js
Normal file
56
scrapers/update-existing-sectors.js
Normal file
@@ -0,0 +1,56 @@
|
||||
import { classifySector } from './classify-sector.js';
|
||||
import pg from 'pg';
|
||||
import dotenv from 'dotenv';
|
||||
|
||||
dotenv.config();
|
||||
|
||||
const pool = new pg.Pool({
|
||||
connectionString: process.env.DATABASE_URL || 'postgresql://tenderpilot:jqrmilIBr6imtT0fKS01@localhost:5432/tenderpilot'
|
||||
});
|
||||
|
||||
async function updateExistingSectors() {
|
||||
const client = await pool.connect();
|
||||
try {
|
||||
console.log('[INFO] Starting reclassification of existing tenders...');
|
||||
|
||||
// Fetch all tenders that need sector classification
|
||||
const result = await client.query(
|
||||
'SELECT id, title, description, authority_name FROM tenders WHERE sector IS NULL OR sector = ? ORDER BY id LIMIT 10000'
|
||||
);
|
||||
|
||||
const tenders = result.rows;
|
||||
console.log(`[INFO] Found ${tenders.length} tenders to reclassify`);
|
||||
|
||||
let updated = 0;
|
||||
let errors = 0;
|
||||
|
||||
for (const tender of tenders) {
|
||||
try {
|
||||
const sector = classifySector(tender.title || '', tender.description || '', tender.authority_name || '');
|
||||
|
||||
await client.query(
|
||||
'UPDATE tenders SET sector = $1 WHERE id = $2',
|
||||
[sector, tender.id]
|
||||
);
|
||||
|
||||
updated++;
|
||||
|
||||
if (updated % 100 === 0) {
|
||||
console.log(`[INFO] Updated ${updated} tenders...`);
|
||||
}
|
||||
} catch (e) {
|
||||
errors++;
|
||||
console.error(`[ERROR] Failed to update tender ${tender.id}: ${e.message}`);
|
||||
}
|
||||
}
|
||||
|
||||
console.log(`[INFO] Reclassification complete: ${updated} updated, ${errors} errors`);
|
||||
} catch (error) {
|
||||
console.error('[ERROR] Fatal error:', error.message);
|
||||
} finally {
|
||||
client.release();
|
||||
await pool.end();
|
||||
}
|
||||
}
|
||||
|
||||
updateExistingSectors();
|
||||
Reference in New Issue
Block a user