/*
* This example is from the book "Java Enterprise in a Nutshell".
* Copyright (c) 1999 by O'Reilly & Associates.
* You may distribute this source code for non-commercial purposes only.
* You may study, modify, and use this example for any purpose, as long as
* this notice is retained. Note that this example is provided "as is",
* WITHOUT WARRANTY of any kind either expressed or implied.
*/
import java.rmi.server.UnicastRemoteObject;
import java.rmi.RemoteException;
import java.util.List;
import java.util.ListIterator;
/**
* AccountImpl: Implementation of the Account remote interface.
*
* Example 3-2, Java Enterprise in a Nutshell, 1st ed.
* Author: Jim Farley
*/
public class AccountImpl extends UnicastRemoteObject implements Account {
// Our current balance
private float mBalance = 0;
// Name on account
private String mName = "";
// Create a new account with the given name
public AccountImpl(String name) throws RemoteException {
mName = name;
}
public String getName() throws RemoteException {
return mName;
}
public float getBalance() throws RemoteException {
return mBalance;
}
// Withdraw some funds
public void withdraw(float amt) throws RemoteException {
mBalance -= amt;
// Make sure balance never drops below zero
mBalance = Math.max(mBalance, 0);
}
// Deposit some funds
public void deposit(float amt) throws RemoteException {
mBalance += amt;
}
// Move some funds from another (remote) account into this one
public void transfer(float amt, Account src) throws RemoteException {
src.withdraw(amt);
this.deposit(amt);
}
// Make several transfers from other (remote) accounts into this one
public void transfer(List amts, List srcs) throws RemoteException {
ListIterator amtCurs = amts.listIterator();
ListIterator srcCurs = srcs.listIterator();
// Iterate through the accounts and the amounts to be
// transferred from each (assumes amounts are given as Float
// objects)
while (amtCurs.hasNext() && srcCurs.hasNext()) {
Float amt = (Float)amtCurs.next();
Account src = (Account)srcCurs.next();
// Make the transaction
this.transfer(amt.floatValue(), src);
}
}
}
|