HowTos

Aus Salespoint

(Unterschied zwischen Versionen)
Wechseln zu: Navigation, Suche
(Define a StatusMenuSheet for a SalesPoint)
(Alter a Shop's MenuSheet during runtime)
Zeile 2.258: Zeile 2.258:
</code>
</code>
-
====Alter a Shop's MenuSheet during runtime====  
+
====Alter a Shop's MenuSheet during runtime====
 +
 
 +
'''Description:'''
 +
Sometimes there are reasons to change a Shop's MenuSheet during runtime. But in the class Shop a method setMenuSheet(MenuSheet ms) like the one in the class SalesPoint doesn't exists. This makes it a little more complicate. It is necessary to get the Shop's frame, which is actually a MultiWindow. The class MultiWindow provides the necessary public void setMenuSheet(MenuSheet newMenuSheet) method.
 +
Like this it is possible to change the MenuSheet, whenever wanted.
 +
 
 +
'''ToDo:'''
 +
 
 +
# Get the Shop's frame, while casting it as a MultiWindow.
 +
# Create the new MenuSheet for the Shop.<br />(See also: [[#Define a MenuSheet]]).
 +
# Set the new MenuSheet on the MultiWindow.
 +
 
 +
'''Example Source Code:'''
 +
<code java>
 +
    1
 +
        DisplayShop displayShop = new DisplayShop();
 +
        MultiWindow multiWindow = (MultiWindow) displayShop.getShopFrame();
 +
 +
    2
 +
        MenuSheet menuShop = super.createShopMenuSheet();
 +
        // get the first menu bar
 +
        MenuSheet menuBar = (MenuSheet)menuShop.getTaggedItem(SHOP_MENU_TAG, false);
 +
        // create new MenuSheetItem
 +
        MenuSheetItem menuItemNew = new MenuSheetItem("Important", "Important_TAG",
 +
                new sale.Action()
 +
                {
 +
                  public void doAction (SaleProcess p, SalesPoint sp)
 +
                  {
 +
                      System.out.println("very important action!");
 +
                  }
 +
                });
 +
        // add it to the MenuSheet
 +
        menuBar.add(menuItemNew);
 +
 +
    3
 +
        multiWindow.setMenuSheet(menuShop);
 +
</code>
 +
 
====Create your own MenuSheet type====
====Create your own MenuSheet type====

Version vom 21:06, 5. Apr. 2009

The following so called "HowTos" will help you in developing with the SalesPoint framework by providing little examples and explanations for the most common framework components.

Inhaltsverzeichnis

Application Architecture

Shop

Implement a Shop

Description: The Shop is the central class of a SalesPoint application. You can run Processes on the Shop itself, you can add SalesPoints where you can run Processes too. The Shop provides a central MenuSheet, where important actions could be invoked (save, load, quit etc.). You may wish to change this MenuSheet in order to open SalesPoints or to offer additional user interaction. All sorts of central data should be stored here, like Catalogs, Stocks, Currencys, MoneyBags, UserManagers and other attributes that are of global use. It is important to make a singleton instance of Shop and declare it with the static Shop.setTheShop() method. If you need the Shop instance, call Shop.getTheShop(). Don´t try to use the instance, you can get in your Shops methods, because very unlovely runtime errors may be the result.

ToDo:

  1. Create a subclass of Shop.
  2. Add constructor to create singleton instance of Shop. You can initialize some data in the constructor
  3. For invoking the Shop, create a simple class with the public static void main (String[] noArgs) method.
  4. Therein create an instance of the Shop and initialize its attribute of the singleton Shop instance by the setTheShop(Shop TutorialShop) method. Furthermore call the start() method to start the Shop.
  5. The main class is also used to add a SalesPoint (or even more) to the Shop here.

Example Source Code:

Shop class:

import sale.AutoTimer;
import sale.CalendarTime;
import sale.Shop;
import sale.events.TimerEvent;
import sale.events.TimerListener;
1
public class ArchitectureShop extends Shop
{
2
public ArchitectureShop()
{
super();
 
CalendarTime calendarTime = new CalendarTime();
calendarTime.setTimeToCount(CalendarTime.SECOND);
AutoTimer autoTimer = new AutoTimer(calendarTime, (long) 992);
autoTimer.addTimerListener(new TimerListener()
{
public void onGoneAhead(TimerEvent timerEvent)
{
System.out.println(timerEvent.getTime());
}
 
public void onTimeSet(TimerEvent timerEvent)
{
 
}
 
public void onIntervalSet(TimerEvent timerEvent)
{
 
}
});
autoTimer.start();
}
}

Main class:

// necessary imports
import sale.Shop;
import application_architecture.ArchitectureSalesPoint;
import application_architecture.ArchitectureShop;
import display.DisplaySalesPoint;
3
public class Tutorial
{
 
public static void main(String[] args)
{
4
ArchitectureShop myTutorialShop = new ArchitectureShop();
Shop.setTheShop(myTutorialShop);
myTutorialShop.start();
5
myTutorialShop.addSalesPoint(new ArchitectureSalesPoint("ArchitectureSalesPoint"));
myTutorialShop.addSalesPoint(new DisplaySalesPoint("DisplaySalesPoint"));
}
 
}

React on adding and removing SalesPoints

Description: This is required whenever reaction on adding or removing SalesPoints is needed, such as manipulating menus or notifying SalesPoints already opened.

ToDo:

  1. Open the designated Shop class.
  2. Override the protected void onSalesPointAdded() and/or protected void onSalesPointRemoved() methods to react on the adding or removing. Be sure to synchronize your method with the one of the original Shop by first calling it's super.onSalesPoint....

Example Source Code:

1
public class ArchitectureShop extends Shop
{
.
.
.
2
protected void onSalesPointAdded(SalesPoint sp) {
super.onSalesPointAdded(sp);
. . . react on adding a SalesPoint . . .
}
 
protected void onSalesPointRemoved(SalesPoint sp) {
super.onSalesPointRemoved(sp);
. . . react on removing a SalesPoint . . .
}
 
}

SalesPoint

Implement a SalesPoint

Description: The SalesPoint is a part of the Shop. A Shop usually consists of one SalesPoint at least. SaleProcesses take place at a Point of Sale in most cases. They could be startet easily with the public void runProcess(SaleProcess p) method. The SalesPoint appeares in a seperate Frame, a JDisplayFrame. In the JTabbedPane of the Shop appeares the SalesPoints StatusDisplay. It could be used for different purposes. The FormSheets could be both added with MenuSheets, which could be used to start Processes or to open other SalesPoints or to close them.

ToDo:

  1. Create a class that extends SalesPoint
  2. Add the class constructor. You can also set the SalesPoints frame size here for example.
  3. Implement protected FormSheet getDefaultFormSheet() to define the SalesPoints FormSheet. Change the FormSheet content by adding a FormSheetContentCreator. This can be done by creating a subclass of FormSheetContentCreator.
  4. Implement protected MenuSheet getDefaultMenuSheet() to define the SalesPoints MenuSheet.

Example Source Code:

SalesPoint class:

// necessary imports
import java.awt.Rectangle;
 
import sale.FormSheet;
import sale.MenuSheet;
import sale.SalesPoint;
 
1
public class ArchitectureSalesPoint extends SalesPoint
{
 
2
public ArchitectureSalesPoint(String sPointName)
{
super(sPointName);
setSalesPointFrameBounds(new Rectangle(0, 0, 640, 480));
}
 
3
protected FormSheet getDefaultFormSheet()
{
FormSheet fs = new FormSheet("TutorialFormSheet",
new ArchitectureSPointFormSheetCC(), false);
return fs;
}
 
4
protected MenuSheet getDefaultMenuSheet()
{
return null;
}
 
}

FormSheetContentCreator class:

public class ArchitectureSPointFormSheetCC extends FormSheetContentCreator
{
 
protected void createFormSheetContent(FormSheet fs)
{
fs.removeAllButtons();
// add ui code here
}
}

Change quit behaviour

Description: A SalesPoint quit´s with a MessageForm, asking "Are you sure, you want to close this SalesPoint? YES/NO". If you want to change this behavior, overwrite the protected boolean onCanQuit() method.

ToDo:

  1. Open the designated SalesPoint class.
  2. Implement the protected boolean onCanQuit() method to change the quit behaviour. The return of true will close the SalesPoint against the return of false will keep the SalesPoint opened.

Example Source Code:

1
public class ArchitectureSalesPoint extends SalesPoint
{
2
protected boolean onCanQuit()
{
return true;
}
 
}

Processes

Implement a SalesProcess

Description: SalesProcesses are the implementation of a deterministic finite automat. It shall be deemed to be a vectored graph with nodes called Gates and edges called Transitions. Make sure that user interaction only takes place in Gates while Transitions should be rather short without any user interaction. The reason is that a Process could only be suspended at a Gate and so the Shop is only able to persistify the Process at a Gate. Often the display of a Gate is to be influenced by the user interaction before. In this case, Gates should be prepared with a Transition leading to this Gate. SaleProcesses could be startet in the Shop itself, but in most cases Processes take place in a SalesPointFrame and are startet from the SalesPoint.

ToDo:

  1. Create a subclass of SalesProcess.
  2. Add the constructor and therein call the super method to inherit from the Superclass, the SaleProcess. You can add any attribute to the constructor, most common is the Process' name.
  3. Every Process needs a starting Gate, the getInitialGate(). Add this method to the SaleProcess.

Define the UIGate itself and add the necessary FormSheet etc. (see related topics). A basic implementation of SaleProcess is now done.

  1. To start the SaleProcess you can add a button to your SalesPoint's FormSheet and therewith lead to an action that runs the Process on your SalesPoint. Therefore an action was defined that runs any SalesProcess on a SalesPoint by passing the relevant process and a possible necessary DataBasket. (This structure was for example used in the "Videoautomat" tutorial).

Example Source Code:

SaleProcess class:

1
public class ArchitectureProcess extends SaleProcess
{
2
public ArchitectureProcess(String sName) {
super(sName);
 
// your (initializing) code here
 
}
 
3
protected Gate getInitialGate()
{
UIGate uig_initial = new UIGate(null, null);
 
// set FormSheet and other necessary things
 
return uig_initial;
}
}

SalesPoint class and relevant:

4
// SalesPoint class:
// set the FormSheet and call FormSheetContentCreator
protected FormSheet getDefaultFormSheet()
{
FormSheet fs = new FormSheet("TutorialFormSheet",
new ArchitectureSPointFormSheetCC(), false);
return fs;
}
 
// FormSheetContentCreator class:
public class ArchitectureSPointFormSheetCC extends FormSheetContentCreator
{
 
protected void createFormSheetContent(FormSheet fs)
{
fs.removeAllButtons();
 
// add a button that calls the TutorialRunProcessAction for running the TutorialProcess
fs.addButton(
"Start Tutorial Process",
2,
new ArchitectureRunProcessAction(new ArchitectureProcess("TutorialProcess"), null));
 
}
}
 
// TutorialRunProcessAction:
public class ArchitectureRunProcessAction implements Action
{
 
private SaleProcess process;
private DataBasket basket;
 
public ArchitectureRunProcessAction(SaleProcess process, DataBasket basket)
{
this.process = process;
this.basket = basket;
}
 
public void doAction(SaleProcess p, SalesPoint spoint) throws Throwable
{
if(basket != null)
spoint.runProcess(process, basket);
else
spoint.runProcess(process);
}
 
}

Change quit behaviour

Description: If a Process should have a certain task before finishing, you have to change its quit behaviour. Therefore overwrite the method onFinished().

ToDo:

  1. Choose the SaleProcess you want to modify.
  2. implement the method protected void onFinished().
  3. add the code that should be run on quiting the process to the newly created method.

Example Source Code:

1
// SaleProcess class
public class ArchitectureProcess extends SaleProcess
{
2
// method to be overwritten
protected void onFinished()
{
3
// your code here
}
 
}

Change start behaviour

Description: If a Process should have a certain task after being resumed or started, you have to change its start behaviour. Therefore overwrite the method onResumeOrStart().

ToDo:

Choose the SaleProcess you want to modify. Implement the method protected void onResumeOrStart(boolean fIsResume). Add the code that should be run on starting/resuming the process to the newly created method.

Example Source Code:

1
// SaleProcess class
public class ArchitectureProcess extends SaleProcess
{
2
// method to be overwritten
protected void onStartOrFinish(boolean fIsResume)
{
3
// your code here
}
 
}

Define a UIGate

Description: Gates are a part of SalesProcesses. In contrast to normal Gates, UIGates are made for user interaction and can display FormSheets and MenuSheets. If you need to display something, use UIGates. Use JOptionPanes or JDialogs only to display short user interaction and information, because after serialisation they won´t be restored. If you want to incorporate a UIGate not as StartGate, it may be mandatory to affect the view of the UIGate during Process. In this case, you have to use a Transition.

ToDo:

  1. Select the SaleProcess where you want to define your UIGate.
  2. Implement a method that returns a Gate as the class UIGate implements Gate.
  3. Create an instance of UIGate. Set the attributes to null as they will be set later.
  4. Define a FormSheet for the UIGate and add a FormSheetContentCreator that modifies the FormSheet.Use any FormSheet-Class and modify the FormSheetContentCreator and possible data accordingly.Available FormSheet-Classes are: LogOnForm, LogTableForm, MsgForm, SingleTableFormSheet, TextInputForm, TwoTableFormSheet, UserTableFormSheet.
  5. Assign the recently instantiated FormSheet to the UIGate.
  6. Return the instance of UIGate.

Example Source Code:

1
public class ArchitectureProcess extends SaleProcess
{
2
protected Gate getTutorialInteractionGate()
{
3
UIGate uig_tutorial = new UIGate(null, null);
4
FormSheet fs_tutorial = new FormSheet("Tutorial", new ArchitectureSProcessFormSheetCC(), false);
5
uig_tutorial.setFormSheet(fs_tutorial);
6
return uig_tutorial;
}
 
}

Define a Gate

Description: Gates are a part of SalesProcesses. If you want to implement user interaction, use UIGates. Normal Gates are preferably used to decide at which UIGate the Process continues. They are also very suitable for the implementation of background Processes. If you need data to prepared before the Gate goes into action, implement a Transition to the Gate.

ToDo:

  1. Select the SaleProcess where you want to define your Gate.
  2. Implement a method that returns a Gate.
  3. Instantiate the Gate and add the needed public Transition getNextTransition(SaleProcess process, User user) throws InterruptedException method.
  4. Add your code that selects the next GateChangeTransition.
  5. Return the Gate.

Example Source Code:

1
public class ArchitectureProcess extends SaleProcess
{
2
protected Gate getTutorialNoInteractionGate()
{
3
Gate decisionGate = new Gate()
{
 
public Transition getNextTransition(SaleProcess process, User user)
throws InterruptedException
{
4
if(myCatalog.size(myDataBasket) == 0)
{
return GateChangeTransition.CHANGE_TO_QUIT_GATE;
}
else
{
return new GateChangeTransition(targetGate);
}
}
};
5
return decisionGate;
}
 
}

Define a Transition

Description: Transitions main task is to prepare Gates while the application is running. The idea is to manipulate the view of a Gate in order to react to user interaction or collected data of the past. It is possible to prepare normal Gates and UIGates as well.

ToDo:

  1. Create a class that implements Transition.
  2. In this class add the public Gate perform(SaleProcess process, User user) method. It's the place where the actions between two gates will be defined.
  3. Add your code to this method and return the Gate that will be the next target. Therefore you should cast the SaleProcess in the perform method to your Process class that currently calls the Transition. Then simply return the needed Gate from there.

Example Source Code:

Transition class:

1
public class ArchitectureTransition implements Transition
{
 
2
public Gate perform(SaleProcess process, User user)
{
 
3
ArchitectureProcess processTutorial = (ArchitectureProcess) process;
 
// your code here
 
return processTutorial.getReturnGate();
}
 
}

SalesProcess class:

public Gate getReturnGate()
{
UIGate uig_return = new UIGate(null, null);
 
// some other code
 
return uig_return;
}

Define Transition that just changes to a Gate

Description: During a running Process it may be volitional to change just to a Gate. This could be a not user interactive Gate, which has no Transition leading to it. It could be also an already prepared UIGate, to which you want to change after a "Back"-Button, when it should be not refreshed by the Transition. This might be the case, when the user interaction should be not erased.

ToDo:

  1. Use constructor of class GateChangeTransition: Transition t = new GateChangeTransition(Gate gTarget);.

Example Source Code:

// ...
Gate tmpGate0 = new Gate()
{
public Transition getNextTransition(SaleProcess process, User user)
throws InterruptedException
{
return new GateChangeTransition(targetGate);
}
};
// ...

Define Transition that changes to a special Gate

Description: There are six predefined Process Gates. All of them except the ErrorGate have a predefined Transition, leading to it.

  1. If you need the singelton instance of a special Process Gate, use the get-method of class SaleProcess:
    getCommitGate()
    getErrorGate(int nErrorNesting)
    getLogGate()
    getRollbackGate()
    getStopGate()
    getQuitGate()
  2. If you need a Transition, leading to a special Process Gate, use the static attributes of class GateChangeTransition:
    GateChangeTransition.CHANGE_TO_COMMIT_GATE
    GateChangeTransition.CHANGE_TO_LOG_GATE
    GateChangeTransition.CHANGE_TO_ROLLBACK_GATE
    GateChangeTransition.CHANGE_TO_STOP_GATE
    GateChangeTransition.CHANGE_TO_QUIT_GATE

Example Source Code:

// ...
Gate tmpGate1 = new Gate()
{
public Transition getNextTransition(SaleProcess process, User user)
throws InterruptedException
{
return GateChangeTransition.CHANGE_TO_QUIT_GATE;
}
};
// ...

Time Management

Incorporate a Timer

Description: A Timer is able to manage the current time in your application. A Timer needs a Time Object to be referenced on. If you want to react to different TimerEvents, you will have to incorporate a TimerListener. Time management in SalesPoint Framework is abutted on several Java classes:
java.util.Calendar
java.util.GregorianCalendar
java.util.Timer
java.util.TimerTask
java.util.TimeZone
java.sql.TimeStamp

ToDo:

  1. Create a new instance of Time. In this case CalendarTime is used. Set the time interval.
  2. Create a new instance of Timer. In this case AutoTimer is used.
  3. If you need, add a TimerListener and add the methods the class must inherit from the base class. Add your code to react to the events.
  4. Finally start the timer.

Example Source Code:

1
// initialize with current system time and increase time by second
CalendarTime calendarTime = new CalendarTime();
calendarTime.setTimeToCount(CalendarTime.SECOND);
 
2
// initialize Timer with CalendarTime and 992ms delay from step to step
(1000ms are too much, because the autotimer is delayed additionally)
AutoTimer autoTimer = new AutoTimer(calendarTime, (long) 992);
 
3
// if it becomes more complicate it will be clearer to realize
a subclass of TimerAdapter or to implement TimerListener
autoTimer.addTimerListener(new TimerListener()
{
public void onGoneAhead(TimerEvent timerEvent)
{
System.out.println(timerEvent.getTime());
}
 
public void onTimeSet(TimerEvent timerEvent)
{
 
}
 
public void onIntervalSet(TimerEvent timerEvent)
{
 
}
});
4
// start the timer
autoTimer.start();

Select a time type

Description: A Time Object is used by the Timer. It gives the Timer it´s certain shape. The Time Object defines which time field will be increased by goAhead method of the Timer. Choose the following timer types:

  • Date: "01.01.00" a simple date of the format: "dd.mm.yy".
  • Step: "26" a Long value is used to represent the time.
  • CalendarTime: "Sat Jul 20 15:38:53 CEST 2002" a time which is represented as a Gregorian Calendar.

ToDo:

  1. Create a new instance of Time. In this case CalendarTime is used. Set the time interval.

Example Source Code:

1
// initialize with current system time and increase time by second
CalendarTime calendarTime = new CalendarTime();
calendarTime.setTimeToCount(CalendarTime.SECOND);


Select a timer type

Description: A Timer is able to manage the current time in your application. It is referenced to a Time which gives the Timer it´s shape. Choose of following Timer types:

  • StepTimer: very simple implementation, is increased manually by goAhead() method.
  • AutoTimer: special step timer which inceases automatically with a certain time delay.

ToDo:

  1. Create a new instance of Timer. In this case AutoTimer is used.

Example Source Code:

1
// initialize Timer with CalendarTime and 992ms delay from step to step
(1000ms are too much, because the autotimer is delayed additionally)
AutoTimer autoTimer = new AutoTimer(calendarTime, (long) 992);

Common

Set default Databasket for SalesPoints

Description: This is required if processes executed on a SalesPoint are to run in a specific transactional context. The specified DataBasket will be attached to every process running on the SalesPoint and will determine its transactional context. By default, no DataBasket is attached to a SalesPoint so that processes run outside any transactional context.

ToDo: This can be achieved in several ways. In any case, you need to attach the DataBasket to the SalesPoint:

  1. a. Open the designated Shop class.
    b. Override the protected void onSalesPointAdded() method according to your needs.
  2. a. Open the designated SalesPoint class.
    b. Attach the DataBasket in it's constructor.

Example Source Code:

1 a
public class ArchitectureShop extends Shop
{
.
.
.
1 b
protected void onSalesPointAdded(SalesPoint sp) {
super.onSalesPointAdded(sp);
sp.attach(new DataBasketImpl());
}
 
}


2 a
public class ArchitectureSalesPoint extends SalesPoint
{
.
.
.
2 b
public ArchitectureSalesPoint(String sPointName, DataBasket db) {
super(sPointName);
attach(db);
}
 
}

Data Management

Catalog

Define a simple CatalogItem

Description: CatalogItems are Catalogs/SubCatalogs or items itself. They are meant to represent a named category of items and to be stored in a Catalog. It is often usefull to subclass CatalogItemImpl, but implementing the interface CatalogItem may also be necessary. This tutorial shows you a basic implementation of CatalogItemImpl for a simple CatalogItem.

ToDo:

  1. Create a subclass of CatalogItemImpl.
  2. Define the constructor. In this case the item will have a name and a value as the standard implementation of CatalogItemImpl offers. You have to invoke the super constructor either with name or name and value. Thus the simplest implementation of CatalogItemImpl would only have a name.
  3. You also have to implement the protected CatalogItemImpl getShallowClone() method that will return a copy of the current CatalogItemImpl. Simply instantiate a new CatalogItemImpl of your class and set the current values to the constructor.
  4. Additionally you can define a method for setting the items value.

Example Source Code:

import data.ooimpl.CatalogItemImpl;
 
1
public class DataBasicCatalogItem extends CatalogItemImpl
{
 
2
public DataBasicCatalogItem(String name, Value value)
{
super(name, value);
}
 
3
protected CatalogItemImpl getShallowClone()
{
return (CatalogItemImpl)
new DataBasicCatalogItem(this.getName(), this.getValue());
}
 
4
public void setValue(Value value)
{
this.setValue(value);
}
 
}

Define an advanced CatalogItem

Description: As shown in #Define a simple CatalogItem now a CatalogItemImpl will be defined with some more possibilities. Normally you will need more than just a name and a value for your item. You can define as many values as you want for your item, in this case there are two prices and a Catalog (you can nest as you want) defined in addition to the name. You can as well define values that not directly represent the item and you can add some helper/setter/getter methods as needed.

ToDo:

  1. Create a subclass of CatalogItemImpl.
  2. Define the variables for the additional values. price1, price2 and catalog are the values that directly represent the CatalogItem (and therefore later will be set in the constructor). comparePrice is an additional variable used for internal calculations and does not represent the item.
  3. Define the constructor and invoke the super constructor with the name. Assign the CatalogItem values as defined before.
  4. Implement the protected CatalogItemImpl getShallowClone() method and return a copy of your current CatalogItemImpl class.
  5. Sometimes it is needful to define a toString() method that will output the items values as string.
  6. You can calculate with your item variables and so define a get method for returning the sum of the two prices in this case.
  7. As mentioned before, comparePrice is not a representating variable of the item and thus not set by the items constructor. Define set-methods if you need to initialize your other variables.

Example Source Code:

1
public class DataAdvancedCatalogItem extends CatalogItemImpl
{
 
2
private int price1;
private int price2;
private Catalog catalog;
 
private int comparePrice;
 
3
public DataAdvancedCatalogItem(String name, int price1, int price2, Catalog catalog)
{
super(name);
this.price1 = price1;
this.price2 = price2;
this.catalog = catalog;
}
 
 
4
protected CatalogItemImpl getShallowClone()
{
return (CatalogItemImpl)
new DataAdvancedCatalogItem(this.getName(), this.price1, this.price2, this.catalog);
}
 
5
public String toString()
{
return this.getName() + "-" + this.price1 + "-" +
this.price2 + "-" + this.catalog.getName();
}
 
6
public int getSum()
{
return (this.price1 + this.price2);
}
 
7
public void setComparePrice(int value)
{
this.comparePrice = value;
}
 
}

Incorporate a Catalog

Description: An important data structure is the Catalog. It provides all what is needed to store and administrate the Shop´s goods. It is also easy to display a Catalog´s contents with already implemented FormSheets, the JCatalogTable and the DefaultCatalogItemTED for example. The use of CatalogImpl, the implementation of the interface Catalog is recommended.

ToDo:

  1. Create a new instance of CatalogItemImpl.
  2. Define a fitting subclass of CatalogItemImpl and add it to the newly created CatalogImpl. Therefore refer to Define a simple CatalogItem or Define an advanced CatalogItem.
    In this case the simple CatalogItemImpl from above is used.
    Assign an instance of DataBasket if the addition to the catalog is performed within a SaleProcess.
  3. Add the catalog to the shop's global list of catalogs.
  4. If you remove an item do not forget to catch the VetoException that can be possible if another process currently handles the catalog.

Example Source Code:

1
Catalog<DataBasicCatalogItem> simpleCatalog = new CatalogImpl<DataBasicCatalogItem>(SimpleCatalog);
 
2
simpleCatalog.add(
new DataBasicCatalogItem("item1", new IntegerValue(10)),
null);
 
3
Shop.getTheShop().addCatalog(simpleCatalog);
 
4
try
{
simpleCatalog.remove("item1", null);
}
catch (VetoException e)
{
e.printStackTrace();
}

Define a new AbstractCurrency

Description: EUROCurrencyImpl provides the recent german currency EURO. If you want to incorporate a new currency you will have two alternatives. You may implement interface Currency extending CatalogImpl and make your own implementation of CurrencyImpl. But this would force you to define your own MoneyBag extending CountingStockImpl, because MoneyBagImpl needs an instance of CurrencyImpl in it´s constructor. Second alternative is create a subclass of AbstractCurrency and to overwrite the key methods like done here.

ToDo:

  1. Create a subclass of AbstractCurrency.
  2. Add the currency's constructor and invoke the super constructor with the fitting Locale.
  3. Implement the protected CurrencyItemData[] getCurrencyItemData() method. Therein you define the names and values of your currency as CurrencyItemData.

Example Source Code:

1
public class DataAbstractCurrency extends AbstractCurrency
{
 
2
public DataAbstractCurrency(String name)
{
super(name, Locale.GERMANY);
}
 
3
protected CurrencyItemData[] getCurrencyItemData()
{
CurrencyItemData[] currencyArrayReturn =
{
 
// add CurrencyItemData with name and value
new CurrencyItemData("1-Bronze-Taler", 10),
new CurrencyItemData("1-Silber-Taler", 100),
new CurrencyItemData("1-Gold-Taler", 1000)
};
return currencyArrayReturn;
}
 
}

Incorporate a Currency

Description: A Currency is a special Catalog. Its CatalogItems are CurrencyItems that represent the different denominations of the Currency.

ToDo:

  1. Eventually create a new Currency. Therefore refer to Define a new AbstractCurrency.
  2. Create a new instance of CurrencyImpl. In this case the above defined CurrencyEuro class was used.
  3. Add the currency to the Shop's global list of catalogs.

Example Source Code:

2
AbstractCurrency abstractCurrency = new DataAbstractCurrency("SimpleCurrency");
 
3
Shop.getTheShop().addCatalog(abstractCurrency);

DataBasket

Use a DataBasket

Description: The task of this data structure is to backup transactions between framework components. It enables undo actions called RollBack. Remember that DataBaskets can't undo actions with components which doesn´t belong to the framework. This components have to be restored manually. To ensure that a framework component is able to be rolled back, the protected getShallowClone() method of the Item will have to be overwritten if the Item has additional attributes (Note: Be careful with the clone method, mistakes could be hard to detect). Use the public get(String sKey, DataBasket db, boolean fForEdit) method implemented in Catalog and Stock to get the Item which is to be modified. A DataBasket could be displayed like Catalogs and Stocks with the JDataBasketTable, the DefaultCatalogItemDBETableEntryDescriptor , the DefaultCountingStockDBETableEntryDescriptor and the DefaultStoringStockDBETableEntryDescriptor.

ToDo:

  1. Make a new instance of DataBasket or use the relevant of your class. In this case the use is implemented in a SaleProcess so the DataBasket of the process is used by getBasket().
  2. Get the object to be modified. In this case we first get the catalog and then the desired item.
    (the structure of Incorporate a Catalog and Define a simple CatalogItem is used)
  3. Modifiy the item.
  4. If you want to keep the changes, commit the DataBasket by calling basket.commit(). This will force the basket to go through the Commit-Gate and commit the modifications. If you do not want to keep the changes, rollback the DataBasket by calling basket.rollback(). This will force the basket to go through the RollBack-Gate and rollback the modifications.

Example Source Code:

1
final DataBasket basket = this.getBasket();
 
2
// get the catalog from the shop's global list of catalogs
final Catalog catalog = Shop.getTheShop().getCatalog("SimpleCatalog");
 
// define the CatalogItemImpl and set to null
DataBasicCatalogItem item = null;
 
// get the item with the DataBasket "watching" the action
try
{
item = (DataBasicCatalogItem) catalog.get("item1", basket, true);
}
 
// catch the relevant exceptions
catch(VetoException ve)
{
// exception handling here
}
catch(NotEditableException nee)
{
// exception handling here
}
catch(DataBasketConflictException dbce)
{
// exception handling here
}
 
3
item.setValue(new IntegerValue(99));
 
4
// decide whether to commit or to rollback (doCommit is ot type boolean)
if(doCommit)
{
// commit the changes
basket.commit();
}
else
{
// rollback the changes
basket.rollback();
}

Use a DataBasketCondition

Description: DataBasketConditions are important to display the contents of a DataBasket in a FormSheet (e.g. JDataBasketTable). They could also be used to summ the content's values using public Value sumBasket(DataBasketCondition dbc, BasketEntryValue bev, Value vInit). The already implemented DataBasketConditionImpl provides all what is needed.

ToDo:

  1. There are three ways to use a DataBasketCondition:
    1. Use the constructor to create an instance of DataBasketConditionImpl.
    2. Use the provided static fields:
      • ALL_CATALOG_ITEMS
      • ALL_STOCK_ITEMS
      • ALL_ENTRIES
    3. Use provided static methods to get the needed instance:
      • allCatalogItemsWithDest(Catalog cDest)
      • allCatalogItemsWithSource(Catalog cSource)
      • allStockItemsWithDest(Stock stDest)
      • allStockItemsWithSource(Stock stSource)
      • specificCatalogItem(CatalogItem ci)
      • specificStockItem(StockItem si)

Example Source Code:

DataBasketCondition dbc;
1 a
dbc = new DataBasketConditionImpl(
// filters entries of a certain kind
// (DataBasketKeys.CATALOG_ITEM_MAIN_KEY, DataBasketKeys.STOCK_ITEM_MAIN_KEY)
(String) mainKey,
 
// filters Entrys with given name ((StockItem) si).getName()
(String) secondaryKey,
 
// filters Entrys from given source (Catalog or Stock)
(DataBasketEntrySource) dbesSource,
 
// filters Entrys from given destination (Catalog or Stock)
(DataBasketEntryDestination) dbedDestination,
 
// filters only given object (if it is null, all DataBasketEntrys will be checked)
(Object) value);
 
1 b
dbc = DataBasketConditionImpl.ALL_CATALOG_ITEMS;
1 c
dbc = DataBasketConditionImpl.allCatalogItemsWithSource(catalog);

Create a DataBasketEntryGrouper

Description: DataBasketEntryGroupers are important to display the contents of a DataBasket in a FormSheet. Every movement creates a new DataBasketEntry. So it could happen, that one CatalogItem for example has created many CatalogItemDataBasketEntrys in the DataBasket. If you want to display a DataBasket with DBEntrys of StockItems in a CountingStock, the already implemented CountingStockDBEGrouper will be sufficent. If you don´t want grouping at all, use the NOPDataBasketEntryGrouper. If you want to implement your own grouping, follow the instructions.

ToDo:

  1. Implement the interface DataBasketEntryGrouper in a class.
  2. Implement the method public boolean canGroup(DataBasketEntry dbe0, DataBasketEntry dbe1).
    Here you have to decide which DataBasketEntrys should be grouped and which not.
  3. Implement the method public DataBasketEntry group(DataBasketEntry dbe0, DataBasketEntry dbe1).
    Here you have to implement how two DataBasketEntrys merge into one Entry.

Example Source Code:

import data.swing.DataBasketEntryGrouper;
import data.DataBasketEntry;
 
1
public class DataDataBasketEntryGrouper implements DataBasketEntryGrouper
{
 
2
public boolean canGroup(DataBasketEntry dbe0, DataBasketEntry dbe1)
{
// items of same kind (MainKey) and same name (SecondaryKey) can be grouped
if(dbe0.getMainKey().equals(dbe1.getMainKey()) &&
dbe0.getSecondaryKey().equals(dbe1.getSecondaryKey()))
{
return true;
}
else
{
return false;
}
}
 
3
public DataBasketEntry group(DataBasketEntry dbe0, DataBasketEntry dbe1)
{
// the first item will be displayed for both
return dbe0;
}
 
}

Filter

Incorporate a CatalogFilter on a Catalog

Description: A CatalogFilter is a Catalog itself, in which defined elements are filtered. This CatalogFilter could be used in the same way as a normal Catalog.

ToDo:

  1. Create a subclass of CatalogFilter.
  2. Add the constructor and invoke the super constructor.
  3. Implement the protected boolean match(CatalogItem ci) method. It determines for each CatalogItem, whether it will be in the CatalogFilter or not.
  4. Make an instance of your CatalogFilter where you want to use it.
    Use it instead of the source catalog, where you only want the unfiltered items. But do not use a CatalogFilter as a replacement for a 'real' Catalog, e.g., as an item in another Catalog.

Example Source Code:

CatalogFilter class:

1
public class DataCatalogFilter extends CatalogFilter<DataBasicCatalogItem>
{
 
2
public DataCatalogFilter(Catalog<DataBasicCatalogItem> originalCatalog)
{
super(originalCatalog);
}
 
3
protected boolean match(DataBasicCatalogItem catalogItem)
{
if (catalogItem.getName().equals("Item which is unfiltered"))
return true;
else
return false;
}
 
}

class that uses the CatalogFilter:

4
DataCatalogFilter dataCatalogFilter = new DataCatalogFilter(Shop.getTheShop().getCatalog(SimpleCatalog));

Incorporate a CountingStockFilter on a CountingStock

Description: A CountingStockFilter is a CountingStock itself, in which a certain number of elements are filtered. Thereby the public int countItems(String key, DataBasket dataBasket) defines which items should be displayed or not. This CountingStockFilter could be used in the same way as a normal CountingStock.

ToDo:

  1. Create a subclass of CountingStockFilter.
  2. Add the constructor and invoke the super constructor.
  3. Implement the public int countItems(String key, DataBasket basket) method.
    It determines how many items of the StockItem with the key key will be in the CountingStockFilter.
  4. Implement the public Object clone() method that will return a copy of the filter.
  5. Make an instance of your CountingFilter where you want to use it.
    Use it instead of the source stock, where you only want the unfiltered items.

Example Source Code:

CountingStockFilter class:

1
public class DataCountingStockFilter extends CountingStockFilter<StockItem, CatalogItem>
{
 
2
public DataCountingStockFilter(CountingStock<StockItem, CatalogItem> sourceStock)
{
super(sourceStock);
}
 
3
public int countItems(String key, DataBasket dataBasket)
{
// create iterator for all StockItems with the given key
Iterator iterator = m_stSource.get(key, dataBasket, false);
 
// instantiate a number for the items which should not be filtered
int number = 0;
 
// search for items that should not be filtered by iterating through the StockItems
StockItem stockItem;
while (iterator.hasNext())
{
stockItem = (StockItem) iterator.next();
if(stockItem.getName().equals("Item which is unfiltered"))
number ++;
}
return number;
}
 
4
public Object clone()
{
DataCountingStockFilter dataCountingStockFilter =
new DataCountingStockFilter((CountingStock<StockItem, CatalogItem>) m_stSource.clone());
return dataCountingStockFilter;
}
 
}

class that uses the CountingStockFilter:

5
DataCountingStockFilter dataCountingStockFilter =
new DataCountingStockFilter((CountingStock<StockItem, CatalogItem>)
Shop.getTheShop().getStock(CountingStock));

Incorporate a CurrenyFilter on a Currency

Description: A CurrencyFilter is a Currency itself, in which defined elements are filtered. The procedure is very similar to Incorporate a CatalogFilter on a Catalog. This CurrencyFilter could be used in the same way as a normal Currency.

ToDo:

  1. Create a subclass of CurrenyFilter.
  2. Add the constructor and invoke the super constructor.
  3. Implement the protected boolean match(CatalogItem catalogItem) method.
    It determines for each CurrencyItem, whether it will be in the CurrencyFilter or not.
  4. Make an instance of your CurrenyFilter where you want to use it.
    Use it instead of the source catalog, where you only want the unfiltered items.

Example Source Code:

CurrenyFilter class:

1
public class DataCurrencyFilter extends CurrencyFilter<CurrencyItem>
{
 
2
public DataCurrencyFilter(Currency<CurrencyItem> currency)
{
super(currency);
}
 
3
protected boolean match(CurrencyItem item)
{
// all notes and coins less worth than 5 Euro are filtered out
if(((NumberValue)item.getValue()).getValue().intValue() < 500)
return false;
else
return true;
}
 
}

class that uses the CurrencyFilter:

4
DataCurrencyFilter dataCurrencyFilter = new DataCurrencyFilter((Currency<CurrencyItem>)Shop.getTheShop().getCatalog(EuroCatalog));

Incorporate a MoneyBagFilter on a MoneyBag

Description: A MoneyBagFilter is a MoneyBag itself, in which a certain number of coins and notes are filtered. This MoneyBagFilter could be used in the same way as a normal MoneyBag.

ToDo:

  1. Create a subclass of MoneyBagFilter.
  2. Add the constructor and invoke the super constructor.
  3. Implement the public int countItems(String key, DataBasket dataBasket) method.
    It determines how money items of the MoneyBag will be in the MoneyBagFilter.
  4. Implement the public Object clone() method that returns a copy of the filter.
  5. Make an instance of your MoneyBagFilter where you want to use it.
    Use it instead of the source MoneyBag, where you only want the unfiltered items.

Example Source Code:

MoneyBagFilter class:

1
public class DataMoneyBagFilter extends MoneyBagFilter
{
 
2
public DataMoneyBagFilter(MoneyBag moneyBag)
{
super(moneyBag);
}
 
3
public int countItems(String key, DataBasket dataBasket)
{
// get the item codes of the currency (EUROCurrencyImpl is used here)
int currencyItemCode = -1;
AbstractCurrency euroCurrency = new EUROCurrencyImpl("Euro_Catalog");
CurrencyItemData[] euroData = euroCurrency.getCurrencyItemData();
for(int i = 0; i < euroData.length; i++)
{
if (((CurrencyItemData) euroData[i]).getName().equals(key))
{
currencyItemCode = i;
}
}
 
// filter all item less worth than 5 Euro
if (currencyItemCode == -1)
{
return 0;
}
else
{
if (((CurrencyItemData) euroData[currencyItemCode]).getValue() < 500)
return 0;
else
return m_stSource.countItems(key, dataBasket);
}
}
 
4
public Object clone()
{
return new DataMoneyBagFilter((MoneyBag) m_stSource.clone());
}
 
}

class that uses the MoneyBagFilter:

5
DataMoneyBagFilter dataMoneyBagFilter = new DataMoneyBagFilter((MoneyBag) Shop.getTheShop().getCatalog("MoneyBag"));

Incorporate a StoringStockFilter on a StoringStock

Description: A StoringStockFilter is a StoringStock itself, in which defined elements are filtered. This StoringStockFilter could be used in the same way as a normal StoringStock.

ToDo:

  1. Create a subclass of StoringStockFilter.
  2. Add the constructor and invoke the super constructor.
  3. Implement the public boolean contains(StockItem stockItem, DataBasket dataBasket) method.
    It determines for each StockItem if it will be in the StoringStockFilter or not.
  4. Implement the public Object clone() method that returns a copy of the filter.
  5. Make an instance of your StoringStockFilter where you want to use it.
    Use it instead of the source StoringStock, where you only want the unfiltered items.

Example Source Code:

StoringStockFilter class:

1
public class DataStoringStockFilter extends StoringStockFilter<StockItem, CatalogItem>
{
 
2
public DataStoringStockFilter(StoringStock<StockItem, CatalogItem> sourceStock)
{
super(sourceStock);
}
 
3
public boolean contains(StockItem stockItem, DataBasket dataBasket)
{
if(stockItem.getName().equals("Item which is unfiltered"))
return true;
else
return false;
}
 
4
public Object clone()
{
return new DataStoringStockFilter((StoringStock<StockItem, CatalogItem>) m_stSource.clone());
}
 
}

class that uses the StoringStockFilter:

5
DataStoringStockFilter dataStoringStockFilter =
new DataStoringStockFilter((StoringStock<StockItem, CatalogItem>) Shop.getTheShop().getStock(StoringStock));

Stock

Define a StockItem

Description: StockItems are Stocks (more precisely: SubStocks) or items itself. If they are used in a CountingStock, they'll be the representation of a certain amount of items of a special category. If they are used in a StoringStock, they'll represent an individual item of a special category. It is often usefull to make a subclass of StockItemImpl, but implementing the interface StockItem may also be necessary. If you wanted to use a CountingStock, you may make an instance of StockItemImpl itself.

ToDo:

  1. Create a subclass of StockItemImpl.
  2. Add constructors to set the items name and other attributes.Every constructor must invoke super(name), therefore a StockItem has to have a name.
  3. Add other useful methods.

Example Source Code:

1
public class DataStockItem extends StockItemImpl
{
 
2
public DataStockItem(String name)
{
super(name);
}
 
3
public void setOwner(User user)
{
this.setOwner(user);
}
 
public User getOwner()
{
return this.getOwner();
}
 
}

Fill a Stock with Values

Description: Every Stock implements the public method FillStockWithValue(DataBasket db, Value vTarget, StockFromValueCreator sfvc). With this method, a CountingStock can be filled with a certain Value by using the DefaultCountingStockFromValueCreator. An existing Stock can be filled with the contents of another Stock by using a StockFromStockCreator. The transaction will be canceled, if the StockFromValueCreator doesn't find enough fitting items to fill the Stock with the certain Value. If backtracking is needed to guarantee that a solution will be found if there is one, use StockFromStockCreatorBT. These three implementations of the interface StockFromValueCreator are sufficient in most cases.

ToDo:

  1. Make a new instance of your used implementation of Stock (or select an existing instance of Stock).
  2. Use Stock.fillStockWithValue(DataBasket db, Value vTarget, StockFromValueCreator sfvc) to fill selected Stock with a certain Value.
  3. Use the implementation StockFromStockCreator, if you want to fill one Stock with the Values of another Stock (the needed items will be removed from the second Stock).

Example Source Code:

// first define an AbstractCurrency for the Moneybags
AbstractCurrency euroCurrency = new EUROCurrencyImpl("Euro-Catalog");
Shop.getTheShop().addCatalog(euroCurrency);
 
1
// create a new MoneyBag and add to Shop
MoneyBagImpl moneyBag1 = new MoneyBagImpl("MoneyBag1", euroCurrency);
Shop.getTheShop().addStock(moneyBag1);
 
2
// fill the MoneyBag with 357, 12 Euros
moneyBag1.fillStockWithValue((DataBasket) null,
new IntegerValue(35712),
new DefaultCountingStockFromValueCreator(
new CatalogItemValue())
);
 
1
// create a new MoneyBag and add to Shop
MoneyBagImpl moneyBag2 = new MoneyBagImpl("MoneyBag2", euroCurrency);
Shop.getTheShop().addStock(moneyBag2);
 
3
// fill the second Stock with items of the first
// using StockFromValueCreator with BackTracking
moneyBag2.fillStockWithValue((DataBasket) null,
new IntegerValue(17854),
new StockFromStockCreatorBT(
(Stock) moneyBag1,
new CatalogItemValue())
);

Incorporate a CountingStock on a Catalog

Description: This data structure is meant to count the number of entrys in the associated Catalog. It should be preferred if it was not important to remember differences between single items of a category. The CountingStock could be displayed in the same way as the Catalog itself. The use of CountingStockImpl, the implementation of the interface CountingStock, is sufficient in most cases.

ToDo:

  1. Get the instance of Catalog you want to incorporate a CountingStock on.
    (See also: #Incorporate a Catalog).
  2. Make a new instance of CountingStock associated with the Catalog.
  3. Define (if necessary) a fitting subclass of StockItemImpl.
    (See also Define a #StockItem).
    1. Add and remove StockItems as you wish.
    2. It is not always necessary to add StockItems, but it may also sufficient only to increase the number of counted CatalogItems.
  4. Add the Stock to the Shop's global list of stocks.

Example Source Code:

1
Catalog<DataBasicCatalogItem> catalog = Shop.getTheShop().getCatalog(SimpleCatalog);
 
2
CountingStock<StockItemImpl, DataBasicCatalogItem> countingStock =
new CountingStockImpl<StockItemImpl, DataBasicCatalogItem>(
"simpleCatalogCS",
catalog);
 
4 a
for(int i = 0; i < 5; i++)
{
countingStock.add(new StockItemImpl("Screw"), (DataBasket) null);
}
 
4 b
countingStock.add("Screw Nut", 5, (DataBasket) null);
 
5
Shop.getTheShop().addStock(countingStock);

Incorporate a StoringStock on a Catalog

Description: This data structure is meant to store individual representations of entrys in the associated Catalog. In contrast to the CountingStock it is meant to remember the differences between the StockItems. The StoringStock could be displayed in the same way as the Catalog itself. Using StoringStockImpl, the implementation of the interface StoringStock, is sufficient in most cases.

ToDo:

  1. Get the instance of Catalog you want to incorporate a StoringStock on.
    (See also: #Incorporate a Catalog).
  2. Make a new instance of StoringStock associated with the Catalog.
  3. Define a fitting subclass of StockItemImpl.
    (See also: Define a #StockItem).
  4. Add and remove StockItems as you wish.
  5. Add the Stock to the Shop's global list of stocks.

Example Source Code:

1
Catalog<DataBasicCatalogItem> catalog = Shop.getTheShop().getCatalog(SimpleCatalog);
 
2
StoringStock<StockItemImpl, DataBasicCatalogItem> storingStock =
new StoringStockImpl<StockItemImpl, DataBasicCatalogItem>("simpleCatalogSS", catalog);
 
4
for(int i = 0; i < 5; i++)
{
storingStock.add(new StockItemImpl("Shoes"), (DataBasket) null);
}
 
5
Shop.getTheShop().addStock(storingStock);

Incorporate a MoneyBag on a Currency

Description: This data structure is meant to count the number of coins and notes in the associated Currency. It is a special CountingStock on a special Catalog. The use of MoneyBagImpl, the implementation of the interface MoneyBag, is sufficient in most cases.

ToDo:

  1. Get the instance of AbstractCurrency you want to incorporate a MoneyBag on.
  2. Make a new instance of MoneyBag associated with the Currency.
  3. Add the MoneyBag to the Shop's global list of stocks.
  4. Add and remove coins and notes as you wish.

Example Source Code:

1
AbstractCurrency euroCurrency = new EUROCurrencyImpl("Euro_Catalog");
 
2
MoneyBagImpl moneyBag = new MoneyBagImpl("MoneyBag", euroCurrency);
 
3
Shop.getTheShop().addStock(moneyBag);
 
4
for(int i=0; i < euroCurrency.getCurrencyItemData().length; i++)
{
moneyBag.add((euroCurrency.getCurrencyItemData())[i].getName(), 5, (DataBasket) null);
try
{
moneyBag.remove(
(euroCurrency.getCurrencyItemData())[i].getName(),
5,
(DataBasket) null);
}
catch (VetoException e)
{
e.printStackTrace();
}
}

Common

Common information about generic SalesPoint containers

Description:

Since Version 3.3, SalesPoint containers are generic. In order to use this functionality most conveniently, there are special identifiers that store the generic information. So the developer will not have to take care of casting to appropriate container types. Container types in SalesPoint are Catalogs and Stocks.

Catalogs: Catalogs are typed by the kind of CatalogItem they will contain. The same goes for their identifiers.

CatalogIdentifier<DataBasicCatalogItem> SimpleCatalog = new CatalogIdentifier<DataBasicCatalogItem>("SimpleCatalog");
Catalog<DataBasicCatalogItem> simpleCatalog = new CatalogImpl<DataBasicCatalogItem>(SimpleCatalog);

Once they are created you can register them with the Shop and get them back with the identifier they were created with:

Shop.getTheShop().addCatalog(simpleCatalog);
Catalog<DataBasicCatalogItem> catalog = Shop.getTheShop().getCatalog(SimpleCatalog);

Stocks:

Catalogs are typed by the kind of StockItem they will contain and the kind of CatalogItem the Catalog contains that is associated with the stock. The same goes for their identifiers.

StockIdentifier<StockItemImpl, DataBasicCatalogItem> Stock = 
new StockIdentifier<StockItemImpl, DataBasicCatalogItem>("CountingStock");
CountingStock<StockItemImpl, DataBasicCatalogItem> stock =
new CountingStockImpl<StockItemImpl, DataBasicCatalogItem>(Stock, simpleCatalog);

Once they are created you can register them with the Shop and get them back with the identifier they were created with in a similar manner as you can do that with Catalogs.

As you can see (especially in the case of Stocks), setting these up can easily get quite extensive. Therefore it is recommended to derive your own classes from CatalogImpl, CountingStockImpl and/or StoringStockImpl and fit their generic parameters to your needs. You simply have to implement the constructor that takes the corresponding identifier and delegate it to the super constructor.

Display

FormSheet

Create a FormSheet

Description: Although it is quite easy to initialize and display a FormSheet, it is a bit difficult to describe how to do it because of the vast opportunities to display them and the many possibilities to use the FormSheets and combine them with Components or even JComponents. The first thing you should do before you create your own FormSheet is to consult the framework API and take a closer look at FormSheet. There you will find all methods and of course the subClasses of FormSheet, like the LogOnForm, the MsgForm or the TableForms, which are all specialized FormSheets of great use. Talking about the elements, every FormSheet needs a caption, which is normally defined by calling the constructor and at least some JComponents to display. These can be put together either by a FormSheetContentCreator or by creating and overwriting methods within a new FormSheet instance before or using it's methods during runtime. It is though recommended to use the ContentCreator as shown in this example, for it is able to serialize the Components and all their properities, esp. their behaviour, which will be lost if you just use FormSheet methods and serialize the Shop's status.

ToDo:

  1. Instantiate a subclass of FormSheetContentCreator.
  2. Add the constructor and call the superclass to inherit its methods.
  3. Add the protected void createFormSheetContent(FormSheet fs) method and therein add/remove your components to the FormSheet.
  4. Add the FormSheetContentCreator to your FormSheet class by calling the method addContentCreator(FormSheetContentCreator or by initializing in the constructor.

Example Source Code:

FormSheetContentCreator class:

1
public class DisplayFormSheetContentCreator extends FormSheetContentCreator
{
 
2
public DisplayFormSheetContentCreator()
{
super();
}
 
3
protected void createFormSheetContent(FormSheet fs)
{
// add/remove your components here
fs.removeAllButtons();
fs.addButton("TutorialButton", 1, new ArchitectureCustomAction());
}
}

Class that uses a FormSheet:

4
// adding the FormSheetContentCreator in FormSheet constructor
FormSheet fs = new FormSheet("DisplayFormSheet",
new DisplayFormSheetContentCreator(),
false);
 
// adding the FormSheetContentCreator by using the addContentCreator method
SingleTableFormSheet fs = SingleTableFormSheet.create(
"DisplayFormSheet",
catalog,
uigate);
fs.addContentCreator(new DisplayFormSheetContentCreator());

Define a FormSheet for a SalesPoint

Description: The recommended way to define a FormSheet for a SalesPoint is to redefine the method getDefaultFormSheet() of your Salespoint instance, which is used by the Framework to resolve the FormSheet which shall be displayed at that SalesPoint. You may also add a FormSheet during runtime by using the method setFormSheet(SaleProcess sp, FormSheet fs). As you can see, this method is also used to add a SalesProcess to the SalesPoint, which itself is able to display FormSheets. This example describes how to add a FormSheet to the SalesPoint, while the FormSheet itself should be assembled in a FormSheetContentCreator.

ToDo:

  1. Redefine the method getDefaultFormSheet() in the SalesPoint class.
  2. Return the FormSheet you want to use.

Example Source Code:

public class DisplaySalesPoint extends SalesPoint
{
public DisplaySalesPoint(String sName)
{
super(sName);
}
 
1
protected FormSheet getDefaultFormSheet()
{
2
return new FormSheet("DefaultFormSheet",
new DisplayFormSheetContentCreator(), false);
}
}

Define a StatusFormSheet for a SalesPoint

Description: SalesPoints are being displayed in a separate window but also have a StatusDisplay at the Shop, which is the TabbedPane in the Shop's Frame, labled the name of the SalesPoint. By bringing it on top, it shows what is defined as the StatusDisplay in your SalesPoint instance and also adds the Menu defined as StatusMenuSheet in the SalesPoint instance to the Shop's MenuSheet. By default, both, the StatusFormSheet and the StatusMenuSheet are empty. Feel free to use the StatusDisplay and MenuSheet, which are equally handled to the DefaultFormSheet and the DefaultMenuSheet except that due to the strong division of the Shop and it's SalesPoints it is not possible to have processes running on it. You may trigger a Processes on it, but they will always be displayed by the SalesPoint's window. Therefor a more suitable name would be "Statical Display". For further information on Processes refer to the section "Processes". This example describes how to define a FormSheet as the SalesPoint's StatusFormSheet, while the FormSheet itself should be assembled in a FormSheetContentCreator.

ToDo:

  1. Redefine the method getDefaultStatusFormSheet() in the SalesPoint class.
  2. Return the FormSheet you want to use.

Example Source Code:

public class DisplaySalesPoint extends SalesPoint
{
public DisplaySalesPoint(String sName)
{
super(sName);
}
 
1
protected FormSheet getDefaultStatusFormSheet()
{
2
return new FormSheet("StatusFormSheet",
new DisplayFormSheetContentCreator(), false);
}
}

Change the standard OK or CANCEL button behaviour

Description: A FormSheet initially has two buttons, one labeled "ok" and one with "cancel" on it. But they don't do anything by default, so you have to define their behaviour. There are mainly three ways to define the behaviour of the buttons. One is to create your own FormSheet and implement the methods ok() and cancel() and the other one is to remove the buttons and add your own ones with a FormSheetContentCreator. The second one is more commonly used, because it is less effort to add two buttons instead of creating lots of new FormSheets just to define the behaviour of a single click on a button. The third one is almost as common but due to the lack of influence on the button's look and feel less used. It's because here you only set an action to the standard button by resolving it with getButton(int id) and using setAction(Action action) on it. The button's ids are stored as static int in the FormSheet, where BTNID_CANCEL stands for the cancel button and BTNID_OK for the ok button. In order to make the behaviour serializable you have to define it within a FormSheetContentCreator. Otherwise the information will be lost after loading. It is also possible to alter the buttons design and caption when adding new ones.

ToDo:

  1. Initialize a new FormSheet.
  2. Create a new FormSheetContentCreator for the FormSheet and add it.
  3. In the protected void createFormSheetContent(FormSheet fs) method of the FormSheetContentCreator remove the OK-Button by calling removeButton(int id).
  4. Add a new FormButton using the addButton method. Like here you can shortly add an sale.Action to the button.
  5. Set a new sale.Action to the CANCEL-Button by fetching it with the getButton(int id) method and setting the action with setAction(Action).

Example Source Code:

class where FormSheet is set:

1
FormSheet sheet = new FormSheet("DisplaySheet", null);
 
2
sheet.addContentCreator(new DisplayFormSheetContentCreator());

FormSheetContentCreator class:

2
public class DisplayFormSheetContentCreator extends FormSheetContentCreator
{
 
3
protected void createFormSheetContent(FormSheet fs)
{
fs.removeButton(FormSheet.BTNID_OK);
 
4
fs.addButton("Ok", 102, new DisplayCustomAction());
 
5
fs.getButton(FormSheet.BTNID_CANCEL).setAction(new DisplayCustomAction());
 
}
}

Define an Action for a FormSheet Button

Description: The reason for adding buttons to your application is of course to let the user interact with it. By default, buttons don't have any functions, so you have to add a sale.Action to the button either by the method setAction(Action aAction) provided by the button or by already initializing the button with an action. Remember to put all this into a FormSheetContentCreator in order to have the Actions serialized as you save the Shop's status. Otherwise all the information will be lost after loading and the buttons will be useless.

ToDo:

  1. There are two ways of defining an Action:
    1. Create a class implementing the interface Action and add the public void doAction(SaleProcess process, SalesPoint point) throws Throwable method to it. Therein define what to do if the action was called.
    2. Create an anonymous implementation of Action and define what to do if triggered.

Example Source Code:

1 a
public class DisplayCustomAction implements Action
{
 
public void doAction(SaleProcess process, SalesPoint point) throws Throwable
{
// define what shall be done when triggering the action
point.runProcess(new DisplaySaleProcess("SampleProcess"));
}
}
 
1 b
public class DisplaySalesPoint extends SalesPoint
{
 
protected FormSheet getDefaultFormSheet()
{
 
FormSheet fs = new FormSheet("FormSheet", null);
fs.getButton(FormSheet.BTNID_OK).setAction(
new Action()
{
public void doAction(SaleProcess process, SalesPoint point) throws Throwable
{
// define what shall be done when triggering the action
point.runProcess(new DisplaySaleProcess("SampleProcess"));
}
});
}
}

Define an Action for a Button in a Component

Description: Sometimes you will need to add Buttons in the component part of a FormSheet, since the Button bar at the bottom may be not sufficient (e.g. too small). This has to be done within a FormSheetContentCreator when serialization is needed.

ToDo:

  1. Create a new FormSheetContentCreator with the standard constructor and add the createFormSheetContent() method.
  2. Create the JButton according to your needs.
  3. Associate the Action that should be executed when clicking with the Button. This is done with the ActionActionListener, that takes the Action itself aswell as the FormSheet that contains the button.
  4. Add the button to the FormSheet component. In this case this is done by creating a container for the button and setting it as FormSheet component. You could also use the getComponent() method of the FormSheet and manipulate the component directly (e.g. if it is already a special FormSheet).

Example Source Code:

1
public class DisplayFormSheetContentCreator extends FormSheetContentCreator
{
public DisplayFormSheetContentCreator()
{
super();
}
protected void createFormSheetContent(FormSheet fs)
{
2
JButton button = new JButton("TutorialButton");
3
button.addActionListener(new ActionActionListener(fs, new DisplayCustomAction()));
4
JPanel container = new JPanel();
container.add(button);
fs.setComponent(container);
}
}

Set error handling for a FormSheet

Description: According to the type of FormSheet you use (and the purpose you use them for), it could be useful to react on errors occurring in different ways. So it is, for example, not always senseful to stop the currently running process, whenever an error occurs if you are able to correct it programatically.

Most of the FormSheets use their own strategies for handling their tasks. Here you can setup the error handlers.

ToDo:

  1. Create a new FormSheetContentCreator with the standard constructor and add the createFormSheetContent() method.
  2. Get the FormSheet of the type you need. In our case we assume, we've been given a TwoTableFormSheet and therefore can use it's strategy.
  3. Set the error handler you need. Basically, there are three possibilities:
    1. If the process has to be aborted immediately and an error message has to be displayed for the user, you can use the FormSheetStrategy.DEFAULT_ERROR_HANDLER. This is also set by default, so normally you don't have to do anything in this case.
    2. If the process can be continued, but a popup dialog shall be used displaying the error message for the user, you can use the FormSheetStrategy.MSG_POPUP_ERROR_HANDLER.
    3. In any other case, you will have to implement your own ErrorHandler.

Example Source Code:

1
public class DisplayFormSheetContentCreator extends FormSheetContentCreator
{
public DisplayFormSheetContentCreator()
{
super();
}
protected void createFormSheetContent(FormSheet fs)
{
2
TwoTableFormSheet ttfs = (TwoTableFormSheet) fs;
3 a
ttfs.getStrategy().setErrorHandler(FormSheetStrategy.DEFAULT_ERROR_HANDLER);
3 b
ttfs.getStrategy().setErrorHandler(FormSheetStrategy.MSG_POPUP_ERROR_HANDLER);
3 c
ttfs.getStrategy().setErrorHandler(new FormSheetStrategy.ErrorHandler() {
public void error(SaleProcess p, int nErrorCode) {
System.out.println(p.getErrorMsg(nErrorCode));
}
});
}
}

Standard FormSheet tasks

Description: As described in #Create a FormSheet, SalesPoint provides you with a vast collection of standard FormSheets that are able to take care of most of the tasks that will occur in your application. We will now have a closer look at some tasks and how to solve them.

Display contents of containers: Containers are all kinds of Catalogs, Stocks, user lists and DataBastkets that are registered in your Shop. In order to display them, you can use a SingleTableFormSheet:

SingleTableFormSheet fs = SingleTableFormSheet.create(
"DisplayFormSheet",
catalog,
uigate);
fs.addContentCreator(new DisplayFormSheetContentCreator());

You can use any of the container types mentioned above by using the appropriate static create(...) method of the SingleTableFormSheet.

Add items to or remove items from containers: Adding or removing items is a bit more complicated than simply displaying them. In this example, we will concentrate on adding and removing items in a catalog.

  1. Create a SingleTableFormSheet as needed. Make sure to give the FormSheet exactly the same DataBasket that is currently used. If you are in process, you can simply use it's getBasket() method. If you don't, there will be no valid display update when changes on the container are performed.
  2. Add a new FormSheetContentCreator.
  3. If adding items is needed:
    1. Create an appropriate EditButtonStrategy:
      • If you wish to add items to a catalog, you can use the AbstractAddCatalogItemStrategy class. Then you simply have to override it's createCatalogItem() method according to your needs and the type of CatalogItem you need.
      • If you wish to add items to another container, you will have to create your own EditButtonStrategy. You can have a look at the AbstractAddCatalogItemStrategy as an example.
    2. Add the button to the FormSheet. Therefore we have to cast the FormSheet given to a SingleTableFormSheet.
  4. If deleting items is needed:
    1. Create an appropriate EditButtonStrategy:
      • If you wish to remove items from a catalog, you can simply use the DefaultRemoveCatalogItemStrategy class. No additional implementations are needed.
      • If you wish to remove items from another container, you will have to create your own EditButtonStrategy. You can have a look at the DefaultRemoveCatalogItemStrategy as an example.
    2. Add the button to the FormSheet. Therefore we have to cast the FormSheet given to a SingleTableFormSheet.
// The catalog item needed
public class DisplayCatalogItem extends CatalogItemImpl {
public DisplayCatalogItem(String sName) {
super(sName);
setValue(new DoubleValue(100.0d));
}
 
protected CatalogItemImpl getShallowClone() {
return null;
}
}
1
SingleTableFormSheet fs = SingleTableFormSheet.create(
"DisplayFormSheet",
catalog,
uigate);
2
fs.addContentCreator(new FormSheetContentCreator() {
protected void createFormSheetContent(FormSheet fs) {
3 a
EditButtonStrategy ebs = new AbstractAddCatalogItemStrategy(catalog) {
protected CatalogItem createCatalogItem(String sKey) {
return new DisplayCatalogItem(sKey);
}
};
3 b
((SingleTableFormSheet) fs).addAddButton(ebs);
4 a
ebs = new DefaultRemoveCatalogItemStrategy(catalog);
4 b
((SingleTableFormSheet) fs).addRemoveButton(ebs);
}
});

Move items between containers: In order to move items between containers, you can use the TwoTableFormSheet, that has been designed especially for this kind of task. Therefore you choose a source and a destination container. The FormSheet can move items between them in both directions, depending on how you wish to use it. There are exactly eleven possible combinations of source and destination containers:

Source Destination Default MoveStrategy
CountingStock CountingStock CSCSStrategy
StoringStock StoringStock SSSSStrategy
CountingStock DataBasket CSDBStrategy
DataBasket CountingStock DBCSStrategy
StoringStock DataBasket SSDBStrategy
DataBasket StoringStock DBSSStrategy
Catalog Catalog CCStrategy
Catalog DataBasket CDBStrategy
DataBasket Catalog DBCStrategy
Catalog StoringStock CSSStrategy
Attention: You need to override the createStockItem() method, as it is application dependent.
Catalog CountingStock CCSStrategy

You can refer to the individual documentations on how they exactly work. When creating the TwoTableFormSheet, simply use the create() that you need (giving null as DataBasket means the FormSheet will work outside any transitional context, causing all data manipulations to be executed immediately, without any rollback possibilities).

private FormSheet getMoveContentFormSheet(UIGate uigate, Catalog cSource, Catalog cDest)
{
TwoTableFormSheet ttfs = TwoTableFormSheet.create("Title",
cSource, cDest, (DataBasket)null, uigate, TwoTableFormSheet.RIGHT);
return ttfs;
}

Update a formsheet display

Description: A common problem is notifying FormSheets that the data, or at least a part of it, has been changed by some process. Now it shall display the new data. The solution for this task is to use DataBaskets in the right way. You do not tell the formsheet that it shall update itself, rather you tell the modified data element to notify all it's listeners to update all their necessary parts (e.g. table cells).

ToDo:

  1. Create a new DataBasket.
  2. Retrieve the CatalogItem relative to the DataBasket and tell the get method to prepare the item for editing. After that you can manipulate it in any way you want.
  3. Call the DataBasket's commit method. This will put the updated item back in the container appropriately and tells all listeners such as visual display components to update themselves.

Example Source Code:

1
DataBasket db = new DataBasketImpl();
2
CatalogItem ci = catalog.get("TheItemsKey", db, true);
3
db.commit();

MenuSheet

Define a MenuSheet

Description: A MenuSheet displays a menu, either as a JMenuBar, a JMenu or a JPopUpMenu . It is important to know that a MenuSheet can be displayed in both ways, horizontally and vertically. In the first case you see the added MenuSheetItems as dropdownmenus (like File, Edit, Help) or submenus (like About) and in the other case as the menuItems in the submenus (like new, load, save). You can define MenuSheets wherever you need them / want them to be. But in most cases you might want them to be just a Menubar at top of the Shop window or the ones of the SalesPoints. To put them right where they belong, you overwrite the method getDefaultMenuSheet() of your SalesPoint or the createMenuSheet() method of your Shop. As mentioned above, the MenuItems or MenuSheets contained by the first defined MenuSheet will be displayed horizontally. All the other MenuSheets and Items appear in the dropdown menu of the first MenuSheet. You can "group" the Items with MenuSheetSeparators.

ToDo:

  1. Locate the method where you want to define the MenuSheet. In this case a SalesPoint is chosen and its getDefaultMenuSheet() method overwritten.
  2. Create the top-level MenuSheet, it's the one that will be displayed horizontally and where all other MenuSheets in this case will be added to.
  3. Create another MenuSheet, it will the dropdown menu of the currently defined horizontal MenuSheet.
  4. Create one MenuSheetItem, name it and add the Action that should be performed when the item is clicked.
    Add the MenuSheetItem to the dropdown menu.
  5. Create a MenuSheetSeperator and add it to the menu.
  6. Create and add another MenuSheetItem to the menu.
  7. Add the newly created dropdown menu to the horizontal menu.
  8. Return the horizontal menu.
  9. Note: You can nest as many MenuSheets as you like and create really complex MenuSheet structures.

Example Source Code:

1
public MenuSheet getDefaultMenuSheet()
{
 
2
MenuSheet msMenu = new MenuSheet("HorizontalMenuSheet");
 
3
MenuSheet msSubMenu = new MenuSheet("myMenu");
 
4
MenuSheetItem msiSubItem1 = new MenuSheetItem("Perform an action",
new DisplayCustomAction());
msSubMenu.add(msiSubItem1);
 
5
MenuSheetSeparator mssSeperator = new MenuSheetSeparator();
msSubMenu.add(mssSeperator);
 
6
MenuSheetItem msiSubItem2 = new MenuSheetItem("Perform another action",
new DisplayCustomAction());
msSubMenu.add(msiSubItem2);
 
// add as many MenuSheetItems or MenuSheet as you like
.
.
.
 
7
msMenu.add(msSubMenu);
 
8
return msSubMenu;
 
}

Define a MenuSheet with JComponents

Description: If you want to improve the look of your menu, feel free to use JComponents. For further explanations on JComponents in menus "Using Swing Components" of java.sun.com. Adding JComponents to a MenuSheet is not as easy as adding framework MenuItems, because you can only add MenuSheetObjects with the add method. To add a JComponent anyway, you have to acces the JMenuBar in which the MenuSheet is being displayed by calling the getMenuBar() method. To this you add the JMenu with all the JMenuItems like CheckBoxes or RadioButtons added to it and which you initialize before.

ToDo:

  1. Locate the method where you want to define the MenuSheet. In this case a new method getJComponentMenuSheet() was created.
  2. Create the top-level MenuSheet, the one that is displayed horizontally.
  3. Initialize a JMenu using the javax.swing package.
  4. Initialize chosen JMenuItems and add them to the JMenu. Refer to "Using Swing Components" about possible item types.
    In this case a JCheckBoxMenuItem and a JRadioButtonMenuItem where added.
  5. Get the JMenuBar of the top-level MenuSheet and add the newly created JMenu to it.
  6. Finally return the MenuSheet.

Example Source Code:

1
public MenuSheet getJComponentMenuSheet()
{
 
2
MenuSheet msMenu = new MenuSheet("JComponentMenu");
 
3
JMenu jmMenu = new JMenu("JMenuItems");
 
4
JCheckBoxMenuItem jcbItem1 = new JCheckBoxMenuItem("JCheckBox");
jmMenu.add(jcbItem1);
JRadioButtonMenuItem jrbmItem2 = new JRadioButtonMenuItem("JRadioButtonMenuItem");
jmMenu.add(jrbmItem2);
 
5
msMenu.getMenuBar().add(jmMenu);
 
6
return msMenu;
}

Define a MenuSheet for a Shop

Description: Menus are essential for users interacting with an application. To create a menu in a Shop you will need to redefine the method createShopMenuSheet() of your instance of Shop.

ToDo:

In your Shop class create the method createShopMenuSheet(). Create your desired MenuSheet and return it. Therefore refer to #Define a MenuSheet.

Example Source Code:

1
public class DisplayShop extends Shop
{
 
.
.
.
 
public MenuSheet createShopMenuSheet()
{
 
2
MenuSheet msMenu = new MenuSheet("ShopMenu");
 
// add your MenuSheets and MenuSheetItems as needed
 
.
.
.
 
return msMenu;
}
 
.
.
.
 
}

Define a MenuSheet for a SalesPoint

Description: Normally you display a SalesPoint in a new window. To add a menu to it, you simply have to redefine the method getDefaultMenuSheet() of your instance of SalesPoint.

ToDo:

  1. In your SalesPoint class create the method getDefaultFormSheet().
  2. Create your desired MenuSheet and return it. Therefore refer to #Define a MenuSheet.

Example Source Code:

1
public class DisplaySalesPoint extends SalesPoint
{
 
.
.
.
 
public MenuSheet getDefaultMenuSheet()
{
 
2
MenuSheet msMenu = new MenuSheet("HorizontalMenuSheet");
 
// add your MenuSheets and MenuSheetItems as needed
 
.
.
.
 
return msSubMenu;
}
 
.
.
.
 
}

Define a StatusMenuSheet for a SalesPoint

Description: SalesPoints are being displayed in a separate window but also have a StatusDisplay at the Shop, which is the TabbedPane in the Shop's Frame, labled the name of the SalesPoint. By bringing it on top, it shows what is defined as the StatusDisplay in your SalesPoint instance and also adds the Menu defined as StatusMenuSheet in the SalesPoint instance to the Shop's MenuSheet. By default, both, the StatusFormSheet and the StatusMenuSheet are empty. Feel free to use the StatusDisplay and MenuSheet, which are equally handled to the DefaultFormSheet and the DefaultMenuSheet except that due to the strong division of the Shop and it's SalesPoints it is not possible to have processes running on it. You may trigger a Processes on it, but they will always be displayed by the SalesPoint's window. Therefor a more suitable name would be "Statical Display".

ToDo:

  1. In your SalesPoint class create the method getDefaultStatusMenuSheet().
  2. Create your desired MenuSheet and return it. Therefore refer to #Define a MenuSheet.

Example Source Code:

1
public class DisplaySalesPoint extends SalesPoint
{
 
.
.
.
 
public MenuSheet getDefaultStatusMenuSheet()
{
 
2
MenuSheet msMenu = new MenuSheet("StatusMenu");
 
// add your MenuSheets and MenuSheetItems as needed
 
.
.
.
 
return msMenu;
}
 
.
.
.
 
}

Alter a Shop's MenuSheet during runtime

Description: Sometimes there are reasons to change a Shop's MenuSheet during runtime. But in the class Shop a method setMenuSheet(MenuSheet ms) like the one in the class SalesPoint doesn't exists. This makes it a little more complicate. It is necessary to get the Shop's frame, which is actually a MultiWindow. The class MultiWindow provides the necessary public void setMenuSheet(MenuSheet newMenuSheet) method. Like this it is possible to change the MenuSheet, whenever wanted.

ToDo:

  1. Get the Shop's frame, while casting it as a MultiWindow.
  2. Create the new MenuSheet for the Shop.
    (See also: #Define a MenuSheet).
  3. Set the new MenuSheet on the MultiWindow.

Example Source Code:

1
DisplayShop displayShop = new DisplayShop();
MultiWindow multiWindow = (MultiWindow) displayShop.getShopFrame();
 
2
MenuSheet menuShop = super.createShopMenuSheet();
// get the first menu bar
MenuSheet menuBar = (MenuSheet)menuShop.getTaggedItem(SHOP_MENU_TAG, false);
// create new MenuSheetItem
MenuSheetItem menuItemNew = new MenuSheetItem("Important", "Important_TAG",
new sale.Action()
{
public void doAction (SaleProcess p, SalesPoint sp)
{
System.out.println("very important action!");
}
});
// add it to the MenuSheet
menuBar.add(menuItemNew);
 
3
multiWindow.setMenuSheet(menuShop);

Create your own MenuSheet type

LogFile Management

User Management

Tables

Log management

User management

Persönliche Werkzeuge