什么???
封装是将数据和函数捆绑到一个单元(即胶囊)中的过程,它还可以限制对某些数据/方法的访问。
它是 oop 的四大支柱之一,其他三者分别是继承、多态性和数据抽象。
为什么?
采取盲目假设并在所有地方继续使用封装会更容易,但了解原因很重要,这样您才能以正确的方式使用它。
让我们尝试通过查看示例任务来理解原因。
任务:
构建一个学生成绩计算器,
计算平均分确定学生是否失败或通过如果任何主题标记无效,则抛出错误 ( 100)
方案一:非封装方式
这个想法只是为了解决问题,所以我选择了过程式编程实现它的方式,我相信它可以显示出很好的对比并使问题看起来更明显。
type subject = "english" | "maths";interface istudent { name: string; marks: record;}// receive inputconst studentinput: istudent = { name: "john", marks: { english: 100, maths: 100, },};// step1: validate the provided marksobject.keys(studentinput.marks).foreach((subjectname) => { const mark = studentinput.marks[subjectname as subject]; if (mark > 100 || mark studentinput.marks[current as subject] + accumulator, 0);// step3: find the averageconst average = totalmarks / object.keys(studentinput.marks).length;// step4: find the resultconst boolresult = average > 40;// step 5: print resultconsole.log(boolresult);console.log(average);
登录后复制
解决方案 1 的问题:
这确实达到了预期的结果,但也存在一些与之相关的问题。仅举几例,
这里的每个实现都是全局可访问的,并且未来的贡献者无法控制其使用。数据和操作是分开的,因此很难追踪哪些函数影响数据。您必须仔细检查每一段代码才能了解调用的内容以及执行的一部分。随着逻辑的扩展,函数变得更难管理。由于紧密耦合,更改可能会破坏不相关的代码。
如何解决问题?
通过合并封装或通过执行以下两个步骤使其更加明显,
对数据和功能的受控访问将数据与行为捆绑
解决方案2:封装方式
type SubjectNames = "english" | "maths";interface IStudent { name: string; marks: Record;}class ResultCalculator { protected student: IStudent; constructor(student: IStudent) { this.student = student; } isPassed(): boolean { let resultStatus = true; Object.keys(this.student.marks).forEach((subject: string) => { if (this.student.marks[subject as SubjectNames] { if ( this.student.marks[subject as SubjectNames] 100 ) { throw new Error(`invalid mark`); } }); } private totalMarks() { return Object.keys(this.student.marks).reduce( (acc, curr) => this.student.marks[curr as SubjectNames] + acc, 0 ); } private subjectCount() { return Object.keys(this.student.marks).length; }}// Receive Inputconst a: IStudent = { name: "jingleheimer schmidt", marks: { english: 100, maths: 100, },};// Create an encapsulated objectconst result = new ResultCalculator(a);// Perform operations & print resultsconsole.log(result.isPassed());console.log(result.getAverage());
登录后复制
注意上述解决方案,
方法totalmarks、subjectcount、validatemarks 和成员变量student 不公开,只能由类对象使用。
2.数据学生与其每一个行为都捆绑在一起。
以上就是面向对象编程——封装的详细内容,更多请关注【创想鸟】其它相关文章!
版权声明:本文内容由互联网用户自发贡献,该文观点仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌抄袭侵权/违法违规的内容, 请发送邮件至253000106@qq.com举报,一经查实,本站将立刻删除。
发布者:PHP中文网,转转请注明出处:https://www.chuangxiangniao.com/p/2647122.html