美文网首页
面向对象

面向对象

作者: _拾年丶 | 来源:发表于2018-10-27 10:22 被阅读0次

    1.抽象类应用—模板方法模式

    模板方法模式(Templete Method):定义一个操作中的算法的骨架,而将一些可变补分的实现延迟到子类中。模板方法使得子类可以不改变一个算法的结构即可重新定义该算法的某些特定的步骤。

    例如:


    定义抽象类验证管理员 子类实现抽象方法

    2.接口应用—策略模式

    策略模式(Strategy Pattern ),定义了一系列算法,将每一种算法封装起来并可以相互替换使用,策略模式让算法独立于使用它的客户应用而独立变化。

    OO设计原则:
    1、面向接口编程(面向抽象编程)
    2、封装变化
    3、多用组合,少用继承

    代码示例:

    package com.test;
    public class test {
        public static void main(String[] args) {
            // TODO Auto-generated method stub
            User user = new User();
            user.setISave(new NetSave());
            user.add("users");
        }
    }
    interface ISave{
        public void Save(String data);
    }
    //文件类继承ISave接口,实现将数据保存到文件中
    class FileSave implements ISave{
        public void Save(String data) {
            System.out.println("保存到文件中..."+data);
        }
    }
    class NetSave implements ISave{
        @Override
        public void Save(String data) {
            // TODO Auto-generated method stub
            System.out.println("保存文件到网络中..."+data);
        }
    }
    abstract class BaseService{
        private ISave isave;
        public void setISave(ISave isave){
            this.isave = isave;
        }
        public void add(String data){
            System.out.println("检查数据合法性...");
            isave.Save(data);
            System.out.println("数据保存完毕");
        }
    }
     class User extends BaseService{    
    }
    

    3.简单工厂模式

    简单工厂模式是由一个工厂对象 决定创建出哪一种产品的示例。简单工厂模式是工厂模式家族中最简单实用的模式。

    package com.test;
    
    public class simplefactory {
        public static void main(String[] args) {
            //使用者和被使用者两者之间,耦合,产生了依赖,当被使用者改变时,会影响使用者
            //实用工厂模式来降低两者之间的依赖
            Product p = new ProductFactory().getProduct("Computer");
            p.work();
        }
    }
    
    //工厂类
    class ProductFactory{
        public Product getProduct(String name){
            if("Phone".equals(name)){
                return new Phone();
            }else if("Computer".equals(name)){
                return new Computer();
            }else{
                return null;
            }
        }
    }
    
    //工厂接口
    interface Product{
        public void work();
    }
    
    
    //手机
    class Phone implements Product{
        public void work(){
            System.out.println("手机开始工作了");
        }
    }
    
    
    //电脑
    class Computer implements Product{
        public void work() {
            System.out.println("电脑开始工作了");
        }
    }
    

    相关文章

      网友评论

          本文标题:面向对象

          本文链接:https://www.haomeiwen.com/subject/aysloftx.html