Reputation: 1200
How can i add a a different email then the sender in the ReplayTo
field ?
Seems MailMessage.ReplyTo
is deprecated so I'm trying to use ReplyToList
instead.
But it's telling me that
Property or indexer 'System.Net.Mail.MailMessage.ReplyToList' cannot be assigned to -- it is read only
Here is my code so far:
var reply = new MailAddressCollection();
reply.Add("[email protected]");
MailMessage mail = new MailMessage(senderEmail,usr.Email,"subject","message");
mail.ReplyToList = reply;
var smtp = new SmtpClient();
smtp.Send(mail);
Upvotes: 8
Views: 12144
Reputation: 3502
Since the ReplyToList
is a readonly property,the only way you can do is :
mail.ReplyToList.Add(new MailAddress("[email protected]"));
mail.ReplyToList.Add(new MailAddress("[email protected]"));
Upvotes: 5
Reputation: 630339
You can't set it to a whole new MailAddressCollection
, but you can add directly to the existing MailAddressCollection
, like this:
MailMessage mail = new MailMessage(senderEmail,usr.Email,"subject","message");
mail.ReplyToList.Add("[email protected]");
var smtp = new SmtpClient();
smtp.Send(mail);
Upvotes: 24