0

我了解 Indy 开发人员选择在使用时去除消息的 BCC 标头,SaveToStream因为流可以是基于套接字的。但是,如果我想将消息实际保存到流中以供进一步处理怎么办?此外,如果我想去掉末尾添加的 CRLF.CRLF 怎么办?这方面的示例是将消息保存到 MBOX 类型的文件。这当然不能直接完成。

所以我现在的方法是一团糟:

// Writing to MBOX
// Save to temp file
IdMsg->SaveToFile("filenamewrite.tmp",false);

// Make file shorter by 5 trailing bytes
boost::scoped_ptr<TFileStream> fs(new TFileStream("filenamewrite.tmp", fmOpenWrite | fmShareDenyWrite));
fs->Size = fs->Size-5;
FlushFileBuffers(reinterpret_cast<void *>(fs->Handle));

// Now this file can be copied to another stream with "mbox"-like file.

对于加载:

// Reading from MBOX
boost::scoped_ptr<TFileStream> fs(new TFileStream("mboxfile", fmOpenRead | fmShareDenyWrite));
AnsiString Data;
Data.SetLength(12345);
fs->Read(const_cast<void *>(Data.data()), Data.Length());
boost::scoped_ptr<TStringList> sl(new TStringList);
sl->Text = Data;
sl->SaveToFile("filenameread.tmp");
IdMsg->LoadFromFile("filenameread.tmp");

当然,这是一种非常低效的方法,而且完全没有必要。如果可以直接保存到流中,那将是两行代码,而不是上面的混乱。

有没有更好的办法?添加重载SaveToStream以允许删除 CRLF.CRLF 并在 Indy 中保存 BCC 标头如何?与从 MBOX 加载消息时类似,LoadFromStream因此可以直接从流中加载,而无需添加尾随 CRLF.CRLF。

4

1 回答 1

2

TIdMessageBCC仅在TIdMessage.SaveToFile()被调用时才写入标头。如果不更改 Indy 的源代码或使用 hack 类,就无法TIdMessage.SaveToStream()编写标题。BCC但是,您可以手动将BCC数据存储在TIdMessage.ExtraHeaders属性中,以便SaveToStream()随后写入。

至于处理多余的点等,那是因为加载/写入实际上是由 完成的TIdMessageClient,它没有流的概念,也没有任何除 POP3/SMTP 之外的任何源/目标的概念。这是 Indy 当前架构中的硬编码限制,将在 Indy 11 中解决。同时,有使用TIdIOHandlerStreamMsg该类的解决方法。

尝试这个:

IdMsg->ExtraHeaders->Values["Bcc"] = EncodeAddress(IdMsg->BCCList, 'B', "utf-8");
boost::scoped_ptr<TIdMessageClient> msgClient(new TIdMessageClient(NULL));
boost::scoped_ptr<TIdIOHandlerStreamMsg> io(new TIdIOHandlerStreamMsg(NULL, NULL, Target Stream Goes Here);
io->UnescapeLines = true; // <-- this is the key step!
io->FreeStreams = false;
msgClient->IOHandler = io.get();
msgClient->SendMsg(IdMsg, false);

IdMsg->Clear();
boost::scoped_ptr<TIdMessageClient> msgClient(new TIdMessageClient(NULL));
boost::scoped_ptr<TIdIOHandlerStreamMsg> io(new TIdIOHandlerStreamMsg(NULL, Source Stream Goes Here, NULL);
io->EscapeLines = true; // <-- this is the key step!
io->FreeStreams = false;
msgClient->IOHandler = io.get();
io->Open();
msgClient->ProcessMessage(IdMsg, false);

UnescapeLines=true导致在保存时静默撤消写入TIdIOHandlerStreamMsg的额外数据。TIdMessageClientTIdMessage

EscapeLines=true导致在TIdIOHandlerStreamMsg加载.TIdMessageClientTIdMessage

于 2013-10-28T23:09:29.900 回答