Reputation:
I am trying to programmatically access a Windows application app.config file. In particular, I am trying to access the "system.net/mailSettings" The following code
Configuration config = ConfigurationManager.OpenExeConfiguration(configFileName);
MailSettingsSectionGroup settings =
(MailSettingsSectionGroup)config.GetSectionGroup(@"system.net/mailSettings");
Console.WriteLine(settings.Smtp.DeliveryMethod.ToString());
Console.WriteLine("host: " + settings.Smtp.Network.Host + "");
Console.WriteLine("port: " + settings.Smtp.Network.Port + "");
Console.WriteLine("Username: " + settings.Smtp.Network.UserName + "");
Console.WriteLine("Password: " + settings.Smtp.Network.Password + "");
Console.WriteLine("from: " + settings.Smtp.From + "");
fails to give the host, from. it only gets the port number. The rest are null;
Upvotes: 14
Views: 21297
Reputation: 1
private void button1_Click(object sender, EventArgs e)
{
try
{
var config = ConfigurationManager.OpenExeConfiguration(ConfigurationUserLevel.None);
var mailSettings = config.GetSectionGroup("system.net/mailSettings")
as MailSettingsSectionGroup;
MailMessage msg = new MailMessage();
msg.Subject = "Hi Raju";
msg.To.Add("[email protected]");
msg.From = new MailAddress("[email protected]");
msg.Body = "Hello Raju here everything is fine.";
//MailSettingsSectionGroup msetting = null;
string mMailHost = mailSettings.Smtp.Network.Host;
SmtpClient mailClient = new SmtpClient(mMailHost);
mailClient.Send(msg);
MessageBox.Show("Mail Sent Succesfully...");
}
catch (Exception ex)
{
MessageBox.Show(ex.ToString());
}
}
Upvotes: 0
Reputation:
I used the following to access the mailSettings:
var config = ConfigurationManager.OpenExeConfiguration(
ConfigurationUserLevel.None);
var mailSettings = config.GetSectionGroup("system.net/mailSettings")
as MailSettingsSectionGroup;
Upvotes: 8
Reputation: 41872
This seems to work ok for me:
MailSettingsSectionGroup mailSettings =
config.GetSectionGroup("system.net/mailSettings")
as MailSettingsSectionGroup;
if (mailSettings != null)
{
string smtpServer = mailSettings.Smtp.Network.Host;
}
Here's my app.config file:
<configuration>
<system.net>
<mailSettings>
<smtp>
<network host="mail.mydomain.com" />
</smtp>
</mailSettings>
</system.net>
</configuration>
However, as stated by Nathan, you can use the application or machine configuration files to specify default host, port, and credentials values for all SmtpClient objects. For more information, see <mailSettings> Element on MDSN.
Upvotes: 18
Reputation: 8932
Not sure if this helps, but if you are trying to make a SmtpClient, that will automatically use the values in your config file if you use the default constructor.
Upvotes: 11