java 模拟器类调用接口参数

题目:已知有如下Animal抽象类和IAbility接口,请编写Animal子类Dog类与Cat类,并分别实现IAbility接口,另外再编写一个模拟器类Simulator调用IAbility接口方法,具体要求如下。
已有的Animal抽象类定义:

abstract class Animal{
    private String name;  //名字
    private int age;   //年龄
    
    public Animal(String name, int age) {
        this.name = name;
        this.age = age;
    }
    public String getName() {
        return name;
    }
    public void setName(String name) {
        this.name = name;
    }
    public int getAge() {
        return age;
    }
    public void setAge(int age) {
        this.age = age;
    }    
}

已有的IAbility接口定义:

interface IAbility{
    void showInfo();  //输出动物信息
    void cry();    //动物发出叫声
}

需要你编写的Dog子类:
实现IAbility接口

showInfo方法输出Dog的name、age,输出格式样例为:我是一只狗,我的名字是Mike,今年2岁(注意:输出结果中没有空格,逗号为英文标点符号)

cry方法输出Dog 的叫声,输出格式样例为:旺旺

需要你编写的Cat子类:
实现IAbility接口

showInfo方法输出Cat的name、age,输出格式样例为:我是一只猫,我的名字是Anna,今年4岁(注意:输出结果中没有空格,逗号为英文标点符号)

cry方法输出Cat 的叫声,输出格式样例为:喵喵

需要你编写的模拟器类Simulator:
void playSound(IAbility animal):调用实现了IAbility接口类的showInfo和cry方法,并显示传入动物的名字和年龄

已有的Main类定义:

public class Main {

    public static void main(String[] args) {
        Scanner input=new Scanner(System.in);
        IAbility animal=null;
        int type=input.nextInt();
        String name=input.next();
        int age=input.nextInt();
        if (type==1)
            animal=new Dog(name,age);
        else
            animal=new Cat(name,age);
        
        Simulator sim=new Simulator();
        sim.playSound(animal);
        input.close();
    }
}

/***请在这里填写你编写的Dog类、Cat类和Simulator类** */

请问:怎么在模拟器类Simulator中显示出传入动物的名字和年龄啊?

new Dog(name,age); new Cat(name,age); 这些分别是调用Dog和Cat的构造函数,构造函数接收两个参数,分别是name和age,再调用父类的构造函数,传入这两个变量。
如下代码,你再new Dog(name,age);时,动物就有名字和年龄了:

public class Dog extends Animal implements IAbility {
    public Dog (String name, int age) {
        super(name, age);
    }
    void showInfo() {
        System.out.println("我是一只狗,我的名字是" + getName() + ",今年" + getAge() + "岁");
    }
    void cry() {
        System.out.println("旺旺");
    }
}