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

Java:用泛型指定类型的单个子类型

  •  0
  • Har  · 技术社区  · 6 年前

    我有一个接口叫做 DrawableSegment 以及实现该接口的多个类,例如 LineSegment PercentageSegment .

    我还有一门课叫 BarChart 例如 棒形图 Add(DrawableSegment segment)

    我想将其限制为实现该接口的同一类型的对象。所以我不想混在一起 LineSegments 具有 PercentageSegments ,如果我加上 线段 我希望其他的补充也被删除 线段 百分比段 百分比段 ,如果我尝试添加 线段 我想这是一个类型错误。

    2 回复  |  直到 6 年前
        1
  •  2
  •   MaxG    6 年前

    import java.util.ArrayList;
    import java.util.List;
    
    interface DrawableSegment {}
    
    class LineSegment implements  DrawableSegment {}
    
    class PercentageSegment implements  DrawableSegment {}
    
    class BarChart<T extends DrawableSegment> {
        private List<T> drawableSegments = new ArrayList<>();
    
        public void add(T drawableSegment) {
            this.drawableSegments.add(drawableSegment);
        }
    
        public List<T> getDrawableSegments() {
            return this.drawableSegments;
        }
    }
    
    public static void main(String[] args) {
        BarChart<LineSegment> barCharLineSegment = new BarChart<LineSegment>();
        barCharLineSegment.add(new LineSegment());
        barCharLineSegment.add(new PercentageSegment()); // Compiler Error: cannot be applied
    }
    
        2
  •  1
  •   Fullstack Guy    6 年前

    如果我正确理解了你的问题,你想在 ,意思是如果 LineSegment 而不是 PercentageSegment

    interface DrawableSegment {}
    
    class LineSegment implements  DrawableSegment {}
    
    class PercentageSegment implements  DrawableSegment {}
    
    class Barchart<T extends DrawableSegment> {
        List<DrawableSegment> drawableSegList = new ArrayList<>();
    
        public static void main(String[] args) throws IOException  {
           Barchart main = new Barchart();
           main.add(new LineSegment());
           System.out.println(main.getListSize());
           main.add(new LineSegment());
           System.out.println(main.getListSize());
           main.add(new PercentageSegment());
           System.out.println(main.getListSize());
        }
        public void add(T t){
            if(!drawableSegList.isEmpty() && drawableSegList.get(0).getClass() != t.getClass()){
                System.out.println("First element :"+ drawableSegList.get(0).getClass()+" Does not match next Element "+t.getClass());
                throw new RuntimeException();
            }
            drawableSegList.add(t);
        }
        public int getListSize(){
            return this.drawableSegList.size();
        }
    }