如何从控制器的子对象访问控制器 ViewData 和 TempData - 通知提供程序实现
本文关键字:控制器 通知 TempData 实现 程序 访问控制 对象 访问 ViewData | 更新日期: 2023-09-27 18:36:06
我正在尝试为我的应用程序构建通知提供程序(警报)。目前,我只需要在请求之间生成通知,但是将此功能包装在提供程序中将允许我稍后将其连接到数据库。
我有 3 种类型的通知:
public enum NotificationType
{
Success,
Error,
Info
}
和通知对象:
public class Notification
{
public NotificationType Type { get; set; }
public string Message { get; set; }
}
我想将所有通知放在List<Notification>
中并将其加载到ViewData["Notifications"]
然后,我可以使用帮助程序读取ViewData["Notifications"]
并呈现它:
我想实现我自己的通知提供程序,它将维护List<Notification>
对象。
我希望提供程序读取 TempData["通知"] 并将其加载到List<Notification> Notifications
变量中。然后,我可以将通知加载到 ViewData["通知"] 中供我的助手使用。
下面的代码不起作用,但我认为它显示了我正在尝试做什么。
public class NotificationProvider
{
public List<Notification> Notifications { get; set; }
private Controller _controller;
public NotificationProvider(Controller controller /* How to pass controller instance? */)
{
_controller = controller;
if (_controller.TempData["Notifications"] != null)
{
Notifications = (List<Notification>)controller.TempData["Notifications"];
_controller.TempData["Notifications"] = null;
}
}
public void ShowNotification(NotificationType notificationType, string message)
{
Notification notification = new Notification();
notification.Type = notificationType;
notification.Message = message;
Notifications.Add(notification);
_controller.TempData["Notifications"] = Notifications;
}
public void LoadNotifications()
{
_controller.ViewData["Notifications"] = Notifications;
}
}
在每个控制器中,一个通知提供程序实例:
public class HomeController
{
private NotificationProvider notificationProvider;
public HomeController()
{
notificationProvider = new NotificationProvider(/* Controller instance */);
notificationProvider.LoadNotifications();
}
}
问题:
如何将控制器实例传递给 NotificationProvider 类,以便它可以访问 TempData 和 ViewData 对象。或者,如果可能,如何直接从通知提供程序实例访问这些对象?
我认为你只想像那样传递这个。此外,从评论中返回,TempData 将仅在操作中可用:
public class HomeController
{
public ActionResult Index()
{
var notificationProvider = new NotificationProvider(this);
notificationProvider.LoadNotifications();
return View();
}
}