我在我的mvc网站上有反馈表,我将此表发送给电子邮件 在我的控制器中,我创建了ErrorMessage,以防电子邮件发送失败,而SuccessMessage以防电子邮件发送成功
/*Feedback*/
[HttpGet]
public ActionResult Feedback(string ErrorMessage)
{
if (ErrorMessage != null)
{
}
return View();
}
[HttpPost]
public ActionResult Feedback(FeedbackForm Model)
{
string ErrorMessage, SuccessMessage;
//email
System.Net.Mail.MailMessage msg = new System.Net.Mail.MailMessage();
msg.BodyEncoding = Encoding.UTF8;
msg.Priority = MailPriority.High;
msg.From = new MailAddress(Model.Email, Model.Name);
msg.To.Add("tayna-anita@mail.ru");
msg.Subject = @Resources.Global.Feedback_Email_Title + " " + Model.Company;
string message = @Resources.Global.Feedback_Email_From + " " + Model.Name + "\n"
+ @Resources.Global.Feedback_Email + " " + Model.Email + "\n"
+ @Resources.Global.Feedback_Phone + " " + Model.Phone + "\n"
+ @Resources.Global.Feedback_Company + " " + Model.Company + "\n\n"
+ Model.AdditionalInformation;
msg.Body = message;
msg.IsBodyHtml = false;
//Attachment
if (Model.ProjectInformation != null && !(String.IsNullOrEmpty(Model.ProjectInformation.FileName)))
{
HttpPostedFileBase attFile = Model.ProjectInformation;
if (attFile.ContentLength > 0)
{
var attach = new Attachment(attFile.InputStream, attFile.FileName);
msg.Attachments.Add(attach);
}
}
SmtpClient client = new SmtpClient("denver.corepartners.local", 55);
client.UseDefaultCredentials = false;
client.EnableSsl = false;
try
{
client.Send(msg);
SuccessMessage = "Email sending was successful"
}
catch (Exception ex)
{
return RedirectToAction("Feedback", "Home", ErrorMessage = "Email sending failed");
}
return RedirectToAction("Feedback", "Home");
}
如何在我的视图中添加显示此消息?
答案 0 :(得分:0)
当您重定向到新页面时,请使用TempData,它将在重定向后的下一个请求中使用。将消息放入TempData [“Message”]并在Feedback视图中输出。要更好地检查是否
<% TempData["Message"] != null { %>
<%= TempData["Message"] %>;
<%} %>
答案 1 :(得分:0)
您不能尝试按如下方式访问那些作为模型属性:
<%= Model.ErrorMessage %>
<%= Model.SuccessMessage %>
答案 2 :(得分:0)
使用TempData。
您可以使用TempDataDictionary对象以与使用ViewDataDictionary对象相同的方式传递数据。但是,TempDataDictionary对象中的数据仅从一个请求持续到下一个请求,除非您使用Keep方法标记一个或多个要保留的键。如果某个密钥标记为保留,则会保留该密钥以用于下一个请求。
TempDataDictionary对象的典型用法是在重定向到另一个操作方法时从操作方法传递数据。例如,action方法可能会在调用RedirectToAction方法之前在控制器的TempData属性(返回TempDataDictionary对象)中存储有关错误的信息。然后,下一个操作方法可以处理错误并呈现显示错误消息的视图。
[HttpPost]
public ActionResult Feedback(FeedbackForm Model)
{
bool error = true;
if(error){
TempData["Message"] = "Error";
TempData["Error"] = true;
}
else{
TempData["Message"] = "Success";
TempData["Error"] = false;
}
return RedirectToAction("Feedback", "Home");
}
[HttpGet]
public ActionResult Feedback()
{
string message = TempData["Message"].ToString();
bool error = Convert.ToBoolean(TempData["Error"]);
var model = new FeedbackModel{Message = message, Error = error};
return View(model);
}