早上好。我试图弄清楚如何从同一帮助器类的另一部分调用辅助类中的函数?我的帮助程序类正在尝试使用SMTP Sending Helper类。在我开始编写代码之前,我想确保可以完成此操作。
帮助程序类A是我的邮件发件人帮助程序 帮助者B类在确定谁应该接收电子邮件后发出电子邮件警报。
所以这就是我到目前为止所做的。我在B类中为A类设置了一个using子句。
我的印象是我可以简单地调用这样的辅助类来创建一个对象:
ServiceLibrary.SmtpHelperClass smtp = new SmtpHelperClass();
当我尝试使用smtp.SendMail(...)时;它错了。有人能说清楚这是怎么做到的吗?这些帮助程序类将与Windows服务一起使用。我的计划是根据预定的运行时间调用其他助手。
调用者代码的编写方式如下:
class AuditReminders
{
SmtpHelperClass mailHelper = new SmtpHelperClass();
mailHelper.SendMailMessage();
}
我收到一条错误消息,指出此上下文中不存在SendMailMessage。我的SmtpHelperClass是这样编写的:
using System;
using System.Net.Mail;
namespace ServiceLibrary
{
public class SmtpHelperClass
{
public static void SendMailMessage(string from, string to, string bcc, string cc, string subject, string body)
{
System.Diagnostics.EventLog evlFormatter = new System.Diagnostics.EventLog();
evlFormatter.Source = "WAST Windows Service";
evlFormatter.Log = "WAST Windows Service Log";
// Instantiate a new instance of MailMessage
MailMessage mMailMessage = new MailMessage();
// Set the sender address of the mail message
mMailMessage.From = new MailAddress(from);
// Set the recepient address of the mail message
mMailMessage.To.Add(new MailAddress(to));
// Check if the bcc value is null or an empty string
if ((bcc != null) && (bcc != string.Empty))
{
// Set the Bcc address of the mail message
mMailMessage.Bcc.Add(new MailAddress(bcc));
}
// Check if the cc value is null or an empty value
if ((cc != null) && (cc != string.Empty))
{
string[] words = cc.Split(';');
foreach (string word in words)
try
{
mMailMessage.CC.Add(new MailAddress(word));
}
catch (Exception ex)
{
// place writer for event viewer here
evlFormatter.WriteEntry("Error encountered: " + ex.ToString());
}
// Set the CC address of the mail message
} // Set the subject of the mail message
mMailMessage.Subject = subject;
// Set the body of the mail message
mMailMessage.Body = body;
// Set the format of the mail message body as HTML
mMailMessage.IsBodyHtml = true;
// Set the priority of the mail message to normal
mMailMessage.Priority = MailPriority.High;
// Instantiate a new instance of SmtpClient
SmtpClient mSmtpClient = new SmtpClient();
// Send the mail message
mSmtpClient.Send(mMailMessage);
}
}
}
答案 0 :(得分:1)
您是否引用了ServiceLibrary
程序集中MailHelper
所在的程序集?在您尝试使用它的项目中是否有using ServiceLibrary;
语句?这些是你得到错误的最可能原因。
此外,我在您的代码中看到了一些内容。首先,SendMailMessage
被标记为static
,但您尝试将其称为实例方法:mailHelper.SendMailMessage();
其次,SendMailMessage
有参数,其中没有一个参数在调用中提供。
对于第一个问题,您可以调用静态方法(带参数),如下所示:
SmtpHelperClass.SendMailMessage(from, to, bcc, cc, subject, body);
其中from,to,bcc,cc,subject和body是包含您要使用的值的变量。
或者将方法更改为实例方法(删除static
关键字):
public void SendMailMessage((string from, string to, string bcc, string cc, string subject, string body))
答案 1 :(得分:0)
根本原因是两倍。第一个问题是对该库的引用丢失导致我无法正确调用该类。一旦我修复了参考,然后使用
using ServiceLibrary.SmtpHelperClass;
允许我调用SmtpMail辅助函数以及访问库其他方法。