1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
|
/**
* Execute multiple async tasks with concurrency control while preserving original order
* @param {Array<Function|string>} tasks Array of async functions or URLs to process
* @param {number} maxConcurrent Maximum number of concurrent tasks allowed
* @param {Object} options Optional configuration
* @returns {Promise<Array>} Promise that resolves with results in the same order as input tasks
*/
function concurrentTasks(tasks, maxConcurrent = 5, options = {}) {
return new Promise((resolve, reject) => {
if (!tasks || !Array.isArray(tasks) || tasks.length === 0) {
resolve([]);
return;
}
const defaultOptions = {
failOnError: false,
fetchOptions: {},
timeout: 30000 // 30 seconds timeout
};
const config = { ...defaultOptions, ...options };
// Create a copy of the tasks array
const tasksToProcess = [...tasks];
// Array to store results in the correct order
const results = new Array(tasks.length);
// Track completed tasks count
let completed = 0;
// Track active tasks count
let active = 0;
// Track if any error occurred
let hasError = false;
/**
* Convert a URL string to a fetch function
* @param {string} url URL to fetch
* @returns {Function} Function that returns a Promise
*/
function urlToFetchFn(url) {
return () => {
const controller = new AbortController();
const signal = controller.signal;
// Set timeout if specified
const timeoutId = setTimeout(() => controller.abort(), config.timeout);
return fetch(url, { ...config.fetchOptions, signal })
.then(response => {
clearTimeout(timeoutId);
if (!response.ok) {
throw new Error(`HTTP error ${response.status}: ${response.statusText}`);
}
return response.json();
})
.finally(() => clearTimeout(timeoutId));
};
}
/**
* Process the next task in the queue
*/
function processNext() {
// If all tasks have been started, just return
if (tasksToProcess.length === 0) {
return;
}
// If we've reached max concurrency, wait for some tasks to complete
if (active >= maxConcurrent) {
return;
}
// Get the next task and its index in the original array
const task = tasksToProcess.shift();
const originalIndex = tasks.indexOf(task);
active++;
// Convert task to function if it's a URL string
const taskFn = typeof task === 'string' ? urlToFetchFn(task) : task;
// Create a promise with timeout
const timeoutPromise = new Promise((_, timeoutReject) => {
const timeoutId = setTimeout(() => {
timeoutReject(new Error(`Task timed out after ${config.timeout}ms`));
}, config.timeout);
return () => clearTimeout(timeoutId);
});
// Execute the task
Promise.race([
Promise.resolve().then(() => taskFn()),
timeoutPromise
])
.then(data => {
// Store the result at the correct position
results[originalIndex] = data;
completed++;
active--;
// If all tasks are completed, resolve the promise
if (completed === tasks.length) {
resolve(results);
} else {
// Otherwise, try to process more tasks
processNext();
}
})
.catch(error => {
// Store the error at the correct position
results[originalIndex] = { error: error.message };
completed++;
active--;
// Mark that an error occurred
hasError = true;
// If all tasks are completed, resolve or reject based on error flag
if (completed === tasks.length) {
if (config.failOnError && hasError) {
reject(new Error('One or more tasks failed'));
} else {
resolve(results);
}
} else {
// Otherwise, try to process more tasks
processNext();
}
});
// Try to process more tasks immediately if possible
processNext();
}
// Start processing tasks
for (let i = 0; i < Math.min(maxConcurrent, tasks.length); i++) {
processNext();
}
});
}
// Usage examples
// Example 1: Using URLs
const urls = [
'https://jsonplaceholder.typicode.com/posts/1',
'https://jsonplaceholder.typicode.com/posts/2',
'https://jsonplaceholder.typicode.com/posts/3',
'https://jsonplaceholder.typicode.com/posts/4',
'https://jsonplaceholder.typicode.com/posts/5'
];
concurrentTasks(urls, 2)
.then(results => {
console.log('URL results in original order:', results);
})
.catch(error => {
console.error('Error:', error);
});
// Example 2: Using custom async functions
const customTasks = [
() => new Promise(resolve => setTimeout(() => resolve('Task 1 result'), 1000)),
() => new Promise(resolve => setTimeout(() => resolve('Task 2 result'), 500)),
() => new Promise((_, reject) => setTimeout(() => reject(new Error('Task 3 failed')), 800)),
() => new Promise(resolve => setTimeout(() => resolve('Task 4 result'), 1200)),
() => new Promise(resolve => setTimeout(() => resolve('Task 5 result'), 300))
];
concurrentTasks(customTasks, 3, { failOnError: false })
.then(results => {
console.log('Custom task results in original order:', results);
})
.catch(error => {
console.error('Error:', error);
});
// Example 3: Mixed URLs and functions
const mixedTasks = [
'https://jsonplaceholder.typicode.com/posts/1',
() => new Promise(resolve => setTimeout(() => resolve('Custom task result'), 800)),
'https://jsonplaceholder.typicode.com/posts/3'
];
concurrentTasks(mixedTasks, 2)
.then(results => {
console.log('Mixed task results in original order:', results);
})
.catch(error => {
console.error('Error:', error);
});
|