GNU Smalltalk - Metody dziedziczenia i wiele parametrów / Konstruktorzy

Powiedz, że próbuję przetłumaczyć poniższe klasy Java na GNU Smalltalk:

public abstract class Account {

    protected String number;
    protected Customer customer;
    protected double balance;

    public abstract void accrue(double rate);

    public double balance() {
        return balance;
    }

    public void deposit(double amount) {
        balance += amount;
    }

    public void withdraw(double amount) {
        balance -= amount;
    }

    public String toString() {
        return number + ":" + customer + ":" + balance;
    }
}

public class SavingsAccount extends Account {

    private double interest = 0;

    public SavingsAccount(String number, Customer customer, double balance) {
        this.number = number;
        this.customer = customer;
        this.balance = balance;
    }

    public void accrue(double rate) {
        balance += balance * rate;
        interest += interest * rate;
    }

}

Staram się zrozumieć, jak mogę pisać metody / konstruktory, które przyjmują wiele parametrów. Oto co mam do tej pory:

Object subclass: Account [

    |number customer balance|

    balance [
        ^balance
    ]

    deposit: amount [
         balance := balance + amount
    ]

    withdraw: amount [
        balance := balance - amount
    ]

    asString [
        ^number asString, ':', customer asString, ':', balance asString
    ]

]

Account subclass: SavingsAccount [

    |interest|

    SavingsAccount class [
        new [ "add some sort of support for multiple arguments?"
           "call init"
        ]
    ]

    init [ "add some sort of support for multiple arguments?"
         interest := 0.
         balance := accountBalance.
         customer := accountCustomer.
         number := accountNumber
    ]

    accrue: rate [
        balance := balance + (balance * rate).
        interest := interest + (interest * rate)
    ]

]

Kilka pytań:

Jak mogę uczynić konto abstrakcyjną klasą w Smalltalk?Czy mam rację, zakładając, że wszystkie zmienne instancji konta są dostępne po imieniu w klasie SavingsAccount?Jak mogę zaimplementować coś, co naśladuje konstruktor wieloparametrowy w klasie Java SavingsAccount?

questionAnswers(1)

yourAnswerToTheQuestion