File size: 10,453 Bytes
3a7f0e0 7fc5208 3a7f0e0 7fc5208 3a7f0e0 7fc5208 3a7f0e0 7fc5208 3a7f0e0 7fc5208 3a7f0e0 7fc5208 3a7f0e0 7fc5208 3a7f0e0 7fc5208 8314b51 3a7f0e0 8314b51 3a7f0e0 8314b51 7fc5208 3a7f0e0 7fc5208 3a7f0e0 7fc5208 3a7f0e0 7fc5208 3a7f0e0 7fc5208 3a7f0e0 7fc5208 3a7f0e0 7fc5208 3a7f0e0 7fc5208 3a7f0e0 |
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 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 |
/**
* 去除HTML标签,保留纯文本内容
* @param html HTML字符串
* @returns 纯文本字符串
*/
function stripHtmlTags(html: string): string {
if (!html) return '';
// 去除HTML标签
let text = html.replace(/<[^>]*>/g, '');
// 解码HTML实体
text = text
.replace(/ /g, ' ')
.replace(/&/g, '&')
.replace(/</g, '<')
.replace(/>/g, '>')
.replace(/"/g, '"')
.replace(/'/g, "'")
.replace(/'/g, "'");
// 清理多余的空白字符
text = text
.replace(/\s+/g, ' ') // 多个空格合并为一个
.replace(/\n\s*\n/g, '\n') // 多个换行合并
.trim(); // 去除首尾空白
return text;
}
export async function get_access_token(tokenInfo: any, client_id: string, clientSecret: string) {
// 检查token是否过期(提前5分钟刷新)
const now = Date.now();
const expiryTime = tokenInfo.timestamp + (tokenInfo.expires_in * 1000);
const shouldRefresh = now >= (expiryTime - 300000); // 5分钟 = 300000毫秒
if (!shouldRefresh) {
return tokenInfo.access_token;
}
const response = await fetch('https://login.microsoftonline.com/common/oauth2/v2.0/token', {
method: 'POST',
headers: {
'Content-Type': 'application/x-www-form-urlencoded'
},
body: new URLSearchParams({
'client_id': client_id,
'client_secret': clientSecret,
'grant_type': 'refresh_token',
'refresh_token': tokenInfo.refresh_token
})
});
if (!response.ok) {
const errorText = await response.text();
throw new Error(`HTTP error! status: ${response.status}, response: ${errorText}`);
}
const data = await response.json() as any;
return data.access_token;
}
//https://learn.microsoft.com/zh-cn/graph/api/resources/mail-api-overview?view=graph-rest-1.0
/**
* 获取邮件列表
*/
interface ParsedEmail {
id: string;
subject: string;
from: string;
to: string[];
date: {
created: string;
received: string;
sent: string;
modified: string;
};
text: string;
html: string;
importance: string;
isRead: boolean;
isDraft: boolean;
hasAttachments: boolean;
webLink: string;
preview: string;
categories: string[];
internetMessageId: string;
metadata: {
platform?: string;
browser?: string;
ip?: string;
location?: string;
};
}
async function parseEmail(email: any): Promise<ParsedEmail> {
let content = '';
try {
if (email.body.content) {
content = email.body.content;
} else {
const response = await fetch(email.body.contentUrl);
content = await response.text();
}
//const parsed = await parser.parse(content);
// 从HTML内容中提取元数据
const htmlContent = email.body.content || '';
const platformMatch = htmlContent.match(/Platform:\s*([^<\r\n]+)/);
const browserMatch = htmlContent.match(/Browser:\s*([^<\r\n]+)/);
const ipMatch = htmlContent.match(/IP address:\s*([^<\r\n]+)/);
const locationMatch = htmlContent.match(/Country\/region:\s*([^<\r\n]+)/);
// 处理邮件文本内容,去除HTML标签
const rawText = email.body.content || email.bodyPreview || '';
const text = stripHtmlTags(rawText);
return {
id: email.id,
subject: email.subject,
from: email.from.emailAddress.address,
to: email.toRecipients.map((r: any) => r.emailAddress.address),
date: {
created: email.createdDateTime,
received: email.receivedDateTime,
sent: email.sentDateTime,
modified: email.lastModifiedDateTime
},
text: text,
html: email.body.content || '',
importance: email.importance,
isRead: email.isRead,
isDraft: email.isDraft,
hasAttachments: email.hasAttachments,
webLink: email.webLink,
preview: email.bodyPreview,
categories: email.categories,
internetMessageId: email.internetMessageId,
metadata: {
platform: platformMatch?.[1]?.trim(),
browser: browserMatch?.[1]?.trim(),
ip: ipMatch?.[1]?.trim(),
location: locationMatch?.[1]?.trim(),
}
};
} catch (error) {
console.error('解析邮件失败:', error);
return {
id: email.id,
subject: email.subject,
from: email.from.emailAddress.address,
to: email.toRecipients.map((r: any) => r.emailAddress.address),
date: {
created: email.createdDateTime,
received: email.receivedDateTime,
sent: email.sentDateTime,
modified: email.lastModifiedDateTime
},
text: stripHtmlTags(email.body.content || ''),
html: email.body.content || '',
importance: email.importance,
isRead: email.isRead,
isDraft: email.isDraft,
hasAttachments: email.hasAttachments,
webLink: email.webLink,
preview: email.bodyPreview,
categories: email.categories,
internetMessageId: email.internetMessageId,
metadata: {}
};
}
}
/**
* 激活邮箱 - 通过多种方式唤醒可能休眠的邮箱
*/
export async function activateMailbox(accessToken: string): Promise<void> {
try {
// 方法1: 获取用户配置文件信息 - 这会触发用户会话
await fetch('https://graph.microsoft.com/v1.0/me', {
method: 'GET',
headers: {
'Authorization': `Bearer ${accessToken}`,
'Content-Type': 'application/json'
}
});
// 方法2: 获取邮箱设置 - 这会激活邮箱服务
await fetch('https://graph.microsoft.com/v1.0/me/mailboxSettings', {
method: 'GET',
headers: {
'Authorization': `Bearer ${accessToken}`,
'Content-Type': 'application/json'
}
});
// 方法3: 获取邮件文件夹 - 这会触发邮箱同步
await fetch('https://graph.microsoft.com/v1.0/me/mailFolders', {
method: 'GET',
headers: {
'Authorization': `Bearer ${accessToken}`,
'Content-Type': 'application/json'
}
});
// 方法4: 检查收件箱状态
await fetch('https://graph.microsoft.com/v1.0/me/mailFolders/inbox', {
method: 'GET',
headers: {
'Authorization': `Bearer ${accessToken}`,
'Content-Type': 'application/json'
}
});
console.log('邮箱激活操作完成');
} catch (error) {
console.warn('邮箱激活过程中出现错误:', error);
// 不抛出错误,因为激活失败不应该阻止后续的邮件获取
}
}
/**
* 强制同步邮箱 - 使用delta查询来触发同步
*/
export async function syncMailbox(accessToken: string): Promise<void> {
try {
// 使用delta查询来强制同步邮箱
const deltaEndpoint = 'https://graph.microsoft.com/v1.0/me/messages/delta';
await fetch(`${deltaEndpoint}?$top=1`, {
method: 'GET',
headers: {
'Authorization': `Bearer ${accessToken}`,
'Content-Type': 'application/json'
}
});
console.log('邮箱同步操作完成');
} catch (error) {
console.warn('邮箱同步过程中出现错误:', error);
}
}
export async function getEmails(accessToken: string, limit = 50, forceActivate = false): Promise<ParsedEmail[]> {
// 如果需要强制激活邮箱
if (forceActivate) {
await activateMailbox(accessToken);
await syncMailbox(accessToken);
// 等待一小段时间让同步生效
await new Promise(resolve => setTimeout(resolve, 2000));
}
const endpoint = 'https://graph.microsoft.com/v1.0/me/messages';
// 添加更多查询参数来确保获取最新邮件
const queryParams = new URLSearchParams({
'$top': limit.toString(),
'$orderby': 'receivedDateTime desc',
'$select': 'id,subject,from,toRecipients,createdDateTime,receivedDateTime,sentDateTime,lastModifiedDateTime,body,importance,isRead,isDraft,hasAttachments,webLink,bodyPreview,categories,internetMessageId'
});
const response = await fetch(`${endpoint}?${queryParams}`, {
method: 'GET',
headers: {
'Authorization': `Bearer ${accessToken}`,
'Content-Type': 'application/json',
'Prefer': 'outlook.timezone="Asia/Shanghai"' // 设置时区
}
});
const data = await response.json() as any;
if (!response.ok) {
throw new Error(`获取邮件失败: ${data.error?.message}`);
}
const emails = data.value;
const parsedEmails = await Promise.all(emails.map(parseEmail));
return parsedEmails;
}
/**
* 删除单个邮件
*/
export async function deleteEmail(accessToken: string, emailId: string): Promise<void> {
const endpoint = `https://graph.microsoft.com/v1.0/me/messages/${emailId}`;
const response = await fetch(endpoint, {
method: 'DELETE',
headers: {
'Authorization': `Bearer ${accessToken}`
}
});
if (!response.ok) {
const errorData = await response.json() as any;
throw new Error(`删除邮件失败: ${errorData.error?.message}`);
}
}
/**
* 清空邮箱 (批量删除邮件)
*/
export async function emptyMailbox(accessToken: string, batchSize = 50): Promise<void> {
let hasMoreEmails = true;
let totalDeleted = 0;
while (hasMoreEmails) {
// 获取一批邮件
const emails = await getEmails(accessToken, batchSize);
if (emails.length === 0) {
hasMoreEmails = false;
break;
}
// 删除该批次的每封邮件
const deletePromises = emails.map(email => deleteEmail(accessToken, email.id));
await Promise.all(deletePromises);
totalDeleted += emails.length;
console.log(`已删除 ${emails.length} 封邮件,累计: ${totalDeleted}`);
}
console.log('邮箱已清空');
}
/**
* 发送邮件
*/
export async function sendEmail(
accessToken: string,
to: string[],
subject: string,
body: string,
isHtml = false
): Promise<void> {
const endpoint = 'https://graph.microsoft.com/v1.0/me/sendMail';
const emailData = {
message: {
subject,
body: {
contentType: isHtml ? 'HTML' : 'Text',
content: body
},
toRecipients: to.map(recipient => ({
emailAddress: {
address: recipient
}
}))
}
};
const response = await fetch(endpoint, {
method: 'POST',
headers: {
'Authorization': `Bearer ${accessToken}`,
'Content-Type': 'application/json'
},
body: JSON.stringify(emailData)
});
if (!response.ok) {
const errorData = await response.json() as any;
throw new Error(`发送邮件失败: ${errorData.error?.message}`);
}
} |