代码之家  ›  专栏  ›  技术社区  ›  R83nLK82

在单例设计模式上引发IOException

  •  0
  • R83nLK82  · 技术社区  · 7 年前

    我正在编写最初使用静态对象保存数据的代码。我意识到这是一种代码味道,并决定实现Singleton设计模式。

    我有一个对象抛出IOException,当它被声明为类变量时,我无法初始化它。我在下面附上了代码。

    非常感谢。

    import java.import java.util.List;
    import java.io.IOException;
    import java.util.ArrayList;
    
    public class DataStorage{
      private static List<Employee> empList = new ArrayList<Employee>();
      private static List<Manager> managerList = new ArrayList <Manager>();
      private static List<Dish> allDishes = new ArrayList<Dish>();
      private static List<Table> allTables = new ArrayList<Table>();
      private static Inventory inventory = new Inventory(); //Error is given in this line
    
      private DataStorage () {}
    
      public static List<Employee> getEmpList() {
          return empList;
      }
    
      public static List<Manager> getManagerList() {
          return managerList;
      }
    
        public static List<Dish> getAllDishes() {
            return allDishes;
        }
    
      public static List<Table> getAllTables() {
          return allTables;
      }
    
      public static Inventory getInventory() {
          return inventory;
      }
    
    }
    
    1 回复  |  直到 7 年前
        1
  •  0
  •   Elliott Frisch    7 年前

    第一,你的帖子不包含 Singleton -a 单身汉 确保类只有一个实例,而不是拥有所有这些实例 static 字段,可以是实例字段;因为只有一个实例 单身汉 。最后,既然你提到 Inventory 构造函数可能会引发 IOException 您可以懒洋洋地初始化该字段,并用try-catch将其包装起来。喜欢

    public final class DataStorage {
        private List<Employee> empList = new ArrayList<Employee>();
        private List<Manager> managerList = new ArrayList<Manager>();
        private List<Dish> allDishes = new ArrayList<Dish>();
        private List<Table> allTables = new ArrayList<Table>();
        private Inventory inventory = null;
    
        private static DataStorage _instance = new DataStorage();
    
        public static DataStorage getInstance() {
            return _instance;
        }
    
        private DataStorage() {
        }
    
        public List<Employee> getEmpList() {
            return empList;
        }
    
        public List<Manager> getManagerList() {
            return managerList;
        }
    
        public List<Dish> getAllDishes() {
            return allDishes;
        }
    
        public List<Table> getAllTables() {
            return allTables;
        }
    
        public Inventory getInventory() {
            if (inventory == null) {
                try {
                    inventory = new Inventory();
                } catch (IOException e) {
                    e.printStackTrace();
                }
            }
            return inventory;
        }
    }