一个类只有一个改变的理由。
定义-在这种情况下,责任被认为是改变的原因之一。
该原则指出,如果有两个原因需要更改一个类,则必须将功能分为两个类。每个类将只负责一项职责,如果将来我们需要进行一项更改,我们将在处理该类的班级中进行更改。当我们需要对职责更多的班级进行更改时,更改可能会影响与类其他职责相关的其他功能。
单一责任原则之前的代码
using System; using System.Net.Mail; namespace SolidPrinciples.Single.Responsibility.Principle.Before { class Program{ public static void SendInvite(string email,string firstName,string lastname){ if(String.IsNullOrWhiteSpace(firstName)|| String.IsNullOrWhiteSpace(lastname)){ throw new Exception("Name is not valid"); } if (!email.Contains("@") || !email.Contains(".")){ throw new Exception("电子邮件无效!"); } SmtpClient client = new SmtpClient(); client.Send(new MailMessage("Test@gmail.com", email) { Subject="请参加聚会!"}) } } }
单一责任原则后的守则
using System; using System.Net.Mail; namespace SolidPrinciples.Single.Responsibility.Principle.After{ internal class Program{ public static void SendInvite(string email, string firstName, string lastname){ UserNameService.Validate(firstName, lastname); EmailService.validate(email); SmtpClient client = new SmtpClient(); client.Send(new MailMessage("Test@gmail.com", email) { Subject = "请参加聚会!" }); } } public static class UserNameService{ public static void Validate(string firstname, string lastName){ if (string.IsNullOrWhiteSpace(firstname) || string.IsNullOrWhiteSpace(lastName)){ throw new Exception("Name is not valid"); } } } public static class EmailService{ public static void validate(string email){ if (!email.Contains("@") || !email.Contains(".")){ throw new Exception("电子邮件无效!"); } } } }