From 416fc50421c275382e430c8b1567d23704d8cc26 Mon Sep 17 00:00:00 2001
From: George Rhoten This is the super class for all importer plug-in classes.
+ * In terms of general functionality of this class or its children classes, the following steps should happen in order:
+ *
+ * This method should, in most cases, only be called from the Bundle class.
+ */
+
+ public void addBundleItem(BundleItem item) {
+ Iterator iter = items.iterator();
+ boolean found = false;
+ while (iter.hasNext()) {
+ BundleItem oldItem = (BundleItem)iter.next();
+ if (oldItem == item) found = true;
+ }
+ if (!found) {
+ item.setParentGroup(this);
+ items.add(item);
+ }
+ }
+
+ /**
+ * Remove an item of the given name from the group
+ */
+
+ public void removeBundleItem(String itemName) {
+ Iterator iter = items.iterator();
+ while(iter.hasNext()) {
+ BundleItem item = (BundleItem)iter.next();
+ if (item.getKey().equals(itemName)) {
+ items.remove(item);
+ break;
+ }
+ }
+ }
+
+ /**
+ * Returns the number of items stored in the group
+ */
+
+ public int getItemCount() {
+ return items.size();
+ }
+
+ /**
+ * Returns a BundleItem from the set of items at a particular index point. If the index is greater than or equal
+ * to the number of items in the set, null is returned.
+ */
+
+ public BundleItem getBundleItem(int index) {
+ if (index >= items.size()) return null;
+ Iterator iter = items.iterator();
+ for (int i=0; i < index; i++) iter.next();
+ return (BundleItem)iter.next();
+ }
+
+ /**
+ * Returns the bundle to which this group belongs
+ */
+
+ public Bundle getParentBundle() {
+ return bundle;
+ }
+
+ /**
+ * Returns the comment associated with this bundle
+ */
+
+ public String getComment() {
+ return comment;
+ }
+
+ /**
+ * Returns the name of the bundle
+ */
+
+ public String getName() {
+ return name;
+ }
+
+ protected void setParentBundle(Bundle bundle) {
+ this.bundle = bundle;
+ }
+
+ protected void setComment(String comment) {
+ this.comment = comment;
+ }
+
+ protected void setName(String name) {
+ this.name = name;
+ }
+
+ /**
+ * The translation to a string returns the name of the group
+ */
+
+ public String toString() {
+ return name;
+ }
+
+ /**
+ * Returns the output for a group heading. This will be found in comment lines above the group items
+ */
+
+ public String toOutputString() {
+ String retStr = "\n#\n# @group " + name + "\n#\n";
+ if (comment != null) retStr += "# @groupComment " + comment + "\n";
+ return retStr;
+ }
+
+ /**
+ * Writes the output contents to a particular PrintStream. The output will be suitable for a properly
+ * formatted .properties file.
+ */
+
+ public void writeContents(PrintStream ps) {
+ if (!name.equals("Ungrouped Items")) ps.println(this.toOutputString());
+ Iterator iter = items.iterator();
+ while (iter.hasNext()) {
+ ((BundleItem) iter.next()).writeContents(ps);
+ }
+ }
+
+ /**
+ * Writes the output contents to a particular Writer. The output will be suitable for a properly
+ * formatted .properties file.
+ */
+
+ public void writeContents(Writer w) throws IOException {
+ if (!name.equals("Ungrouped Items")) w.write(this.toOutputString() + "\n");
+ Iterator iter = items.iterator();
+ while (iter.hasNext()) {
+ ((BundleItem) iter.next()).writeContents(w);
+ }
+ }
+}
\ No newline at end of file
diff --git a/tools/unicodetools/com/ibm/rbm/BundleItem.java b/tools/unicodetools/com/ibm/rbm/BundleItem.java
new file mode 100644
index 00000000000..7f40b70c7fa
--- /dev/null
+++ b/tools/unicodetools/com/ibm/rbm/BundleItem.java
@@ -0,0 +1,390 @@
+/*
+ *****************************************************************************
+ * Copyright (C) 2000-2002, International Business Machines Corporation and *
+ * others. All Rights Reserved. *
+ *****************************************************************************
+ *
+ * $Source: /xsrl/Nsvn/icu/unicodetools/com/ibm/rbm/BundleItem.java,v $
+ * $Date: 2002/05/20 18:53:10 $
+ * $Revision: 1.1 $
+ *
+ *****************************************************************************
+ */
+package com.ibm.rbm;
+
+
+import java.io.IOException;
+import java.io.PrintStream;
+import java.io.Writer;
+import java.text.SimpleDateFormat;
+import java.text.ParseException;
+import java.util.*;
+
+/**
+ * A class representing a single translation item and all of the meta-data associated with that translation
+ *
+ * @author Jared Jackson - Email: jjared@almaden.ibm.com
+ * @see com.ibm.rbm.RBManager
+ */
+public class BundleItem {
+ private String name; // The name of the NLS item key
+ private String value; // The translation of the key item
+ private String comment; // A comment about this item
+ private boolean translated; // Has this item been translated?
+ private Date created; // The date of creation of the item
+ private Date modified; // The last modification date of the item
+ private String creator; // The name of the person who created the item
+ private String modifier; // The name of the person who last modified the item
+ private Hashtable lookups; // A hastable of lookups for the item (i.e. ({#}, Meaning) pairs)
+ private BundleGroup group; // The parent group of the item
+
+ /**
+ * Basic data constructor for a resource bundle item.
+ * @param parent The BundleGroup to which the item belongs. This group will have its own Bundle parent.
+ * @param name The NLS lookup key common across all bundle files in the resource bundle
+ * @param value The translated value of the item appropriate for the encoding of the bundle file to which the item belongs
+ */
+
+ public BundleItem(BundleGroup parent, String name, String value) {
+ this.name = name;
+ this.value = value;
+ this.group = parent;
+ comment = null;
+ translated = false;
+ created = new Date(); // Defaults to the system's current date
+ modified = new Date(); // Defaults to the system's current date
+ creator = null;
+ modifier = null;
+ lookups = new Hashtable();
+ }
+
+ /**
+ * Returns the BundleGroup to which this item belongs
+ */
+
+ public BundleGroup getParentGroup() {
+ return group;
+ }
+
+ /**
+ * Returns the date this item was last modified.
+ */
+
+ public Date getModifiedDate() {
+ return modified;
+ }
+
+ /**
+ * Returns the date the item was first created.
+ */
+
+ public Date getCreatedDate() {
+ return created;
+ }
+
+ /**
+ * Returns the login name of the user that created the item.
+ */
+
+ public String getCreator() {
+ return creator;
+ }
+
+ /**
+ * Returns the login name of the user that last modified the item.
+ */
+
+ public String getModifier() {
+ return modifier;
+ }
+
+ /**
+ * Returns the NLS lookup key for the item.
+ */
+
+ public String getKey() {
+ return name;
+ }
+
+ /**
+ * Returns the translation value for the item.
+ */
+
+ public String getTranslation() {
+ return value;
+ }
+
+ /**
+ * Returns a comment associated with the item.
+ */
+
+ public String getComment() {
+ return comment;
+ }
+
+ /**
+ * Has the item yet been translated, or was it merely derived from a previous
+ * bundle file?
+ */
+
+ public boolean isTranslated() {
+ return translated;
+ }
+
+ /**
+ * Returns a hashtable of the various lookups associated with the item. Lookups are
+ * context sensitive information stored within the resource item and have their own
+ * meta-data associated with themselves.
+ */
+
+ public Hashtable getLookups() {
+ return lookups;
+ }
+
+ /**
+ * Sets the translated value of the item. A true mark indicates that the item has
+ * been examined or modified and is ready for use in the encoding specified by the
+ * parent Bundle.
+ */
+
+ public void setTranslated(boolean isTranslated) {
+ if (translated == isTranslated) return;
+ translated = isTranslated;
+ if (this.getParentGroup() != null && this.getParentGroup().getParentBundle() != null) {
+ Bundle bundle = this.getParentGroup().getParentBundle();
+ if (isTranslated) bundle.removeUntranslatedItem(this.name);
+ else bundle.addUntranslatedItem(this);
+ }
+ }
+
+ /**
+ * Sets the comment associated with this item.
+ */
+
+ public void setComment(String comment) {
+ this.comment = comment;
+ }
+
+ /**
+ * Given a hashtable of lookups, associates those lookups with this item.
+ */
+
+ protected void setLookups(Hashtable lookups) {
+ this.lookups = lookups;
+ }
+
+ /**
+ * Sets the NLS key associated with this item. Be careful using this method, as
+ * it does not change the lookup value of any other items in the resource bundle.
+ * This must be done at a higher level.
+ */
+
+ public void setKey(String keyName) {
+ name = keyName;
+ }
+
+ /**
+ * Sets the translation value of the item.
+ */
+
+ public void setTranslation(String translationValue) {
+ value = translationValue;
+ }
+
+ /**
+ * Sets the parent BundleGroup of the item.
+ */
+
+ public void setParentGroup(BundleGroup group) {
+ this.group = group;
+ }
+
+ /**
+ * Associates a login name of the creator of the item with the item.
+ */
+
+ public void setCreator(String name) {
+ creator = name;
+ }
+
+ /**
+ * Associates a login name of the last modifier of the item with the item.
+ */
+
+ public void setModifier(String name) {
+ modifier = name;
+ }
+
+ /**
+ * Sets the created date of the item given a date formatted string.
+ * The format can be either 'YYYY-MM-DD' (e.g. 20002-02-05) or
+ * the format can be 'YYYMMDDTHHMMSSZ' (e.g. 20020205T103000Z)
+ */
+
+ public void setCreatedDate(String dateStr) {
+ if (dateStr != null) created = parseDateFromString(dateStr);
+ }
+
+ /**
+ * Sets the created date of the item.
+ */
+
+ public void setCreatedDate(Date date) {
+ created = date;
+ }
+
+ /**
+ * Sets the last modififcation date of the item given a date formatted string.
+ * The format can be either 'YYYY-MM-DD' (e.g. 20002-02-05) or
+ * the format can be 'YYYMMDDTHHMMSSZ' (e.g. 20020205T103000Z)
+ */
+
+ public void setModifiedDate(String dateStr) {
+ if (dateStr != null) modified = parseDateFromString(dateStr);
+ }
+
+ /**
+ * Sets the last modification date of the item.
+ */
+
+ public void setModifiedDate(Date date) {
+ modified = date;
+ }
+
+ /**
+ * Simply returns the lookup name of the item.
+ */
+
+ public String toString() {
+ return name;
+ }
+
+ /**
+ * Returns the formatted output of this bundle item as it would be included in a .properties
+ * formatted resource bundle file. This format also contains the meta-data used by RBManager in
+ * the form of parseable comments.
+ */
+
+ public String toOutputString() {
+ String retStr = (translated ? "# @translated true" : "# @translated false");
+ if (created != null) {
+ GregorianCalendar createdCal = new GregorianCalendar();
+ createdCal.setTime(created);
+ int year = createdCal.get(Calendar.YEAR);
+ int month = createdCal.get(Calendar.MONTH)+1;
+ int day = createdCal.get(Calendar.DAY_OF_MONTH);
+ retStr += " @created " + String.valueOf(year) + "-"
+ + (month > 9 ? String.valueOf(month) : "0" + String.valueOf(month)) + "-"
+ + (day > 9 ? String.valueOf(day) : "0" + String.valueOf(day));
+ }
+ if (modified != null) {
+ GregorianCalendar modifiedCal = new GregorianCalendar();
+ modifiedCal.setTime(modified);
+ int year = modifiedCal.get(Calendar.YEAR);
+ int month = modifiedCal.get(Calendar.MONTH)+1;
+ int day = modifiedCal.get(Calendar.DAY_OF_MONTH);
+ retStr += " @modified " + String.valueOf(year) + "-"
+ + (month > 9 ? String.valueOf(month) : "0" + String.valueOf(month)) + "-"
+ + (day > 9 ? String.valueOf(day) : "0" + String.valueOf(day));
+ }
+ if (creator != null) retStr += " @creator " + creator;
+ if (modifier != null) retStr += " @modifier " + modifier;
+ Enumeration enum = lookups.keys();
+ while (enum.hasMoreElements()) {
+ String str = (String)enum.nextElement();
+ retStr += "\n# @{" + str + "} " + (String)lookups.get(str);
+ }
+ if (comment != null) retStr += "\n# @comment " + comment;
+
+ retStr += "\n" + name + "=" + saveConvert(value);
+ return retStr;
+ }
+
+ /**
+ * Writes the formatted contents to a PrintStream.
+ */
+
+ public void writeContents(PrintStream ps) {
+ ps.println(this.toOutputString());
+ }
+
+ /**
+ * Writes the formatted contents to a writer such as a FileWriter.
+ */
+
+ public void writeContents(Writer w) throws IOException {
+ w.write(this.toOutputString() + "\n");
+ }
+
+ /*
+ * Converts unicodes to encoded \\uxxxx
+ * and writes out any of the characters in specialSaveChars
+ * with a preceding slash
+ */
+ // Taken from java.util.Properties
+ private String saveConvert(String theString) {
+ char aChar;
+ int len = theString.length();
+ StringBuffer outBuffer = new StringBuffer(len*2);
+
+ for(int x=0; x
+ *
+ *
main
method.
+ *
+ * @author Jared Jackson - Email: jjared@almaden.ibm.com
+ * @see com.ibm.rbm.RBManager
+ */
+public class RBManager {
+
+ // *** DATA ***
+ private Vector allBundleKeys; // A Vector of Strings with all defined NLS properties
+ protected Vector bundles; // A Vector of NLSbundles, one for each language
+ private String currentUser; // The name of the person currently using the editor
+ private String baseClass; // The name of the base class of the active resource bundle
+ private File currentDirectory;
+
+ // *** CONSTRUCTORS ***
+
+ // The default constructor is not publicly available
+ private RBManager() {
+ try {
+ // Look and Feel check
+ try {
+ String laf = Preferences.getPreference("lookandfeel");
+ if (!laf.equals("")) UIManager.setLookAndFeel(laf);
+ } catch (Exception e) {
+ // Ignored
+ }
+
+ Resources.initBundle();
+ RBManagerGUI guiFrame = new RBManagerGUI();
+ if (!Preferences.getPreference("username").equals(""))
+ guiFrame.setUser(Preferences.getPreference("username"));
+ if (!Preferences.getPreference("locale").equals("")) {
+ String localeStr = Preferences.getPreference("locale");
+ String language = Resources.getLanguage(localeStr);
+ String country = Resources.getCountry(localeStr);
+ String variant = Resources.getVariant(localeStr);
+ if (language == null || language.equals("") || language.length() > 3) language = "en";
+ if (country == null) country = new String();
+ if (variant == null) Resources.setLocale(new Locale(language, country));
+ else Resources.setLocale(new Locale(language, country, variant));
+ }
+ Resources.initBundle();
+ guiFrame.initComponents();
+ guiFrame.setVisible(true);
+ } catch (Exception e) {
+ e.printStackTrace();
+ }
+ }
+
+ /**
+ * This constructor creates an entirely blank RBManager and base Bundle. Only the base class name is defined.
+ * All other properties need to be defined.
+ */
+
+ public RBManager(String baseClassName) {
+ allBundleKeys = new Vector();
+ bundles = new Vector();
+ currentUser = "Unknown";
+ baseClass = baseClassName;
+ currentDirectory = new File("");
+
+ Bundle mainBundle = new Bundle("");
+ // Create a default group
+ mainBundle.addBundleGroup("Ungrouped Items", "These are resource items that have not been assigned a group");
+ bundles.addElement(mainBundle);
+ }
+
+ /**
+ * This is the standard constructor for RBManager. It is constructed from the root of a resource bundle.
+ * In the current implementation, each file is parsed separately starting with the base class file (root).
+ * In this implementation, the lookup keys are represented to the user as they appear in the files. The
+ * translation values however are translated according to the basic rules defined in java.util.Properties.
+ * Thus in the key, the user may see '\"' when in the value it would have been converted to '"'. This
+ * translation is reversed when saving the resource bundle.
+ * @param mainFile The base class file of the resource bundle to be read
+ */
+
+ public RBManager(File mainFile) throws FileNotFoundException, IOException {
+ init();
+
+ currentDirectory = new File(mainFile.getParent());
+
+ String[] encodings;
+
+ // Initiailize the readers to the main NLS file
+ FileReader fr = new FileReader(mainFile);
+ BufferedReader br = new BufferedReader(fr);
+
+ // Load the java readable values from the main NLS file;
+ Properties p = new Properties();
+ p.load(new FileInputStream(mainFile));
+
+ // Count the number of language files and set up the encoding and dictionary data
+ int numLanguages = 1;
+ String NLSbaseClass = null;
+ String NLSlanguage = null;
+ String NLScountry = null;
+ String NLSvariant = null;
+ String NLSpostfix = null;
+
+ if (mainFile.getName().indexOf(".") >= 0) {
+ NLSbaseClass = mainFile.getName().substring(0,mainFile.getName().indexOf("."));
+ NLSpostfix = ".properties";
+ } else {
+ NLSbaseClass = mainFile.getName();
+ NLSpostfix = "";
+ }
+
+ baseClass = NLSbaseClass;
+
+ String filePrefix = mainFile.getName().substring(0,mainFile.getName().lastIndexOf("."));
+ String filePostfix = mainFile.getName().substring(mainFile.getName().lastIndexOf("."),mainFile.getName().length());
+ File resDir = currentDirectory;
+ if (resDir != null && resDir.isDirectory()) {
+ String[] temp = resDir.list();
+ numLanguages = 0;
+ // Count the number of language files
+ for (int i = 0; i < temp.length; i++) {
+ if (temp[i].startsWith(NLSbaseClass) && (temp[i].endsWith(NLSpostfix)
+ || temp[i].endsWith(NLSpostfix.toUpperCase()) || NLSpostfix.equals(""))) {
+ // Starts with the base class name and ends in proper suffix (above)
+ // Base name is followed by . or _ (below)
+ RBManagerGUI.debugMsg("Character is: " + temp[i].charAt(NLSbaseClass.length()));
+ if (temp[i].charAt(NLSbaseClass.length()) == '.' || temp[i].charAt(NLSbaseClass.length()) == '_')
+ numLanguages++;
+ }
+ }
+ // Initialize the bundles and encodings
+ encodings = new String[numLanguages];
+
+ int count = 1;
+ for (int i = 0; i < temp.length; i++) {
+ if (temp[i].equals(mainFile.getName())) {
+ encodings[0] = "";
+ } else if (temp[i].startsWith(NLSbaseClass) && (temp[i].endsWith(NLSpostfix)
+ || temp[i].endsWith(NLSpostfix.toUpperCase()) || NLSpostfix.equals(""))) {
+ if (temp[i].charAt(NLSbaseClass.length()) == '.' || temp[i].charAt(NLSbaseClass.length()) == '_') {
+ encodings[count] = new String(temp[i].substring(filePrefix.length()+1,temp[i].indexOf(filePostfix))); count++;
+ }
+ }
+ }
+ } else {
+ // Initialize the bundles and encodings in case the directory information is not available
+ // In this case, only the main NLS file will be handled
+ encodings = new String[numLanguages];
+ encodings[0] = new String("");
+ } // end the count and initialization
+
+ // Read in the entries from the main file
+ String line;
+ int index = 0;
+ // Set the dictionary for the main file
+ Bundle dict = new Bundle(encodings[0]);
+ bundles.addElement(dict);
+ // Set up the first group in case there are NLS items which were not assigned to a group
+ BundleGroup group = new BundleGroup(dict, "Ungrouped Items");
+ group.setComment("NLS Items which were not initially assigned to a group");
+ dict.addBundleGroup(group);
+ BundleItem item = new BundleItem(group,null,null);
+ int count = 0;
+ while ((line = br.readLine()) != null) {
+ // Test to make sure this is a file that was generated by RBManager
+ if (!line.trim().equals("")) count++;
+ if (count == 1 && !line.startsWith("# @file")) {
+ // Not generated by RBManager
+ JOptionPane.showMessageDialog(null,
+ Resources.getTranslation("error_not_rbmanager_format") + "\n" + Resources.getTranslation("error_suggest_import_properties"),
+ Resources.getTranslation("dialog_title_error_not_rbmanager_format"), JOptionPane.ERROR_MESSAGE);
+ throw new FileNotFoundException("Improper format for file: " + mainFile.getName());
+ }
+ String commentLine = null;
+ // Grab text following the # sign
+ if (line.indexOf("#") >= 0) {
+ commentLine = line.substring(line.indexOf("#")+1,line.length());
+ line = line.substring(0,line.indexOf("#"));
+ }
+ if (commentLine != null && commentLine.trim().length() > 0) {
+ // Process any information made available in comment '@' information
+ Hashtable descriptors = getDescriptors(null,commentLine);
+ if (descriptors != null) {
+ Object o;
+ // File tags
+ o = descriptors.get("file"); if (o != null) dict.name = ((String) o);
+ o = descriptors.get("fileComment"); if (o != null) dict.comment = ((String) o);
+ o = descriptors.get("fileLanguage"); if (o != null) dict.language = ((String) o);
+ o = descriptors.get("fileCountry"); if (o != null) dict.country = ((String) o);
+ o = descriptors.get("fileVariant"); if (o != null) dict.variant = ((String) o);
+ o = descriptors.get("fileManager"); if (o != null) dict.manager = ((String) o);
+
+ // Group tags
+ o = descriptors.get("group");
+ if (o != null) {
+ group = new BundleGroup(dict, (String)o);
+ item.setParentGroup(group);
+ dict.addBundleGroup(group);
+ }
+ o = descriptors.get("groupComment"); if (o != null) group.setComment((String) o);
+
+ // Item tags
+ o = descriptors.get("comment"); if (o != null) item.setComment((String) o);
+ o = descriptors.get("translated"); if (o != null) item.setTranslated(((String) o).equalsIgnoreCase("true"));
+ o = descriptors.get("creator"); if (o != null) item.setCreator((String) o);
+ o = descriptors.get("modifier"); if (o != null) item.setModifier((String) o);
+ o = descriptors.get("created"); if (o != null) item.setCreatedDate((String) o);
+ o = descriptors.get("modified"); if (o != null) item.setModifiedDate((String) o);
+
+ // Lookup tags (e.g. {_#_} _description_)
+ Enumeration keys = descriptors.keys();
+ while (keys.hasMoreElements()) {
+ String tag = (String)keys.nextElement();
+ if (tag.startsWith("{")) {
+ if (tag.indexOf("}") < 0) continue;
+ String lookup = tag.substring(1,tag.indexOf("}"));
+ item.getLookups().put(lookup,(String) descriptors.get(tag));
+ }
+ }
+ }
+ } // end check of comment line
+ if (line.trim().length() < 1) continue;
+
+ // Grab the name and value (translation) from the line
+ int breakpoint = 0;
+ boolean started = false;
+ char array[] = line.toCharArray();
+ for (int i=0; i < array.length; i++) {
+ if (!started && array[i] != ' ' && array[i] != '\t') started = true;
+ if (started && (array[i] == '=' || array[i] == ':' || array[i] == ' ' || array[i] == '\t')) {
+ breakpoint = i;
+ break;
+ }
+ }
+ String key = String.valueOf(array,0,breakpoint);
+
+ item.setKey(key);
+ String translation = p.getProperty(key);
+ if (translation == null || translation.equals(""))
+ item.setTranslation(line.substring(line.indexOf("=")+1,line.length()).trim());
+ else item.setTranslation(translation);
+
+ dict.addBundleItem(item);
+ item = new BundleItem(group,null,null);
+ } // end while - main NLS file
+
+ // Now that we have parsed the entire main language file, populate the allNLSKey set with the dictionary keys
+ allBundleKeys = new Vector();
+ Enumeration enum = ((Bundle)bundles.elementAt(0)).allItems.keys();
+ while (enum.hasMoreElements()) {
+ allBundleKeys.addElement((String)enum.nextElement());
+ }
+
+ // Now go through all of the other languages
+ for (int i = 1; i < encodings.length; i++) {
+ if (encodings[i].equals("kr")) continue; // I can't handle double byte character sets yet
+ // Try to obtain the new file
+ File tempFile = new File(resDir, NLSbaseClass + "_" + encodings[i] + NLSpostfix);
+ fr = new FileReader(tempFile);
+ br = new BufferedReader(fr);
+
+ // Try to obtain the java readable properties for the file
+ p = new Properties();
+ p.load(new FileInputStream(tempFile));
+
+ index = 0;
+ // Set the dictionary for the main file
+ dict = new Bundle(encodings[i]);
+ bundles.addElement(dict);
+ // Set up the first group in case there are NLS items which were not assigned to a group
+ group = new BundleGroup(dict, "Ungrouped Items");
+ dict.addBundleGroup(group);
+ group.setComment("NLS Items which were not initially assigned to a group");
+ item = new BundleItem(group,null,null);
+ // Create the rest of the groups
+ while ((line = br.readLine()) != null) {
+ String commentLine = null;
+ // Grab the text following the # sign
+ if (line.indexOf("#") >= 0) {
+ commentLine = line.substring(line.indexOf("#")+1,line.length());
+ line = line.substring(0,line.indexOf("#"));
+ }
+ if (commentLine != null && commentLine.trim().length() > 0) {
+ // Process any information made available in comment '@' information
+ Hashtable descriptors = getDescriptors(null,commentLine);
+ if (descriptors != null) {
+ Object o;
+ // File tags
+ o = descriptors.get("file"); if (o != null) dict.name = ((String) o);
+ o = descriptors.get("fileComment"); if (o != null) dict.comment = ((String) o);
+ o = descriptors.get("fileLanguage"); if (o != null) dict.language = ((String) o);
+ o = descriptors.get("fileCountry"); if (o != null) dict.country = ((String) o);
+ o = descriptors.get("fileVariant"); if (o != null) dict.variant = ((String) o);
+ o = descriptors.get("fileManager"); if (o != null) dict.manager = ((String) o);
+
+ // Group tags
+ o = descriptors.get("group");
+ if (o != null) {
+ group = new BundleGroup(dict, (String)o);
+ item.setParentGroup(group);
+ dict.addBundleGroup(group);
+ }
+ o = descriptors.get("groupComment"); if (o != null) group.setComment((String) o);
+
+ // Item tags
+ o = descriptors.get("comment"); if (o != null) item.setComment((String) o);
+ o = descriptors.get("translated"); if (o != null) item.setTranslated(((String) o).equalsIgnoreCase("true"));
+ o = descriptors.get("creator"); if (o != null) item.setCreator((String) o);
+ o = descriptors.get("modifier"); if (o != null) item.setModifier((String) o);
+ o = descriptors.get("created"); if (o != null) item.setCreatedDate((String) o);
+ o = descriptors.get("modified"); if (o != null) item.setModifiedDate((String) o);
+
+ // Lookup tags (e.g. {_#_} _description_)
+ Enumeration keys = descriptors.keys();
+ while (keys.hasMoreElements()) {
+ String tag = (String)keys.nextElement();
+ if (tag.startsWith("{")) {
+ if (tag.indexOf("}") < 0) continue;
+ String lookup = tag.substring(1,tag.indexOf("}"));
+ item.getLookups().put(lookup,(String) descriptors.get(tag));
+ }
+ }
+ }
+ } // end check of comment line
+ if (line.trim().length() < 1) continue;
+
+ // Grab the name and value (translation) from the line
+ int breakpoint = 0;
+ boolean started = false;
+ char array[] = line.toCharArray();
+ for (int j=0; j < array.length; j++) {
+ if (!started && array[j] != ' ' && array[j] != '\t') started = true;
+ if (started && (array[j] == '=' || array[j] == ':' || array[j] == ' ' || array[j] == '\t')) {
+ breakpoint = j;
+ break;
+ }
+ }
+ String key = String.valueOf(array,0,breakpoint);
+ item.setKey(key);
+ String translation = p.getProperty(key);
+ if (translation == null || translation.equals(""))
+ item.setTranslation(line.substring(line.indexOf("=")+1,line.length()).trim());
+ else item.setTranslation(translation);
+
+ dict.addBundleItem(item);
+ item = new BundleItem(group,null,null);
+ } // end while - next line
+ } // end for looop through languages
+ // Add this opened file to our recent files
+ Preferences.addRecentFilePreference(mainFile.getName(), mainFile.getAbsolutePath());
+ } // end RBManager()
+
+ // *** METHODS ***
+
+ /**
+ * Main
+ */
+
+ public static void main(String args[]) {
+ // Make sure the user specified a path
+ if (args.length < 1) {
+ new RBManager();
+ return;
+ }
+ } // main
+
+ public String toString() { return baseClass; }
+
+ /**
+ * Write the contents of the file to the output stream
+ */
+
+ public void writeToFile() throws IOException {
+ for (int i = 0; i < bundles.size(); i++) {
+ Bundle bundle = (Bundle)bundles.elementAt(i);
+ File outputFile = new File(currentDirectory, baseClass +
+ ((bundle.encoding == null || bundle.encoding.equals("")) ? "" : "_" + bundle.encoding) +
+ ".properties");
+ FileWriter fw = new FileWriter(outputFile);
+ bundle.writeContents(fw);
+ fw.flush();
+ fw.close();
+ }
+ // In case this is a newly created bundle or the location has changed recently, update the recent files, preference
+ Preferences.addRecentFilePreference(baseClass + ".properties", currentDirectory.getAbsolutePath() + File.separator +
+ baseClass + ".properties");
+ }
+
+ /**
+ * Calling this method removes a resource from the resource bundle. This method does not permanently
+ * erase the file containing the resources at this encoding, however any changes or saves that take
+ * place once this file has been removed will not be reflected in this hidden file. To restore the resource,
+ * the bundle will have to be recreated. (This last point may change)
+ */
+
+ public void hideResource(String encoding) {
+ for (int i=0; i < bundles.size(); i++) {
+ Bundle bundle = (Bundle)bundles.elementAt(i);
+ if (bundle.encoding.equals(encoding)) {
+ bundles.removeElement(bundle);
+ break;
+ }
+ }
+ }
+
+ /**
+ * Erases permanently one of the resource files. Be careful about calling this method there is nothing you can do
+ * once a file is erased.
+ */
+
+ public void eraseFile(String encoding) throws IOException {
+ for (int i = 0; i < bundles.size(); i++) {
+ Bundle bundle = (Bundle)bundles.elementAt(i);
+ if (!(bundle.encoding.equals(encoding))) continue;
+ File outputFile = new File(currentDirectory, baseClass +
+ ((bundle.encoding == null || bundle.encoding.equals("")) ? "" : "_" + bundle.encoding) +
+ ".properties");
+ boolean success = outputFile.delete();
+ if (!success) throw new IOException(Resources.getTranslation("error_deletion_not_possible"));
+ hideResource(encoding);
+ break;
+ }
+ }
+
+ /**
+ * Writes only one of the resource files to the file system. This file is specified by the encoding parameter
+ */
+
+ public void writeToFile(String encoding) throws IOException {
+ for (int i = 0; i < bundles.size(); i++) {
+ Bundle bundle = (Bundle)bundles.elementAt(i);
+ if (bundle.encoding.equals(encoding) || (i==0 && encoding.equals(""))) {
+ File outputFile = new File(currentDirectory, baseClass +
+ ((bundle.encoding == null || bundle.encoding.equals("")) ? "" : "_" + bundle.encoding) +
+ ".properties");
+ FileWriter fw = new FileWriter(outputFile);
+ bundle.writeContents(fw);
+ fw.flush();
+ fw.close();
+ break;
+ }
+ }
+ // In case this is a newly created bundle or the location has changed recently, update the recent files, preference
+ Preferences.addRecentFilePreference(baseClass + ".properties", currentDirectory.getAbsolutePath() + File.separator +
+ baseClass + ".properties");
+ }
+
+ /**
+ * Given a BundleItem and some properties to change for that item, this method first checks to make sure the passed
+ * item is valid and if it is, the properties of that item are changed to reflect those passed in as parameters to this
+ * method.
+ * @return true if the BundleItem was valid and updateable, false if otherwise (in this case no changes were made).
+ */
+
+ public boolean editItem(BundleItem item, String name, String value, String groupName, String comment, Hashtable lookups) {
+ if (name == null || name.equals("") || groupName == null || groupName.equals("") || item == null) return false;
+ String oldName = item.getKey();
+ String oldComment = item.getComment();
+ String oldValue = item.getTranslation();
+ String oldGroupName = item.getParentGroup().getName();
+ // Loop through the bundles
+ for (int i = 0; i < bundles.size(); i++) {
+ Bundle bundle = (Bundle)bundles.elementAt(i);
+ BundleItem oldItem = (BundleItem)bundle.allItems.get(oldName);
+ if (oldItem == null) break;
+ if (!oldName.equals(name)) {
+ // A new key
+ oldItem.setKey(name);
+ bundle.allItems.remove(oldItem);
+ bundle.allItems.put(oldItem.getKey(), oldItem);
+ }
+ if (oldItem.getComment() == null || oldItem.getComment().equals(oldComment)) oldItem.setComment(comment);
+ if (oldItem.getTranslation().equals(oldValue)) oldItem.setTranslation(value);
+ oldItem.setLookups(lookups);
+ if (!oldItem.getParentGroup().getName().equals(groupName)) {
+ // A new group
+ oldItem.getParentGroup().removeBundleItem(oldItem.getKey());
+ BundleGroup bg = bundle.getBundleGroup(groupName);
+ if (bg == null) bg = bundle.getUngroupedGroup();
+ oldItem.setParentGroup(bg);
+ bg.addBundleItem(oldItem);
+ }
+ }
+ return true;
+ }
+
+ /**
+ * Attempts to create a new item in each of the language files. The method first checks the base Resource Bundle
+ * to make sure that the item name does not all ready exist. If it does exist the item is not created.
+ * @param name The unique key of the item
+ * @param value The translation of the item for the base class
+ * @param groupName The group name, should all ready exist in the base class
+ * @param Comment An optional comment to be added to the item, can be null
+ * @return An error response. If the creation was successful true
is returned, if there was an error false
is returned.
+ */
+
+ public boolean createItem(String name, String value, String groupName, String comment, Hashtable lookups) {
+ if (name == null || name.equals("") || groupName == null || groupName.equals("")) return false;
+ Bundle mainBundle = (Bundle)bundles.firstElement();
+ BundleGroup mainGroup = null;
+ if (mainBundle.allItems.containsKey(name)) return false;
+ for (int i=0; i < mainBundle.getGroupCount(); i++) {
+ BundleGroup bg = mainBundle.getBundleGroup(i);
+ if (bg.getName().equals(groupName)) {mainGroup = bg; break;}
+ }
+ if (mainGroup == null) return false;
+ // Add to the base class
+ BundleItem mainItem = new BundleItem(mainGroup, name, value);
+ mainItem.setTranslated(true);
+ mainItem.setCreator(currentUser);
+ mainItem.setModifier(currentUser);
+ mainItem.setComment(comment);
+ mainBundle.allItems.put(name, mainItem);
+ mainGroup.addBundleItem(mainItem);
+ if (lookups != null) mainItem.setLookups(lookups);
+ // Add to the rest of the bundles
+ for (int i=1; i < bundles.size(); i++) {
+ Bundle bundle = (Bundle)bundles.elementAt(i);
+ // Find the group
+ BundleGroup group = null;
+ for (int j=0; j < bundle.getGroupCount(); j++) {
+ BundleGroup bg = bundle.getBundleGroup(j);
+ if (bg.getName().equals(groupName)) {group = bg; break;}
+ }
+ if (group == null) {
+ group = new BundleGroup(bundle, groupName);
+ bundle.addBundleGroup(group);
+ }
+ BundleItem item = new BundleItem(group, name, value);
+ item.setCreator(currentUser);
+ item.setModifier(currentUser);
+ item.setComment(comment);
+ if (lookups != null) item.setLookups(lookups);
+ bundle.allItems.put(name, item);
+ bundle.addUntranslatedItem(item);
+ group.addBundleItem(item);
+ }
+ return true;
+ }
+
+ /**
+ * Attempts to create a new group in each of the language files. The method first checks the base Resource Bundle
+ * to make sure that the group name does not all ready exist. If it does exist the group is not created.
+ * @param groupName The unique group name to be created
+ * @param groupComment An optional comment to be added to the group, can be null
+ * @return An error response. If the creation was successful true
is returned, if there was an error false
is returned.
+ */
+
+ public boolean createGroup(String groupName, String groupComment) {
+ if (groupName == null || groupName.equals("")) return false;
+ // Check to see if the group exists
+ Bundle mainBundle = (Bundle)bundles.firstElement();
+ if (mainBundle.hasGroup(groupName)) return false;
+
+ // Create the group
+ for (int i=0; i < bundles.size(); i++) {
+ Bundle bundle = (Bundle)bundles.elementAt(i);
+ BundleGroup bg = new BundleGroup(bundle, groupName);
+ if (groupComment != null) bg.setComment(groupComment);
+ bundle.addBundleGroup(bg);
+ }
+ return true;
+ }
+
+ /**
+ * Removes a group and all of the items within that group from the various
+ * Resource Bundles known to the system. This method removes the group from
+ * the protected vector of groups, then removes all items in that group from
+ * the protected vector of untranslated items, and the protected hashtable of
+ * all items.
+ */
+
+ public void deleteGroup(String groupName) {
+ if (groupName == null) return;
+ // Loop through all of the bundles;
+ for (int i=0; i < bundles.size(); i++) {
+ Bundle bundle = (Bundle)bundles.elementAt(i);
+ bundle.removeGroup(groupName);
+ }
+ }
+
+ /**
+ * Remove resource items of the given name from each of the resource bundles that the system
+ * knows about. This works by first removing the item from the protected vector of translated
+ * items, if it is there, and then removing it from the the hashtable of all items, and then
+ * removing it from its respective group.
+ */
+
+ public void deleteItem(String itemName) {
+ if (itemName == null) return;
+ // Loop through all of the bundles;
+ for (int i=0; i < bundles.size(); i++) {
+ // Loop through untranslated items
+ Bundle bundle = (Bundle)bundles.elementAt(i);
+ bundle.removeUntranslatedItem(itemName);
+
+ // Loop through all Items
+ Enumeration enum = bundle.allItems.elements();
+ while(enum.hasMoreElements()) {
+ BundleItem item = (BundleItem)enum.nextElement();
+ if (item.getKey().equals(itemName)) {
+ bundle.allItems.remove(item);
+ item.getParentGroup().removeBundleItem(item.getKey());
+ }
+ }
+ }
+ }
+
+ /**
+ * Looks through the resources contained in the bundle for a resource of the given encoding. Note that this
+ * search is case sensitive.
+ * @return True if the encoding exists as one of the resource files, false otherwise
+ */
+
+ public boolean hasResource(String encoding) {
+ // Check to see if the encoding exists
+ for (int i=0; i < bundles.size(); i++) {
+ Bundle b = (Bundle)bundles.elementAt(i);
+ if (b.encoding.equals(encoding)) return true;
+ }
+ return false;
+ }
+
+ /**
+ * Attempts to create a new resource file with the given encoding. The method first checks the base Resource Bundle
+ * to make sure that encoding does not all ready exist. If it does exist the resource file is not created.
+ * @param title An optional, quick title for the file, can be null
+ * @param comment An optional comment to be added to the resource, can be null
+ * @param manager The name of the person responsible for this resource, can be null
+ * @param encoding The proper encoding for the resource. Must be of form 'language', 'language_country', or 'language_country_variant'
+ * @param language A more formal name for the language (e.g. 'English', 'Deutsch', etc.), can be null
+ * @param country A more formal name for the country described by the resource, can be null
+ * @param variant A more formal name for the variant described by the resource, can be null
+ * @param copyValues An indication of wether or not to populate the resource with the items in the base class
+ * @return An error response. If the creation was successful true
is returned, if there was an error false
is returned.
+ */
+
+ public boolean createResource(String title, String comment, String manager, String encoding,
+ String language, String country, String variant, boolean copyValues) {
+ if (encoding == null || encoding.equals("") || encoding.startsWith("_")) return false;
+ // Check to see if the encoding exists
+ if (hasResource(encoding)) return false;
+ // Create the resource
+ Bundle bundle = new Bundle(encoding);
+ bundle.name = title;
+ bundle.comment = comment;
+ bundle.manager = manager;
+ bundle.language = language;
+ bundle.country = country;
+ bundle.variant = variant;
+
+ // Create a default group
+ bundle.addBundleGroup("Ungrouped Items", "These are resource items that have not been assigned a group");
+
+ if (copyValues) {
+ Bundle mainBundle = (Bundle)bundles.firstElement();
+ for (int i=0; i < mainBundle.getGroupCount(); i++) {
+ BundleGroup mainGroup = mainBundle.getBundleGroup(i);
+ BundleGroup bg = new BundleGroup(bundle,mainGroup.getName());
+ bg.setComment(mainGroup.getComment());
+ bundle.addBundleGroup(bg);
+ for (int j=0; j < mainGroup.getItemCount(); j++) {
+ BundleItem mainItem = mainGroup.getBundleItem(j);
+ BundleItem item = new BundleItem(bg, mainItem.getKey(), mainItem.getTranslation());
+ item.setComment(mainItem.getComment());
+ item.setCreator(mainItem.getCreator());
+ item.setModifier(mainItem.getModifier());
+ item.setLookups(new Hashtable());
+ // TODO: This should be done in the Bundle class
+ Enumeration enum = mainItem.getLookups().keys();
+ while (enum.hasMoreElements()) {
+ String name = (String)enum.nextElement();
+ String value = (String)mainItem.getLookups().get(name);
+ item.getLookups().put(new String(name), new String(value));
+ }
+ bg.addBundleItem(item);
+ bundle.addUntranslatedItem(item);
+ }
+ }
+ }
+
+ bundles.addElement(bundle);
+
+ return true;
+ }
+
+ /**
+ * Returns the number of duplicate NLS entries
+ */
+
+ public int getNumberDuplicates() {
+ return ((Bundle)bundles.firstElement()).duplicates.size();
+ }
+
+ /**
+ * Returns a single string with a comma delimited listing of all duplicate entries found in the NLS resources
+ */
+
+ public String getDuplicatesListing() {
+ return listStrings(getDuplicatesListingVector());
+ }
+
+ /**
+ * Returns a Vector collection of duplicate BundleItems found in the bundle
+ */
+
+ public Vector getDuplicatesListingVector() {
+ return ((Bundle)bundles.firstElement()).duplicates;
+ }
+
+ /**
+ * A useful debugging method that lists the various BundleGroup names in a String.
+ */
+
+ public String getGroupListing() {
+ return listStrings(getGroupListingVector());
+ }
+
+ /**
+ * Returns a vector collection of all of the BundleGroup items founds int the bundle.
+ */
+
+ public Vector getGroupListingVector() {
+ Vector v = new Vector();
+ Bundle bundle = (Bundle)bundles.firstElement();
+ for (int i=0; i < bundle.getGroupCount(); i++) {
+ String name = bundle.getBundleGroup(i).getName();
+ v.addElement(name);
+ }
+ return v;
+ }
+
+ /**
+ * Returns the total number of languages that the system seems to support
+ */
+
+ public int getNumberLanguages() {
+ return bundles.size();
+ }
+
+ /**
+ * Returns a single string comprised of a comma delimited listing of all languages the system seems to support
+ */
+
+ public String getLanguageListing() {
+ return listStrings(getLanguageListingVector());
+ }
+
+ /**
+ * Returns a vector of strings comprising a list of all languages in the system
+ */
+
+ public Vector getLanguageListingVector() {
+ Vector v = new Vector();
+
+ for (int i = 0; i < bundles.size(); i++) {
+ Bundle dict = (Bundle)bundles.elementAt(i);
+ String dictStr = new String();
+ if (dict.language != null) dictStr += dict.language;
+ if (dict.country != null) dictStr += " " + dict.country;
+ if (dict.variant != null) dictStr += " " + dict.variant;
+ if (dictStr.trim().equals("")) dictStr = (dict.encoding.trim().equals("") ? "Base Resource Bundle" : dict.encoding);
+ v.addElement(dictStr);
+ }
+
+ return v;
+ }
+
+ /**
+ * Returns the number of translations contained across all language files
+ */
+
+ public int getNumberTotalTranslations() {
+ return allBundleKeys.size();
+ }
+
+ /**
+ * Returns the number of BundleGroups in the bundle.
+ */
+
+ public int getNumberGroups() {
+ return ((Bundle)bundles.firstElement()).getGroupCount();
+ }
+
+ /**
+ * Returns the name of the user currently using the editor
+ */
+
+ public String getUser() {
+ return currentUser;
+ }
+
+ /**
+ * Sets the name of the user currently using the editor
+ */
+
+ public void setUser(String user) {
+ currentUser = user;
+ }
+
+ /**
+ * Sets the name of the base class associated with this resource bundle
+ */
+
+ public void setBaseClass(String baseClassName) {
+ baseClass = baseClassName;
+ }
+
+ /**
+ * Sets the directory in the file system in which this resource bundle is to be
+ * saved and retrieved.
+ */
+
+ public void setFileDirectory(File directory) {
+ if (directory.isDirectory()) currentDirectory = directory;
+ }
+
+ /**
+ * Returns the base class name if known, or "Unknown Base Class" otherwise.
+ */
+ public String toSring() {
+ return (baseClass == null ? "Unknown Base Class" : baseClass);
+ }
+
+ /**
+ * Returns the base class name or null if it does not exist.
+ */
+
+ public String getBaseClass() {
+ return baseClass;
+ }
+
+ protected Vector getBundles() {
+ return bundles;
+ }
+
+ /**
+ * Returns the name of the file that is the base class file for the resource bundle.
+ */
+
+ public File getBaseFile() {
+ return new File(currentDirectory,baseClass + ".properties");
+ }
+
+ // Return a single comma delimited string made from a vector of strings
+ private String listStrings(Vector v) {
+ String retStr = new String();
+ for (int i = 0; i < v.size(); i++) {
+ Object o = v.elementAt(i);
+ if (!(o instanceof String)) continue;
+ String s = (String)o;
+ if (i > 0) retStr += ", ";
+ retStr += s;
+ }
+ return retStr;
+ }
+
+ // Init - called before ant construction
+ private void init() {
+ allBundleKeys = new Vector();
+ bundles = new Vector();
+ currentUser = "Unknown";
+ }
+
+ // Return a hashtable of the tags in a comment line (i.e. the text after each '@' character) and their values
+ private Hashtable getDescriptors(Hashtable result, String line) {
+ // Recursion terminating condition
+ if (line == null || line.length() <= 0 || line.indexOf("@") < 0) return result;
+ // Otherwise generate what information we can and recurse
+ if (result == null) result = new Hashtable();
+ // Strip off any information before and including a '@'
+ line = line.substring(line.indexOf("@")+1, line.length());
+ // There should be a space after the '@_tag_' and the value of this property
+ if (line.indexOf(" ") < 0) return result; // This shouldn't happen if things are formatted right
+ // Add the text after the '@' character up to the first whitespace (has to be a space, not tab or other whitespace)
+ String name = line.substring(0,line.indexOf(" ")).trim();
+ // Now strip off the tag name
+ line = line.substring(line.indexOf(" "), line.length());
+ // If there is another '@' character we take the value up until that character
+ if (line.indexOf("@") >= 0) {
+ result.put(name,line.substring(0,line.indexOf("@")).trim());
+ }
+ // Otherwise we take the rest of the characters in the line
+ else {
+ result.put(name,line.trim());
+ return result;
+ }
+ // Recurse
+ return getDescriptors(result, line.substring(line.indexOf("@"), line.length()));
+ }
+
+ // Checks an array of strings to see if it contains a particular string
+ private static boolean arrayContains(String[] array, String match) {
+ for (int i = 0; i < array.length; i++) {
+ if (array[i].equals(match)) return true;
+ }
+ return false;
+ }
+
+ // Prints the usage of the program when called from main
+ private static void printUsage() {
+ String usage = new String();
+ usage += "Usage:\n\njava com.ibm.almaden.TempusFugit.Tools.RBManager fileName ((-r | -d) encoding?)?";
+ usage += "\n\n fileName -> The file (and path?) representing the main NLS resource\n\t\t(i.e. TempusFugit.resources)\n";
+ usage += " encoding -> Returns results for only the language encoding specified\n";
+ usage += " flag -r -> Gives only a status report on the state of the translations\n";
+ System.out.println(usage);
+ }
+
+ // Given a language encoding, returns the name of the language if known, otherwise returns the given parameter
+ // Example: decodeLanguageName("de"); returns "German"
+
+ private static String decodeLanguageName(String encoding) {
+ // This should probably be done with a hash table
+ if (encoding.equalsIgnoreCase("de")) return "German";
+ else if (encoding.equalsIgnoreCase("en_us")) return "U.S. English";
+ else if (encoding.equalsIgnoreCase("en_ca")) return "Canadian English";
+ else if (encoding.equalsIgnoreCase("fi")) return "Finnish";
+ else if (encoding.equalsIgnoreCase("fr")) return "French";
+ else if (encoding.equalsIgnoreCase("sv")) return "Swedish";
+ else if (encoding.equalsIgnoreCase("kr")) return "Korean";
+ return encoding;
+ }
+} // ListAllInstances
+
+
+/*
+ * $History: RBManager.java $
+ *
+ * ***************** Version 18 *****************
+ * User: Jjared Date: 5/09/02 Time: 10:40a
+ * Updated in $/RBManager/Source/com/ibm/rbm
+ * Update from work on my laptop
+ *
+ * ***************** Version 17 *****************
+ * User: Jjared Date: 12/19/01 Time: 12:49p
+ * Updated in $/RBManager/Source/com/ibm/rbm
+ * Updated for version 0.5a. Includes new 'Project Tree View'
+ *
+ * ***************** Version 16 *****************
+ * User: Jjared Date: 11/20/01 Time: 9:36a
+ * Updated in $/RBManager/Source/com/ibm/rbm
+ * Updates for version 0.5a
+ *
+ * ***************** Version 15 *****************
+ * User: Jjared Date: 6/29/01 Time: 11:02a
+ * Updated in $/RBManager/Source/com/ibm/rbm
+ * This is the version with the time bomb set to go off on Decmber 15,
+ * 2001
+ *
+ * ***************** Version 14 *****************
+ * User: Jjared Date: 6/27/01 Time: 5:49p
+ * Updated in $/RBManager/Source/com/ibm/rbm
+ * This is an update prior to adding new code to place a 'time bomb' into
+ * the code in preparation for version 0.4a
+ *
+ * ***************** Version 13 *****************
+ * User: Jjared Date: 3/20/01 Time: 11:23a
+ * Updated in $/RBManager/Source/com/ibm/rbm
+ *
+ * ***************** Version 12 *****************
+ * User: Jjared Date: 2/13/01 Time: 9:59a
+ * Updated in $/RBManager/Source/com/ibm/rbm
+ * Almost there ... 0.3a
+ *
+ * ***************** Version 11 *****************
+ * User: Jjared Date: 2/07/01 Time: 2:12p
+ * Updated in $/RBManager/Source/com/ibm/rbm
+ * Almost version 0.3a - Will do a final check to make sure everything
+ * works
+ *
+ * ***************** Version 10 *****************
+ * User: Jjared Date: 2/06/01 Time: 1:34p
+ * Updated in $/RBManager/Source/com/ibm/rbm
+ *
+ * ***************** Version 9 *****************
+ * User: Jjared Date: 2/05/01 Time: 1:41p
+ * Updated in $/RBManager/Source/com/ibm/rbm
+ *
+ * ***************** Version 8 *****************
+ * User: Jjared Date: 1/26/01 Time: 11:38a
+ * Updated in $/RBManager/Source/com/ibm/rbm
+ * Visual components for import defined
+ *
+ * ***************** Version 7 *****************
+ * User: Jjared Date: 11/21/00 Time: 1:38p
+ * Updated in $/RBManager/Source/com/ibm/rbm
+ * checkin for time
+ *
+ * ***************** Version 6 *****************
+ * User: Jjared Date: 11/10/00 Time: 1:09p
+ * Updated in $/RBManager/Source/com/ibm/rbm
+ *
+ * ***************** Version 5 *****************
+ * User: Jjared Date: 11/08/00 Time: 9:02a
+ * Updated in $/RBManager/Source/com/ibm/rbm
+ * Preferences and about panel now functional
+ *
+ * ***************** Version 4 *****************
+ * User: Jjared Date: 10/26/00 Time: 4:20p
+ * Updated in $/RBManager/Source/com/ibm/rbm
+ *
+ * ***************** Version 3 *****************
+ * User: Jjared Date: 10/25/00 Time: 4:04p
+ * Updated in $/RBManager/Source/com/ibm/rbm
+ * Moved public data members to public method calls
+ *
+ * ***************** Version 1 *****************
+ * User: Jjared Date: 10/23/00 Time: 8:54a
+ * Created in $/Tempus Fugit/Development/Java/com/ibm/almaden/RBManager
+ * Initial inclussion in com.ibm.almaden
+ *
+ * ***************** Version 2 *****************
+ * User: Jjared Date: 10/10/00 Time: 4:14p
+ * Updated in $/Tempus Fugit/Development/Java/com/ibm/almaden/TempusFugit/Tools
+ *
+ * ***************** Version 1 *****************
+ * User: Jjared Date: 9/29/00 Time: 10:05a
+ * Created in $/Tempus Fugit/Development/Java/com/ibm/almaden/TempusFugit/Tools
+ * Initial version
+ *
+ */
\ No newline at end of file
diff --git a/tools/unicodetools/com/ibm/rbm/RBManagerGUI.java b/tools/unicodetools/com/ibm/rbm/RBManagerGUI.java
new file mode 100644
index 00000000000..6ea814581ab
--- /dev/null
+++ b/tools/unicodetools/com/ibm/rbm/RBManagerGUI.java
@@ -0,0 +1,5154 @@
+/*
+ *****************************************************************************
+ * Copyright (C) 2000-2002, International Business Machines Corporation and *
+ * others. All Rights Reserved. *
+ *****************************************************************************
+ *
+ * $Source: /xsrl/Nsvn/icu/unicodetools/com/ibm/rbm/Attic/RBManagerGUI.java,v $
+ * $Date: 2002/05/20 18:53:09 $
+ * $Revision: 1.1 $
+ *
+ *****************************************************************************
+ */
+package com.ibm.rbm;
+
+import java.awt.*;
+import java.awt.event.*;
+import java.io.*;
+import java.text.DateFormat;
+import java.util.*;
+import javax.swing.*;
+import javax.swing.event.*;
+import javax.swing.table.*;
+import javax.swing.text.*;
+import javax.swing.tree.*;
+import javax.swing.filechooser.*;
+
+/**
+ * The Graphical User Interface for working with and through a Resource Bundle Manager. The GUI has no public main
+ * method. It is instead instantiated from running the main method in RBManager. For help with using this interface,
+ * consult the documentation included in the project.
+ *
+ * @author Jared Jackson - Email: jjared@almaden.ibm.com
+ * @see com.ibm.rbm.RBManager
+ */
+public class RBManagerGUI extends JFrame implements ActionListener, MouseListener, ChangeListener, TreeSelectionListener
+{
+ // CONSTANTS
+ private static final int buffer = 20;
+ private static final Dimension dimMain = new Dimension(750,550);
+ private static final Dimension dimMainMax = new Dimension(2000,1500);
+ private static final Dimension dimMainMin = new Dimension(550,350);
+ private static final Dimension dimTop = new Dimension(dimMain.width - buffer,50);
+ private static final Dimension dimTopMax = new Dimension(dimMainMax.width - buffer,50);
+ private static final Dimension dimTopMin = new Dimension(dimMainMin.width - buffer,50);
+ private static final Dimension dimBottom = new Dimension(dimMain.width - buffer,dimMain.height-dimTop.height - buffer);
+ private static final Dimension dimBottomMax = new Dimension(dimMainMax.width - buffer,dimMainMax.height-dimTopMin.height - buffer);
+ private static final Dimension dimBottomMin = new Dimension(dimMainMin.width - buffer,dimMainMin.height-dimTopMax.height - buffer);
+ private static final Dimension dimLeft = new Dimension(175,dimBottom.height - buffer);
+ private static final Dimension dimRight = new Dimension(dimMain.width-dimLeft.width - buffer,dimBottom.height - buffer);
+
+ /**
+ * Used for toggling the debug mode
+ */
+ public static final boolean debug = false;
+ /**
+ * Used to count debug messages
+ */
+ public static int debugcount = 0;
+
+ // member declarations
+
+ // ** DATA **
+ RBManager rbm = null;
+ String userName = Resources.getTranslation("unknown_user");
+
+ DefaultMutableTreeNode activeNode = null;
+
+ // ** MAIN MENU **
+ RBManagerMenuBar jMenuBarMain = null;
+
+ // ** CONTENT PANES **
+ Box boxMain = new Box(BoxLayout.Y_AXIS);
+ JPanel jPanelTop = new JPanel();
+ JPanel jPanelBottom = new JPanel();
+ JSplitPane jSplitPaneMain = new JSplitPane(JSplitPane.HORIZONTAL_SPLIT);
+
+ // ** TOP COMPONENTS **
+ JLabel jLabelTitle = new JLabel(new ImageIcon(this.getClass().getResource("images/" +
+ Resources.getTranslation("logo_filename"))));
+ //JLabel jLabelTitle = new JLabel(new ImageIcon(this.getClass().getResource("images/TitleLogo_transparent.gif")));
+
+ // ** SPLIT PANE COMPONENTS **
+ JTree jTreeDisplay = new JTree();
+ JTabbedPane jTabbedPaneMain = new JTabbedPane();
+ RBStatisticsPanel jPanelStats = new RBStatisticsPanel();
+ RBUntranslatedPanel jPanelUntrans = new RBUntranslatedPanel(this);
+ RBGroupPanel jPanelGroups = new RBGroupPanel(this);
+ RBSearchPanel jPanelSearch = new RBSearchPanel(this);
+ JScrollPane jScrollPaneTree = new JScrollPane(jTreeDisplay,
+ JScrollPane.VERTICAL_SCROLLBAR_AS_NEEDED,
+ JScrollPane.HORIZONTAL_SCROLLBAR_AS_NEEDED);
+ // ** PROJECT VIEW SPLIT PANE COMPONENTS
+ JTabbedPane treeTabbedPane = new JTabbedPane();
+ JTree projectTree = new JTree();
+ JScrollPane projectScrollPane = new JScrollPane(projectTree,
+ JScrollPane.VERTICAL_SCROLLBAR_AS_NEEDED,
+ JScrollPane.HORIZONTAL_SCROLLBAR_AS_NEEDED);
+ RBProjectItemPanel projectPanel = new RBProjectItemPanel(this);
+ RBProject project = null;
+
+ // ** File Chooser **
+ JFileChooser openFileChooser = new JFileChooser();
+ JFileChooser saveFileChooser = new JFileChooser();
+ JFileChooser projectFileChooser = new JFileChooser();
+
+ /**
+ * Creation of the GUI should be immediately followed by the method calls to initComponents() and setVisible(true).
+ * These methods were not called by default for programming discretion
+ */
+
+ public RBManagerGUI()
+ {
+ }
+
+ /**
+ * Inherits from JFrame.validate(), with some component updates
+ */
+
+ public void validate() {
+ super.validate();
+ updateDisplayPanels();
+ }
+
+ /**
+ * Initial construction of all of the GUI components. This method should be called immediately following the
+ * construction of the GUI object.
+ */
+
+ public void initComponents() throws Exception
+ {
+ this.setDefaultCloseOperation(WindowConstants.DO_NOTHING_ON_CLOSE);
+ // the following code sets the frame's initial state
+
+ openFileChooser.setFileFilter(new javax.swing.filechooser.FileFilter() {
+ public boolean accept(File f) {
+ if (f.isDirectory()) return true;
+
+ String name = f.getName();
+ if (!(name.toLowerCase().endsWith(".properties"))) return false;
+ if (name.indexOf("_") > 0) return false;
+ return true;
+ }
+
+ public String getDescription() {
+ return Resources.getTranslation("dialog_file_filter_description");
+ }
+ });
+
+ saveFileChooser.setFileFilter(new javax.swing.filechooser.FileFilter() {
+ public boolean accept(File f) {
+ if (f.isDirectory()) return true;
+
+ String name = f.getName();
+ if (!(name.toLowerCase().endsWith(".properties"))) return false;
+ if (name.indexOf("_") > 0) return false;
+ return true;
+ }
+
+ public String getDescription() {
+ return Resources.getTranslation("dialog_file_filter_description");
+ }
+ });
+
+ projectFileChooser.setFileFilter(new javax.swing.filechooser.FileFilter() {
+ public boolean accept(File f) {
+ if (f.isDirectory()) return true;
+
+ String name = f.getName();
+ if (!(name.toLowerCase().endsWith(".rbproject"))) return false;
+ return true;
+ }
+
+ public String getDescription() {
+ return Resources.getTranslation("dialog_project_filter_description");
+ }
+ });
+
+ // ** The Main program icon **
+ setIconImage((new ImageIcon(getClass().getResource("images/tree_icon_bundle.gif"))).getImage());
+
+ // ** MAIN MENU BAR ITEMS **
+ jMenuBarMain = new RBManagerMenuBar(this);
+
+ // ** DISPLAY TREE **
+ //jScrollPaneTree.setSize(dimLeft);
+ updateDisplayTree();
+ updateProjectTree();
+ updateProjectPanels();
+
+ jPanelStats.setSize(dimRight);
+ jPanelUntrans.setSize(dimRight);
+ jPanelGroups.setSize(dimRight);
+ jPanelSearch.setSize(dimRight);
+
+ // ** MAIN TABBED PANE **
+ jTabbedPaneMain.setSize(dimRight);
+ jTabbedPaneMain.addTab(Resources.getTranslation("tab_statistics"), jPanelStats);
+ jTabbedPaneMain.addTab(Resources.getTranslation("tab_untranslated"), jPanelUntrans);
+ jTabbedPaneMain.addTab(Resources.getTranslation("tab_groups"), jPanelGroups);
+ jTabbedPaneMain.addTab(Resources.getTranslation("tab_search"), jPanelSearch);
+
+ // ** LEFT TABBED PANE **
+ treeTabbedPane.setSize(dimLeft);
+ treeTabbedPane.setPreferredSize(dimLeft);
+ treeTabbedPane.addTab(Resources.getTranslation("tab_bundle"), jScrollPaneTree);
+ treeTabbedPane.addTab(Resources.getTranslation("tab_project"), projectScrollPane);
+ treeTabbedPane.addChangeListener(this);
+
+ // ** MAIN SPLIT PANE **
+ //jSplitPaneMain.setSize(dimBottom);
+ //jSplitPaneMain.setLeftComponent(jScrollPaneTree);
+ jSplitPaneMain.setLeftComponent(treeTabbedPane);
+ jSplitPaneMain.setRightComponent(jTabbedPaneMain);
+ jSplitPaneMain.setContinuousLayout(true);
+
+ // ** TOP PANEL **
+ //jPanelTop.setPreferredSize(dimTop);
+ jPanelTop.setMaximumSize(dimTopMax);
+ jPanelTop.setMinimumSize(dimTopMin);
+ jPanelTop.setBorder(BorderFactory.createLineBorder(Color.black));
+ jPanelTop.add(jLabelTitle);
+
+ // ** BOTTOM PANEL **
+ //jPanelBottom.setPreferredSize(dimBottom);
+ jPanelBottom.setMaximumSize(dimBottomMax);
+ jPanelBottom.setMinimumSize(dimBottomMin);
+ jPanelBottom.setBorder(BorderFactory.createLineBorder(Color.black));
+ jPanelBottom.setLayout(new BorderLayout(1,1));
+ jPanelBottom.removeAll();
+ jPanelBottom.add(jSplitPaneMain, BorderLayout.CENTER);
+
+ // ** MAIN FRAME SETUP **
+ setLocation(new java.awt.Point(0, 0));
+ dimMain.height += jMenuBarMain.getPreferredSize().height;
+ setSize(dimMain);
+ ((JComponent)getContentPane()).setMaximumSize(dimMainMax);
+ ((JComponent)getContentPane()).setMinimumSize(dimMainMin);
+ setJMenuBar(jMenuBarMain);
+ getContentPane().removeAll();
+ getContentPane().add(jPanelTop,BorderLayout.NORTH);
+ getContentPane().add(jPanelBottom, BorderLayout.CENTER);
+ setTitle(Resources.getTranslation("resource_bundle_manager"));
+ validateTree();
+
+ addWindowListener(new java.awt.event.WindowAdapter() {
+ public void windowClosing(java.awt.event.WindowEvent e) {
+ thisWindowClosing(e);
+ }
+ });
+ }
+
+ private boolean mShown = false;
+
+ /**
+ * Reveals the private method of JFrame.validateTree()
+ */
+
+ public void validateMyTree() {
+ validateTree();
+ }
+
+ /**
+ * Creates a new Resource File (i.e. English, English Canada, Finnish, etc.)
+ */
+
+ public void createResourceFile() {
+ new ResourceCreationDialog(rbm, this, Resources.getTranslation("dialog_title_new_file"), true);
+ }
+
+ /**
+ * Creates a new group for grouping BundleItems
+ */
+
+ public void createBundleGroup() {
+ new BundleGroupCreationDialog(rbm, this, Resources.getTranslation("dialog_title_new_group"), true);
+ updateDisplayPanels();
+ }
+
+ /**
+ * Creates a new BundleItem
+ */
+
+ public void createBundleItem() {
+ new BundleItemCreationDialog(rbm, this, Resources.getTranslation("dialog_title_new_item"), true);
+ }
+
+ /**
+ * Handles events generated
+ */
+
+ public void valueChanged(TreeSelectionEvent ev) {
+ if (ev.getSource() == projectTree) updateProjectPanels();
+ else if (ev.getSource() == jTreeDisplay) {
+ TreePath selPath = jTreeDisplay.getSelectionPath();
+ activeNode = (DefaultMutableTreeNode)selPath.getLastPathComponent();
+ updateDisplayPanels();
+ /*
+ int selRow = jTreeDisplay.getRowForLocation(ev.getX(), ev.getY());
+ TreePath selPath = jTreeDisplay.getPathForLocation(ev.getX(), ev.getY());
+ if (selRow != -1) {
+ if (ev.getClickCount() == 1 && ev.getSource() == jTreeDisplay) {
+
+ System.out.println("Other tree");
+ } else if (ev.getClickCount() == 1 && ev.getSource() == projectTree) {
+ System.out.println("Mouse pressed");
+ updateProjectPanels();
+ } else System.out.println(String.valueOf(ev.getClickCount()) + " " + ev.getSource().toString());
+
+ */
+ }
+ }
+
+ public void stateChanged(ChangeEvent ev) {
+ if (ev.getSource() == treeTabbedPane) {
+ int index = treeTabbedPane.getSelectedIndex();
+ String title = treeTabbedPane.getTitleAt(index);
+ if (title.equals(Resources.getTranslation("tab_bundle"))) {
+ jSplitPaneMain.setRightComponent(jTabbedPaneMain);
+ updateDisplayPanels();
+ } else if (title.equals(Resources.getTranslation("tab_project"))) {
+ jSplitPaneMain.setRightComponent(projectPanel);
+ updateProjectPanels();
+ }
+ }
+ }
+
+ public void actionPerformed(ActionEvent ev) {
+ if (ev.getID() == ActionEvent.ACTION_PERFORMED) {
+ if (ev.getSource() instanceof JMenuItem && ((JMenuItem)ev.getSource()).getName() != null &&
+ ((JMenuItem)ev.getSource()).getName().startsWith("__")) { // Menu -> File -> __Recent File
+ // This item is a recent file selection. We need to open that file
+ String fileLocation = ((JMenuItem)ev.getSource()).getName();
+ fileLocation = fileLocation.substring(2,fileLocation.length());
+ try {
+ rbm = new RBManager(new File(fileLocation));
+ updateDisplayTree();
+ updateProjectTree();
+ updateProjectPanels();
+ } catch (IOException ioe) {
+ JOptionPane.showMessageDialog(this,Resources.getTranslation("error_opening_file", ev.getActionCommand()),
+ Resources.getTranslation("dialog_title_error_opening_file"),
+ JOptionPane.ERROR_MESSAGE);
+ rbm = null;
+ }
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_tree_save")) &&
+ ((JMenuItem)ev.getSource()).getName() != null) { // Popup Tree Menu -> Save
+ String selectedEncoding = ((JMenuItem)ev.getSource()).getName();
+ saveResources(selectedEncoding);
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_tree_hide")) &&
+ ((JMenuItem)ev.getSource()).getName() != null) { // Popup Tree Menu -> Hide
+ String selectedEncoding = ((JMenuItem)ev.getSource()).getName();
+ // Should I prompt for this?
+ hideResources(selectedEncoding);
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_tree_delete")) &&
+ ((JMenuItem)ev.getSource()).getName() != null) { // Popup Tree Menu -> Delete
+ String selectedEncoding = ((JMenuItem)ev.getSource()).getName();
+ int response = JOptionPane.showConfirmDialog(this,
+ Resources.getTranslation("dialog_delete_warning"),
+ Resources.getTranslation("dialog_title_quit"), JOptionPane.YES_NO_CANCEL_OPTION,
+ JOptionPane.WARNING_MESSAGE);
+ if (response == JOptionPane.YES_OPTION) {
+ deleteResources(selectedEncoding);
+ }
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_tree_new_project"))) {
+ String response = JOptionPane.showInputDialog(this, // Popup Project Menu -> New Project
+ Resources.getTranslation("dialog_new_project"), Resources.getTranslation("dialog_title_new_project"),
+ JOptionPane.QUESTION_MESSAGE);
+ if (response == null || response.trim().equals("")) return;
+ project = new RBProject(response);
+ updateProjectTree();
+ updateProjectPanels();
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_tree_open_project"))) {
+ int result = projectFileChooser.showOpenDialog(this); // Popup Project Menu -> Open Project
+ if (result == JFileChooser.APPROVE_OPTION) {
+ File f = projectFileChooser.getSelectedFile();
+ try {
+ project = new RBProject(f);
+ updateProjectTree();
+ updateProjectPanels();
+ } catch (Exception ex) {
+ JOptionPane.showMessageDialog(this,
+ Resources.getTranslation("error_creating_project"),
+ Resources.getTranslation("dialog_title_error"), JOptionPane.ERROR_MESSAGE);
+ }
+ }
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_tree_save_project"))) {
+ int result = projectFileChooser.showSaveDialog(this); // Popup Project Menu -> Save Project
+ if (result == JFileChooser.APPROVE_OPTION) {
+ File f = projectFileChooser.getSelectedFile();
+ try {
+ project.write(f);
+ } catch (Exception ex) {
+ JOptionPane.showMessageDialog(this,
+ Resources.getTranslation("error_saving_project"),
+ Resources.getTranslation("dialog_title_error"), JOptionPane.ERROR_MESSAGE);
+ }
+ }
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_tree_add_project_bundle"))) {
+ int result = openFileChooser.showOpenDialog(this); // Popup Project Menu -> Add Bundle
+ if (result == JFileChooser.APPROVE_OPTION) {
+ File f = openFileChooser.getSelectedFile();
+ try {
+ project.addBundle(f.getAbsolutePath());
+ updateProjectTree();
+ updateProjectPanels();
+ } catch (Exception ex) {
+ JOptionPane.showMessageDialog(this,
+ Resources.getTranslation("error_adding_project_bundle"),
+ Resources.getTranslation("dialog_title_error"), JOptionPane.ERROR_MESSAGE);
+ }
+ }
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_tree_remove_project_bundle"))) {
+ String bundleName = ((JMenuItem)ev.getSource()).getName(); // Popup Project Menu -> Remove Bundle
+ project.removeBundle(bundleName);
+ updateProjectTree();
+ updateProjectPanels();
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_tree_select_project_bundle"))) {
+ String bundleName = ((JMenuItem)ev.getSource()).getName(); // Popup Project Menu -> Select Bundle
+ RBManager bundle = project.getBundle(bundleName);
+ rbm = bundle;
+ updateDisplayTree();
+ updateDisplayPanels();
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_file_quit"))) {
+ // Menu -> File -> Quit
+ thisWindowClosing(null);
+ return;
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_file_new"))) {
+ // Menu -> File -> New Resource Bundle
+ promptForSave(null);
+ String oldUser = getUser();
+ if (rbm != null && rbm.getUser() != null && !(rbm.getUser().equals(Resources.getTranslation("unknown_user"))))
+ oldUser = rbm.getUser();
+ String response = JOptionPane.showInputDialog(this,
+ Resources.getTranslation("dialog_new_baseclass"), Resources.getTranslation("dialog_title_new_bundle"),
+ JOptionPane.QUESTION_MESSAGE);
+ if (response != null) {
+ // Test the response for white space
+ if (response.indexOf(" ") > 0 || response.indexOf("\t") > 0 || response.indexOf("\n") > 0) {
+ JOptionPane.showMessageDialog(this,
+ Resources.getTranslation("error_baseclass_whitespace") + "\n" + Resources.getTranslation("error_bundle_not_created"),
+ Resources.getTranslation("dialog_title_error_creating_bundle"), JOptionPane.ERROR_MESSAGE);
+ } else {
+ rbm = new RBManager(response);
+ updateDisplayTree();
+ updateProjectTree();
+ updateProjectPanels();
+ updateDisplayPanels();
+ }
+ }
+ // Update the user information
+ if (oldUser.equals(Resources.getTranslation("unknown_user"))) {
+ String user = JOptionPane.showInputDialog(this,
+ Resources.getTranslation("dialog_user_name"), Resources.getTranslation("dialog_title_user_name"),
+ JOptionPane.QUESTION_MESSAGE);
+ if (user != null && !(user.equals(""))) setUser(user);
+ } else rbm.setUser(oldUser);
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_file_open"))) {
+ // Menu -> File -> Open Resource Bundle
+ promptForSave(null);
+ String oldUser = getUser();
+ if (rbm != null && rbm.getUser() != null && !(rbm.getUser().equals(Resources.getTranslation("unknown_user"))))
+ oldUser = rbm.getUser();
+ openFileChooser.setSelectedFile(new File("Resources" + File.separator + "RBManager.properties"));
+ int status = openFileChooser.showOpenDialog(this);
+ if (status == JFileChooser.CANCEL_OPTION) {
+ // File opening canceled
+ } else if (status == JFileChooser.ERROR_OPTION) {
+ // Error in file open
+ } else {
+ // A file has been selected
+ try {
+ rbm = new RBManager(openFileChooser.getSelectedFile());
+ updateDisplayTree();
+ updateProjectTree();
+ updateProjectPanels();
+ } catch (IOException ioe) {
+ // Should provide some alert here
+ System.err.println("Could not open the file " + openFileChooser.getSelectedFile().getAbsolutePath() +
+ ": " + ioe.getMessage());
+ rbm = null;
+ }
+ }
+ if (rbm == null) return;
+ // Update the user information
+ if (oldUser.equals(Resources.getTranslation("unknown_user"))) {
+ String user = JOptionPane.showInputDialog(this,
+ Resources.getTranslation("dialog_user_name"), Resources.getTranslation("dialog_title_user_name"),
+ JOptionPane.QUESTION_MESSAGE);
+ if (user != null && !(user.equals(""))) setUser(user);
+ } else rbm.setUser(oldUser);
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_file_save"))) {
+ // Menu -> File -> Save Resource Bundle
+ saveResources();
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_file_saveas"))) {
+ // Menu -> File -> Save Resource Bundle As
+ saveResourcesAs();
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_file_import_properties"))) {
+ // Menu -> File -> Import -> Properties
+ if (rbm == null || rbm.getBundles() == null) return;
+ RBPropertiesImporter importer = new RBPropertiesImporter(Resources.getTranslation("import_properties_title"), rbm, this);
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_file_import_java"))) {
+ // Menu -> File -> Import -> Java
+ if (rbm == null || rbm.getBundles() == null) return;
+ RBJavaImporter importer = new RBJavaImporter(Resources.getTranslation("import_java_title"), rbm, this);
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_file_import_TMX"))) {
+ // Menu -> File -> Import -> TMX
+ if (rbm == null || rbm.getBundles() == null) return;
+ RBTMXImporter importer = new RBTMXImporter(Resources.getTranslation("import_TMX_title"), rbm, this);
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_file_export_properties"))) {
+ // Menu -> File -> Export -> Properties
+ RBPropertiesExporter exp = new RBPropertiesExporter();
+ try {
+ if (rbm != null && rbm.getBundles() != null) exp.export(rbm);
+ } catch (IOException ioe) {
+ JOptionPane.showMessageDialog(this, Resources.getTranslation("error_export"),
+ Resources.getTranslation("error"), JOptionPane.ERROR_MESSAGE);
+ }
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_file_export_java"))) {
+ // Menu -> File -> Export -> Java
+ RBJavaExporter exp = new RBJavaExporter();
+ try {
+ if (rbm != null && rbm.getBundles() != null) exp.export(rbm);
+ } catch (IOException ioe) {
+ JOptionPane.showMessageDialog(this, Resources.getTranslation("error_export"),
+ Resources.getTranslation("error"), JOptionPane.ERROR_MESSAGE);
+ }
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_file_export_ICU"))) {
+ // Menu -> File -> Export -> Java
+ RBICUExporter exp = new RBICUExporter();
+ try {
+ if (rbm != null && rbm.getBundles() != null) exp.export(rbm);
+ } catch (IOException ioe) {
+ JOptionPane.showMessageDialog(this, Resources.getTranslation("error_export"),
+ Resources.getTranslation("error"), JOptionPane.ERROR_MESSAGE);
+ }
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_file_export_TMX"))) {
+ // Menu -> File -> Export -> TMX
+ RBTMXExporter exp = new RBTMXExporter();
+ try {
+ if (rbm != null && rbm.getBundles() != null) exp.export(rbm);
+ } catch (IOException ioe) {
+ JOptionPane.showMessageDialog(this, Resources.getTranslation("error_export"),
+ Resources.getTranslation("error"), JOptionPane.ERROR_MESSAGE);
+ }
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_options_addfile"))) {
+ // Menu -> Options -> Add New Resource
+ createResourceFile();
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_options_addgroup")) ||
+ ev.getActionCommand().equals(Resources.getTranslation("button_create_group"))) {
+ // Menu -> Options -> Add New Group
+ createBundleGroup();
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_options_addentry"))) {
+ // Menu -> Options -> Add New Entry
+ createBundleItem();
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_options_preferences"))) {
+ // Menu -> Options -> Preferences
+ PreferencesDialog pd = new PreferencesDialog(this);
+ } else if (ev.getActionCommand().equals(Resources.getTranslation("menu_help_about"))) {
+ // Menu -> Help -> About RBManager
+ AboutDialog.showDialog(this);
+ } else RBManagerGUI.debugMsg("Missed Action Command: " + ev.getActionCommand());
+
+ }
+
+ }
+
+ /**
+ * Handles events generated
+ */
+
+ public void mousePopup(MouseEvent ev) {
+ if (ev.getSource() == jTreeDisplay) {
+ int selRow = jTreeDisplay.getRowForLocation(ev.getX(), ev.getY());
+ TreePath selPath = jTreeDisplay.getPathForLocation(ev.getX(), ev.getY());
+ if (selRow != -1) {
+ if (ev.getClickCount() == 1) {
+ DefaultMutableTreeNode node = (DefaultMutableTreeNode)selPath.getLastPathComponent();
+ Object obj = node.getUserObject();
+ if (obj == null || !(obj instanceof Bundle)) return;
+ Bundle bundle = (Bundle)obj;
+ String encoding = bundle.encoding;
+ if (encoding == null) encoding = new String();
+
+ // Create the menu to display
+ JPopupMenu popupMenu = new JPopupMenu();
+ JMenuItem saveItem = new JMenuItem(Resources.getTranslation("menu_tree_save"));
+ JMenuItem hideItem = new JMenuItem(Resources.getTranslation("menu_tree_hide"));
+ JMenuItem deleteItem = new JMenuItem(Resources.getTranslation("menu_tree_delete"));
+
+ saveItem.setName(encoding); saveItem.addActionListener(this);
+ hideItem.setName(encoding); hideItem.addActionListener(this);
+ deleteItem.setName(encoding); deleteItem.addActionListener(this);
+
+ popupMenu.add(saveItem);
+ if (node.getLevel() != 1) {
+ popupMenu.add(hideItem);
+ popupMenu.add(deleteItem);
+ }
+
+ popupMenu.show(ev.getComponent(), ev.getX(), ev.getY());
+ }
+ }
+ } else if (ev.getSource() == projectTree) {
+ int selRow = projectTree.getRowForLocation(ev.getX(), ev.getY());
+ TreePath selPath = projectTree.getPathForLocation(ev.getX(), ev.getY());
+ if (selRow != -1 && ev.getClickCount() == 1) {
+ DefaultMutableTreeNode node = (DefaultMutableTreeNode)selPath.getLastPathComponent();
+ Object obj = node.getUserObject();
+ if (obj == null) return;
+ else if (obj instanceof String) {
+ JPopupMenu popupMenu = new JPopupMenu();
+ JMenuItem newItem = new JMenuItem(Resources.getTranslation("menu_tree_new_project"));
+ JMenuItem openItem = new JMenuItem(Resources.getTranslation("menu_tree_open_project"));
+ JMenuItem saveItem = new JMenuItem(Resources.getTranslation("menu_tree_save_project"));
+ newItem.addActionListener(this);
+ openItem.addActionListener(this);
+ saveItem.addActionListener(this);
+ popupMenu.add(newItem);
+ popupMenu.add(openItem);
+ popupMenu.add(saveItem);
+ popupMenu.show(ev.getComponent(), ev.getX(), ev.getY());
+ } else if (obj instanceof RBProject) {
+ JPopupMenu popupMenu = new JPopupMenu();
+ JMenuItem newItem = new JMenuItem(Resources.getTranslation("menu_tree_new_project"));
+ JMenuItem openItem = new JMenuItem(Resources.getTranslation("menu_tree_open_project"));
+ JMenuItem saveItem = new JMenuItem(Resources.getTranslation("menu_tree_save_project"));
+ JMenuItem addItem = new JMenuItem(Resources.getTranslation("menu_tree_add_project_bundle"));
+ newItem.addActionListener(this);
+ openItem.addActionListener(this);
+ saveItem.addActionListener(this);
+ addItem.addActionListener(this);
+ popupMenu.add(newItem);
+ popupMenu.add(openItem);
+ popupMenu.add(saveItem);
+ popupMenu.add(addItem);
+ popupMenu.show(ev.getComponent(), ev.getX(), ev.getY());
+ } else if (obj instanceof RBManager) {
+ RBManager rbm = (RBManager)obj;
+ JPopupMenu popupMenu = new JPopupMenu();
+ JMenuItem selectItem = new JMenuItem(Resources.getTranslation("menu_tree_select_project_bundle"));
+ JMenuItem removeItem = new JMenuItem(Resources.getTranslation("menu_tree_remove_project_bundle"));
+ selectItem.setName(rbm.getBaseClass());
+ removeItem.setName(rbm.getBaseClass());
+ selectItem.addActionListener(this);
+ removeItem.addActionListener(this);
+ popupMenu.add(selectItem);
+ popupMenu.add(removeItem);
+ popupMenu.show(ev.getComponent(), ev.getX(), ev.getY());
+ }
+ }
+ }
+ }
+
+ public void mousePressed(MouseEvent ev) {
+ if (ev.isPopupTrigger()) {
+ mousePopup(ev);
+ }
+ }
+
+ public void mouseReleased(MouseEvent ev) {
+ if (ev.isPopupTrigger()) {
+ mousePopup(ev);
+ return;
+ }
+ // Not the popup trigger
+ }
+
+ public void mouseEntered(MouseEvent ev) { }
+
+ public void mouseExited(MouseEvent ev) { }
+
+ public void mouseClicked(MouseEvent ev) {
+ if (ev.getClickCount() == 2 && ev.getSource() instanceof JTable) {
+ // We are going to display the edit frame for the item selected
+ BundleItem item = null;
+ JTable table = (JTable) ev.getSource();
+ if (table.getModel() instanceof UntranslatedItemsTableModel) {
+ int row = table.getSelectedRow();
+ UntranslatedItemsTableModel model = (UntranslatedItemsTableModel)table.getModel();
+ item = model.getBundleItem(row);
+ BundleItemDialog biDialog = new BundleItemDialog(rbm, item, (rbm == null ? "" : rbm.getUser()),
+ this, Resources.getTranslation("dialog_title_edit_item"), true);
+ model.update();
+ } else if (table.getModel() instanceof SearchItemsTableModel) {
+ int row = table.getSelectedRow();
+ SearchItemsTableModel model = (SearchItemsTableModel)table.getModel();
+ item = model.getBundleItem(row);
+ BundleItemDialog biDialog = new BundleItemDialog(rbm, item, (rbm == null ? "" : rbm.getUser()),
+ this, Resources.getTranslation("dialog_title_edit_item"), true);
+ model.update();
+ } else if (table.getModel() instanceof GroupItemsTableModel) {
+ int row = table.getSelectedRow();
+ GroupItemsTableModel model = (GroupItemsTableModel)table.getModel();
+ item = model.getBundleItem(row);
+ BundleItemDialog biDialog = new BundleItemDialog(rbm, item, (rbm == null ? "" : rbm.getUser()),
+ this, Resources.getTranslation("dialog_title_edit_item"), true);
+ model.update();
+ }
+ }
+ }
+
+ protected void updateProjectPanels() {
+ projectPanel.updateComponents();
+ }
+
+ // Update the display of the main panels (stats, untrans, groups). Should be called after a new tree selection
+ protected void updateDisplayPanels() {
+ debugMsg("Updating Display Panels");
+
+ Bundle bundle = null;
+ if (activeNode == null) return;
+ Object o = activeNode.getUserObject();
+ if (o == null) return;
+ if (o instanceof String) {
+ // A node that is not a root was selected.... I need to do something here
+ String str = (String)o;
+ if (rbm == null) return;
+ if (str.equals(rbm.getBaseClass())) {
+ // The base class node was selected
+ jPanelStats.setManager(rbm);
+ jPanelUntrans.setManager(rbm);
+ jPanelGroups.setManager(rbm);
+ jPanelSearch.setManager(rbm);
+ } else {
+ jPanelStats.removeElements();
+ jPanelUntrans.removeElements();
+ jPanelGroups.removeElements();
+ jPanelSearch.removeElements();
+ }
+ //return;
+ } else if (o instanceof Bundle) {
+ bundle = (Bundle) activeNode.getUserObject();
+ jPanelStats.setBundle(bundle);
+ jPanelUntrans.setBundle(bundle);
+ jPanelGroups.setBundle(bundle);
+ jPanelSearch.setBundle(bundle);
+ } else RBManagerGUI.debugMsg(o.toString());
+
+ jPanelStats.updateComponents();
+ jPanelUntrans.updateComponents();
+ jPanelGroups.updateComponents();
+ jPanelSearch.updateComponents();
+
+ validateTree();
+ }
+
+ protected void updateProjectTree() {
+ debugMsg("Updating Project Trees");
+
+ DefaultMutableTreeNode root = null;
+
+ if (project != null) {
+ root = new DefaultMutableTreeNode(project);
+ for (int i=0; i < project.getSize(); i++) {
+ RBManager rbm = project.getBundle(i);
+ DefaultMutableTreeNode bundleNode = new DefaultMutableTreeNode(rbm);
+ root.add(bundleNode);
+ Bundle mainBundle = (Bundle)rbm.getBundles().firstElement();
+ Vector groups = mainBundle.getGroupsAsVector();
+ for (int j=0; j < groups.size(); j++) {
+ BundleGroup group = (BundleGroup)groups.elementAt(j);
+ DefaultMutableTreeNode groupNode = new DefaultMutableTreeNode(group);
+ bundleNode.add(groupNode);
+ Vector items = group.getItemsAsVector();
+ for (int k=0; k < items.size(); k++) {
+ BundleItem item = (BundleItem)items.elementAt(k);
+ DefaultMutableTreeNode itemNode = new DefaultMutableTreeNode(item);
+ groupNode.add(itemNode);
+ }
+ }
+ }
+ } else if (rbm != null) {
+ // There is a resource bundle open, but no project
+ root = new DefaultMutableTreeNode(Resources.getTranslation("no_project"));
+ Bundle mainBundle = (Bundle)rbm.getBundles().firstElement();
+ DefaultMutableTreeNode bundleNode = new DefaultMutableTreeNode(rbm);//(rbm.getBaseClass());
+ root.add(bundleNode);
+ Vector groups = mainBundle.getGroupsAsVector();
+ for (int i=0; i < groups.size(); i++) {
+ BundleGroup group = (BundleGroup)groups.elementAt(i);
+ DefaultMutableTreeNode groupNode = new DefaultMutableTreeNode(group);
+ bundleNode.add(groupNode);
+ Vector items = group.getItemsAsVector();
+ for (int j=0; j < items.size(); j++) {
+ BundleItem item = (BundleItem)items.elementAt(j);
+ DefaultMutableTreeNode itemNode = new DefaultMutableTreeNode(item);
+ groupNode.add(itemNode);
+ }
+ }
+ } else {
+ root = new DefaultMutableTreeNode(Resources.getTranslation("no_project_bundle"));
+ }
+
+ // Create the tree from the roots
+ projectTree = new JTree(root);
+ projectTree.addMouseListener(this);
+ projectTree.addTreeSelectionListener(this);
+ projectTree.setCellRenderer(RBTreeCellRenderer.getInstance());
+ projectScrollPane.getViewport().removeAll();
+ projectScrollPane.getViewport().add(projectTree);
+ repaint();
+ validateTree();
+ return;
+ }
+
+ // Update the display of the tree file map. Should be called when the tree is changed/updated
+ protected void updateDisplayTree() {
+ debugMsg("Updating Display Trees");
+
+ DefaultMutableTreeNode root = null;
+
+ if (rbm == null || rbm.getBundles() == null) {
+ root = new DefaultMutableTreeNode(Resources.getTranslation("no_resource_bundle"));
+ } else {
+ // From here on out, there is a defined resource bundle manager
+ Bundle mainBundle = (Bundle)rbm.getBundles().firstElement();
+ root = new DefaultMutableTreeNode(rbm.getBaseClass());
+ // Add the base class
+ root.add(new DefaultMutableTreeNode(mainBundle));
+
+ DefaultMutableTreeNode currNode = root;
+ for (int i = 1; i < rbm.getBundles().size(); i++) {
+ Bundle currBundle = (Bundle)rbm.getBundles().elementAt(i);
+ String variant = currBundle.getVariantEncoding();
+ String country = currBundle.getCountryEncoding();
+ String language = currBundle.getLanguageEncoding();
+ DefaultMutableTreeNode languageNode = null;
+ // Look for a node representing this language
+ if (language == null || language.equals("")) continue;
+ boolean languageNodeFound = false;
+ for (int j=0; j < root.getChildCount(); j++) {
+ DefaultMutableTreeNode langNode = (DefaultMutableTreeNode)root.getChildAt(j);
+ Object o = langNode.getUserObject();
+ if (o == null || !(o instanceof String)) continue;
+ String str = (String)o;
+ if (str.equals(Resources.getTranslation("tree_language_node", language))) {
+ // There is a non-leaf node with this language
+ languageNodeFound = true;
+ if (country == null || country.equals(""))
+ langNode.add(new DefaultMutableTreeNode(currBundle));
+ else {
+ // We need to look at country, variant
+ boolean countryNodeFound = false;
+ for (int k=0; k < langNode.getChildCount(); k++) {
+ DefaultMutableTreeNode countryNode = (DefaultMutableTreeNode)langNode.getChildAt(k);
+ Object o2 = countryNode.getUserObject();
+ if (o2 == null || !(o2 instanceof String)) continue;
+ String str2 = (String)o2;
+ if (str2.equals(Resources.getTranslation("tree_country_node", country))) {
+ // There is a non-leaf node for this country
+ countryNodeFound = true;
+ if (variant == null || variant.equals("")) {
+ countryNode.add(new DefaultMutableTreeNode(currBundle));
+ } else {
+ // We need to look at variant
+ boolean variantNodeFound = false;
+ for (int l=0; l < countryNode.getChildCount(); l++) {
+ DefaultMutableTreeNode variantNode = (DefaultMutableTreeNode)countryNode.getChildAt(l);
+ Object o3 = variantNode.getUserObject();
+ if (o3 == null || !(o3 instanceof String)) continue;
+ String str3 = (String)o3;
+ if (str3.equals(Resources.getTranslation("tree_variant_node"))) {
+ variantNodeFound = true;
+ variantNode.add(new DefaultMutableTreeNode(currBundle));
+ }
+ } // end for - country node loop
+ if (!variantNodeFound) {
+ DefaultMutableTreeNode variantNode = new DefaultMutableTreeNode(Resources.getTranslation("tree_variant_node"));
+ countryNode.add(variantNode);
+ variantNode.add(new DefaultMutableTreeNode(currBundle));
+ }
+ }
+ }
+ } // end for - language node loop
+ if (!countryNodeFound) {
+ DefaultMutableTreeNode countryNode = new DefaultMutableTreeNode(Resources.getTranslation("tree_country_node", country));
+ langNode.add(countryNode);
+ if (variant == null || variant.equals("")) {
+ countryNode.add(new DefaultMutableTreeNode(currBundle));
+ } else {
+ // We need to look at the variant
+ boolean variantNodeFound = false;
+ for (int l=0; l < countryNode.getChildCount(); l++) {
+ DefaultMutableTreeNode variantNode = (DefaultMutableTreeNode)countryNode.getChildAt(l);
+ Object o3 = variantNode.getUserObject();
+ if (o3 == null || !(o3 instanceof String)) continue;
+ String str3 = (String)o3;
+ if (str3.equals(Resources.getTranslation("tree_variant_node"))) {
+ variantNodeFound = true;
+ variantNode.add(new DefaultMutableTreeNode(currBundle));
+ }
+ } // end for - country node loop
+ if (!variantNodeFound) {
+ DefaultMutableTreeNode variantNode = new DefaultMutableTreeNode(Resources.getTranslation("tree_variant_node"));
+ countryNode.add(variantNode);
+ variantNode.add(new DefaultMutableTreeNode(currBundle));
+ }
+ }
+ }
+ }
+ }
+ }
+ if (!languageNodeFound) {
+ // We need to create a node for this country
+ DefaultMutableTreeNode langNode = new DefaultMutableTreeNode(Resources.getTranslation("tree_language_node", language));
+ root.add(langNode);
+ if (country == null || country.equals("")) {
+ langNode.add(new DefaultMutableTreeNode(currBundle));
+ } else {
+ // We need to look at the country, variant
+ boolean countryNodeFound = false;
+ for (int k=0; k < langNode.getChildCount(); k++) {
+ DefaultMutableTreeNode countryNode = (DefaultMutableTreeNode)langNode.getChildAt(k);
+ Object o2 = countryNode.getUserObject();
+ if (o2 == null || !(o2 instanceof String)) continue;
+ String str2 = (String)o2;
+ if (str2.equals(Resources.getTranslation("tree_country_node", country))) {
+ // There is a non-leaf node for this country
+ countryNodeFound = true;
+ if (variant == null || variant.equals("")) {
+ countryNode.add(new DefaultMutableTreeNode(currBundle));
+ } else {
+ // We need to look at variant
+ boolean variantNodeFound = false;
+ for (int l=0; l < countryNode.getChildCount(); l++) {
+ DefaultMutableTreeNode variantNode = (DefaultMutableTreeNode)countryNode.getChildAt(l);
+ Object o3 = variantNode.getUserObject();
+ if (o3 == null || !(o3 instanceof String)) continue;
+ String str3 = (String)o3;
+ if (str3.equals(Resources.getTranslation("tree_variant_node"))) {
+ variantNodeFound = true;
+ variantNode.add(new DefaultMutableTreeNode(currBundle));
+ }
+ } // end for - country node loop
+ if (!variantNodeFound) {
+ DefaultMutableTreeNode variantNode = new DefaultMutableTreeNode(Resources.getTranslation("tree_variant_node"));
+ countryNode.add(variantNode);
+ variantNode.add(new DefaultMutableTreeNode(currBundle));
+ }
+ }
+ }
+ } // end for - language node loop
+ if (!countryNodeFound) {
+ DefaultMutableTreeNode countryNode = new DefaultMutableTreeNode(Resources.getTranslation("tree_country_node", country));
+ langNode.add(countryNode);
+ if (variant == null || variant.equals("")) {
+ countryNode.add(new DefaultMutableTreeNode(currBundle));
+ } else {
+ // We need to look at the variant
+ boolean variantNodeFound = false;
+ for (int l=0; l < countryNode.getChildCount(); l++) {
+ DefaultMutableTreeNode variantNode = (DefaultMutableTreeNode)countryNode.getChildAt(l);
+ Object o3 = variantNode.getUserObject();
+ if (o3 == null || !(o3 instanceof String)) continue;
+ String str3 = (String)o3;
+ if (str3.equals(Resources.getTranslation("tree_variant_node"))) {
+ variantNodeFound = true;
+ variantNode.add(new DefaultMutableTreeNode(currBundle));
+ }
+ } // end for - country node loop
+ if (!variantNodeFound) {
+ DefaultMutableTreeNode variantNode = new DefaultMutableTreeNode(Resources.getTranslation("tree_variant_node", variant));
+ countryNode.add(variantNode);
+ variantNode.add(new DefaultMutableTreeNode(currBundle));
+ }
+ }
+ }
+ }
+ }
+ }
+ }
+
+ // Create the tree from the roots
+ jTreeDisplay = new JTree(root);
+ jTreeDisplay.addMouseListener(this);
+ jTreeDisplay.addTreeSelectionListener(this);
+ jTreeDisplay.setCellRenderer(RBTreeCellRenderer.getInstance());
+ jScrollPaneTree.getViewport().removeAll();
+ jScrollPaneTree.getViewport().add(jTreeDisplay);
+ repaint();
+ validateTree();
+ return;
+ }
+
+ /**
+ * Inherits from JFrame.addNotify(), but also inserts the menu bar
+ */
+
+ public void addNotify()
+ {
+ super.addNotify();
+
+ if (mShown)
+ return;
+
+ // resize frame to account for menubar
+ JMenuBar jMenuBar = getJMenuBar();
+ if (jMenuBar != null) {
+ int jMenuBarHeight = jMenuBar.getPreferredSize().height;
+ Dimension dimension = getSize();
+ dimension.height += jMenuBarHeight;
+ setSize(dimension);
+ }
+
+ mShown = true;
+ }
+
+ /**
+ * Called when it may be appropriate to check with the user if they want to save the file
+ */
+
+ boolean promptForSave(String message) {
+ if (rbm != null) {
+ int response = JOptionPane.showConfirmDialog(this,
+ (message == null ? Resources.getTranslation("dialog_save") : message),
+ Resources.getTranslation("dialog_title_quit"), JOptionPane.YES_NO_CANCEL_OPTION,
+ JOptionPane.QUESTION_MESSAGE);
+ if (response == JOptionPane.CANCEL_OPTION) return true;
+ if (response == JOptionPane.YES_OPTION) {
+ return saveResources();
+ }
+ }
+ return true;
+ }
+
+ public boolean deleteResources(String encoding) {
+ if (rbm == null) return false; // This should never happen
+ try {
+ rbm.eraseFile(encoding);
+ } catch (IOException ioe) {
+ JOptionPane.showMessageDialog(this, Resources.getTranslation("error_deleting", ioe.getMessage()),
+ Resources.getTranslation("error"), JOptionPane.ERROR_MESSAGE);
+ if (RBManagerGUI.debug) System.err.println(ioe);
+ return false;
+ }
+ updateDisplayTree();
+ updateProjectTree();
+ updateProjectPanels();
+ updateDisplayPanels();
+ return true;
+ }
+
+ public void hideResources(String encoding) {
+ rbm.hideResource(encoding);
+ updateDisplayTree();
+ updateProjectTree();
+ updateProjectPanels();
+ updateDisplayPanels();
+ }
+
+ /**
+ * Save a particular resources file within the bundle.
+ */
+
+ public boolean saveResources(String encoding) {
+ if (rbm == null) return false; // This should never happen
+ return saveResources(rbm, encoding);
+ }
+
+ public boolean saveResources(RBManager bundle, String encoding) {
+ try {
+ bundle.writeToFile(encoding);
+ } catch (IOException ioe) {
+ JOptionPane.showMessageDialog(this, Resources.getTranslation("error_saving", ioe.getMessage()),
+ Resources.getTranslation("error"), JOptionPane.ERROR_MESSAGE);
+ if (RBManagerGUI.debug) System.err.println(ioe);
+ return false;
+ }
+ return true;
+ }
+
+ /**
+ * Called when the resources are to be saved
+ */
+
+ public boolean saveResources() {
+ if (rbm == null) return true;
+ return saveResources(rbm);
+ }
+
+ public boolean saveResources(RBManager bundle) {
+ try {
+ bundle.writeToFile();
+ } catch (IOException ioe) {
+ JOptionPane.showMessageDialog(this, Resources.getTranslation("error_saving", ioe.getMessage()),
+ Resources.getTranslation("error"), JOptionPane.ERROR_MESSAGE);
+ if (RBManagerGUI.debug) System.err.println(ioe);
+ return false;
+ }
+ return true;
+ }
+
+ /**
+ * Called when the resource bundle is to be saved, but displays a window to the user allowing them
+ * to selecte the file destination of the folder in which to save the bundle as well as the base
+ * class name for the bundle.
+ */
+
+ public boolean saveResourcesAs() {
+ if (rbm == null) return true;
+ int result = saveFileChooser.showSaveDialog(this);
+ if (result == JFileChooser.APPROVE_OPTION) {
+ try {
+ File newFile = saveFileChooser.getSelectedFile();
+ String fileName = newFile.getName();
+ String baseName = fileName;
+ if (fileName.toLowerCase().endsWith(".properties"))
+ baseName = baseName.substring(0,baseName.length()-11);
+ rbm.setBaseClass(baseName);
+ rbm.setFileDirectory(newFile.getParentFile());
+ rbm.writeToFile();
+ } catch (IOException ioe) {
+ JOptionPane.showMessageDialog(this, Resources.getTranslation("error_saving", ioe.getMessage()),
+ Resources.getTranslation("error"), JOptionPane.ERROR_MESSAGE);
+ if (RBManagerGUI.debug) System.err.println(ioe);
+ return false;
+ }
+ }
+ return true;
+ }
+
+ void updateLocale(Locale l) {
+ // Update the menubars
+ jMenuBarMain.updateLocale();
+
+ updateLocale(getContentPane(), l);
+ updateLocale(openFileChooser, l);
+ updateLocale(saveFileChooser, l);
+ // Redraw the panes
+ updateDisplayTree();
+ updateProjectTree();
+ updateProjectPanels();
+ updateDisplayPanels();
+ // update the tab titles
+ jTabbedPaneMain.setTitleAt(0,Resources.getTranslation("tab_statistics"));
+ jTabbedPaneMain.setTitleAt(1,Resources.getTranslation("tab_untranslated"));
+ jTabbedPaneMain.setTitleAt(2,Resources.getTranslation("tab_groups"));
+ setTitle(Resources.getTranslation("resource_bundle_manager"));
+ }
+
+ static void updateLocale(Container c, Locale l) {
+ Component comp[] = c.getComponents();
+ for (int i=0; i < comp.length; i++) {
+ if (comp[i] instanceof JComponent) {
+ ((JComponent)comp[i]).setLocale(l);
+ }
+ if (comp[i] instanceof Container) {
+ updateLocale((Container)comp[i],l);
+ }
+ }
+ if (c instanceof JMenu) {
+ comp = ((JMenu)c).getMenuComponents();
+ for (int i=0; i < comp.length; i++) {
+ if (comp[i] instanceof JComponent) {
+ ((JComponent)comp[i]).setLocale(l);
+ }
+ if (comp[i] instanceof Container) {
+ updateLocale((Container)comp[i],l);
+ }
+ }
+ }
+ }
+
+ void updateUI() {
+ updateUI(getContentPane());
+ jMenuBarMain.updateUI();
+ updateUI(jMenuBarMain);
+ updateUI(openFileChooser);
+ updateUI(saveFileChooser);
+ }
+
+ static void updateUI(Container c) {
+ Component comp[] = c.getComponents();
+ for (int i=0; i < comp.length; i++) {
+ if (comp[i] instanceof JComponent) {
+ ((JComponent)comp[i]).updateUI();
+ }
+ if (comp[i] instanceof Container) {
+ updateUI((Container)comp[i]);
+ }
+ }
+ if (c instanceof JMenu) {
+ comp = ((JMenu)c).getMenuComponents();
+ for (int i=0; i < comp.length; i++) {
+ if (comp[i] instanceof JComponent) {
+ ((JComponent)comp[i]).updateUI();
+ }
+ if (comp[i] instanceof Container) {
+ updateUI((Container)comp[i]);
+ }
+ }
+ }
+ }
+
+ // Close the window when the close box is clicked
+ void thisWindowClosing(java.awt.event.WindowEvent e)
+ {
+ if (promptForSave(Resources.getTranslation("dialog_quit_save"))) {
+ setVisible(false);
+ dispose();
+ System.exit(0);
+ }
+ }
+
+ public void setUser(String userName) {
+ this.userName = userName;
+ if (rbm != null) rbm.setUser(userName);
+ }
+
+ public String getUser() {
+ return userName;
+ }
+
+ public BundleItem getSelectedProjectBundleItem() {
+ TreePath path = projectTree.getSelectionPath();
+ if (path == null) return null;
+ DefaultMutableTreeNode node = (DefaultMutableTreeNode)path.getLastPathComponent();
+ Object obj = node.getUserObject();
+ if (obj == null || !(obj instanceof BundleItem)) return null;
+ return (BundleItem)obj;
+ }
+
+ public RBManager getSelectedProjectBundle() {
+ TreePath path = projectTree.getSelectionPath();
+ if (path == null) return null;
+ for (int i=0; i < path.getPathCount(); i++) {
+ DefaultMutableTreeNode node = (DefaultMutableTreeNode)path.getPathComponent(i);
+ Object obj = node.getUserObject();
+ if (obj != null && obj instanceof RBManager) return (RBManager)obj;
+ }
+ return null;
+ }
+
+ public static void debugMsg(String msg) {
+ if (debug) System.out.println("Debug Message [" + debugcount++ + "]: " + msg);
+ }
+}
+
+/*
+class ProjectFrame extends JFrame implements ActionListener {
+ private RBManagerGUI parent;
+ private JTable table;
+ private JButton addButton;
+ private JButton selectButton;
+ private JButton removeButton;
+ private JButton newButton;
+ private JButton openButton;
+ private JButton closeButton;
+
+ private JFileChooser openFileChooser;
+ private JFileChooser saveFileChooser;
+
+ private File activeFile = null;
+
+ public ProjectFrame(RBManagerGUI parent) {
+ super(Resources.getTranslation("dialog_project_title",Resources.getTranslation("dialog_project_none_selected")));
+ this.parent = parent;
+ initComponents();
+ }
+
+ public void actionPerformed(ActionEvent ev) {
+ if (ev.getSource() == openButton) {
+ int result = openFileChooser.showOpenDialog(this);
+ if (result == JFileChooser.APPROVE_OPTION) {
+ File file = openFileChooser.getSelectedFile();
+ try {
+ table.setModel(new ProjectTableModel(file));
+ activeFile = file;
+ String fileName = file.getName().substring(0,file.getName().length()-10);
+ setTitle(Resources.getTranslation("dialog_project_title",fileName));
+ } catch (IOException ex) {
+ String alert = Resources.getTranslation("error_bad_project_file");
+ JOptionPane.showMessageDialog(this, alert, Resources.getTranslation("error"),
+ JOptionPane.ERROR_MESSAGE);
+ activeFile = null;
+ }
+ }
+ } else if (ev.getSource() == selectButton) {
+ if (table.getSelectedRow() >= 0) {
+ int rowIndex = table.getSelectedRow();
+ // This item is a recent file selection. We need to open that file
+ String fileLocation = (String)table.getValueAt(rowIndex,1);
+ try {
+ parent.rbm = new RBManager(new File(fileLocation));
+ parent.updateDisplayTree();
+ parent.updateProjectTree();
+ parent.updateDisplayPanels();
+ } catch (IOException ioe) {
+ JOptionPane.showMessageDialog(this,Resources.getTranslation("error_opening_file", ev.getActionCommand()),
+ Resources.getTranslation("dialog_title_error_opening_file"),
+ JOptionPane.ERROR_MESSAGE);
+ }
+ }
+ } else if (ev.getSource() == closeButton) {
+ thisWindowClosing(null);
+ } else if (ev.getSource() == newButton) {
+ int result = saveFileChooser.showSaveDialog(this);
+ if (result == JFileChooser.APPROVE_OPTION) {
+ File file = saveFileChooser.getSelectedFile();
+ try {
+ table.setModel(new ProjectTableModel());
+ activeFile = file;
+ FileWriter fw = new FileWriter(file);
+ fw.write("\n");
+ fw.flush();
+ fw.close();
+ } catch (IOException ex) {
+ String alert = Resources.getTranslation("error_bad_project_file");
+ JOptionPane.showMessageDialog(this, alert, Resources.getTranslation("error"),
+ JOptionPane.ERROR_MESSAGE);
+ activeFile = null;
+ }
+ }
+ } else if (ev.getSource() == removeButton) {
+ if (table.getSelectedRow() >= 0) {
+ int rowIndex = table.getSelectedRow();
+ ProjectTableModel ptm = (ProjectTableModel)table.getModel();
+ ptm.removeBundle(ptm.getValueAt(rowIndex,1).toString());
+ try { ptm.write(activeFile); } catch (IOException ex) {}
+ }
+ } else if (ev.getSource() == addButton) {
+ try {
+ File rbFile = parent.rbm.getBaseFile();
+ String filePath = rbFile.getAbsolutePath();
+ ProjectTableModel ptm = (ProjectTableModel)table.getModel();
+ // Check for duplicates
+ for (int i=0; i < ptm.getRowCount(); i++) {
+ if (ptm.getValueAt(i,1).toString().equals(filePath)) return;
+ }
+ ptm.addBundle(parent.rbm.getBaseClass(),rbFile.getAbsolutePath());
+ ptm.write(activeFile);
+ } catch (Exception ex) {}
+ }
+ updateComponents();
+ this.validate();
+ this.repaint();
+ }
+
+ private void thisWindowClosing(WindowEvent ev) {
+ setVisible(false);
+ }
+
+ private void updateComponents() {
+ newButton.setEnabled(true);
+ openButton.setEnabled(true);
+ closeButton.setEnabled(true);
+ if (activeFile == null) {
+ addButton.setEnabled(false);
+ removeButton.setEnabled(false);
+ selectButton.setEnabled(false);
+ } else {
+ addButton.setEnabled(true);
+ selectButton.setEnabled(true);
+ removeButton.setEnabled(true);
+ }
+ }
+
+ private void initComponents() {
+ setSize(new Dimension(500,300));
+ setLocation(200,200);
+ getContentPane().setLayout(new BorderLayout());
+
+ this.setDefaultCloseOperation(WindowConstants.DO_NOTHING_ON_CLOSE);
+ // the following code sets the frame's initial state
+
+ addWindowListener(new java.awt.event.WindowAdapter() {
+ public void windowClosing(java.awt.event.WindowEvent e) {
+ thisWindowClosing(e);
+ }
+ });
+
+ openFileChooser = new JFileChooser(".");
+ saveFileChooser = new JFileChooser(".");
+
+ openFileChooser.setFileFilter(new filechooser.FileFilter() {
+ public boolean accept(File f) {
+ if (f.isDirectory()) return true;
+
+ String name = f.getName();
+ if (!(name.toLowerCase().endsWith(".rbproject"))) return false;
+ return true;
+ }
+
+ public String getDescription() {
+ return Resources.getTranslation("dialog_project_file_filter_description");
+ }
+ });
+
+ saveFileChooser.setFileFilter(new filechooser.FileFilter() {
+ public boolean accept(File f) {
+ if (f.isDirectory()) return true;
+
+ String name = f.getName();
+ if (!(name.toLowerCase().endsWith(".rbproject"))) return false;
+ return true;
+ }
+
+ public String getDescription() {
+ return Resources.getTranslation("dialog_project_file_filter_description");
+ }
+ });
+
+ table = new JTable();
+ initTable();
+
+ openButton = new JButton(Resources.getTranslation("button_project_open"));
+ selectButton = new JButton(Resources.getTranslation("button_project_select"));
+ closeButton = new JButton(Resources.getTranslation("button_project_close"));
+ newButton = new JButton(Resources.getTranslation("button_project_new"));
+ addButton = new JButton(Resources.getTranslation("button_project_add"));
+ removeButton = new JButton(Resources.getTranslation("button_project_remove"));
+ openButton.addActionListener(this);
+ selectButton.addActionListener(this);
+ closeButton.addActionListener(this);
+ newButton.addActionListener(this);
+ addButton.addActionListener(this);
+ removeButton.addActionListener(this);
+
+ JPanel buttonPanel = new JPanel(new GridLayout(2,3));
+ buttonPanel.setBorder(BorderFactory.createEtchedBorder());
+ buttonPanel.add(selectButton);
+ buttonPanel.add(addButton);
+ buttonPanel.add(removeButton);
+ buttonPanel.add(newButton);
+ buttonPanel.add(openButton);
+ buttonPanel.add(closeButton);
+
+ getContentPane().add(table, BorderLayout.CENTER);
+ getContentPane().add(buttonPanel, BorderLayout.SOUTH);
+
+ updateComponents();
+ validate();
+ }
+
+ private void initTable() {
+ table.setSelectionMode(ListSelectionModel.SINGLE_SELECTION);
+ table.setModel(new ProjectTableModel());
+ }
+}
+*/
+
+class RBTreeCellRenderer extends DefaultTreeCellRenderer {
+ private static RBTreeCellRenderer cellRend = null;
+ private static ImageIcon bundleIcon = null;
+ private static ImageIcon languageIcon = null;
+ private static ImageIcon countryIcon = null;
+ private static ImageIcon variantIcon = null;
+ private static ImageIcon fileIcon = null;
+ private static ImageIcon groupIcon = null;
+ private static ImageIcon itemIcon = null;
+ private static ImageIcon projectIcon = null;
+
+ private RBTreeCellRenderer() {
+
+ }
+
+ public Component getTreeCellRendererComponent(JTree tree, Object value, boolean selected, boolean expanded,
+ boolean leaf, int row, boolean hasFocus) {
+ super.getTreeCellRendererComponent(tree, value, selected, expanded, leaf, row, hasFocus);
+
+ DefaultMutableTreeNode node = (DefaultMutableTreeNode)value;
+ int level = node.getLevel();
+ Object obj = node.getUserObject();
+
+ if (obj instanceof BundleGroup) {
+ setIcon(groupIcon);
+ } else if (obj instanceof BundleItem) {
+ setIcon(itemIcon);
+ } else if (obj instanceof RBManager) {
+ setIcon(bundleIcon);
+ } else if (obj instanceof RBProject) {
+ setIcon(projectIcon);
+ } else if (leaf) {
+ if (level != 0) setIcon(fileIcon);
+ } else {
+ if (level == 0) {
+ if (obj instanceof String && ((String)obj).equals(Resources.getTranslation("no_project")))
+ setIcon(projectIcon);
+ else setIcon(bundleIcon);
+ }
+ else if (level == 1) setIcon(languageIcon);
+ else if (level == 2) setIcon(countryIcon);
+ else if (level == 3) setIcon(variantIcon);
+ }
+
+ return this;
+ }
+
+ public static RBTreeCellRenderer getInstance() {
+ if (cellRend == null) {
+ try {
+ Class thisClass = Class.forName("com.ibm.rbm.RBManagerGUI");
+ // Create instances of the icons
+ Image scaledImage = (new ImageIcon(thisClass.getResource("images/tree_icon_bundle.gif"))).getImage().getScaledInstance(16, 16, Image.SCALE_DEFAULT);
+ bundleIcon = new ImageIcon(scaledImage);
+ languageIcon = new ImageIcon(thisClass.getResource("images/tree_icon_language.gif"));
+ countryIcon = new ImageIcon(thisClass.getResource("images/tree_icon_country.gif"));
+ variantIcon = new ImageIcon(thisClass.getResource("images/tree_icon_variant.gif"));
+ fileIcon = new ImageIcon(thisClass.getResource("images/tree_icon_file.gif"));
+ groupIcon = new ImageIcon(thisClass.getResource("images/tree_icon_group.gif"));
+ itemIcon = new ImageIcon(thisClass.getResource("images/tree_icon_item.gif"));
+ projectIcon = new ImageIcon(thisClass.getResource("images/tree_icon_project.gif"));
+ } catch (ClassNotFoundException e) {
+ RBManagerGUI.debugMsg(e.toString());
+ }
+ // Create the instance of the renderer
+ cellRend = new RBTreeCellRenderer();
+ }
+ return cellRend;
+ }
+}
+
+// A dialog which allows the user to create a new Bundle Item
+
+class BundleItemCreationDialog extends JDialog {
+ RBManager rbm;
+ String groupName;
+ BundleItem item;
+ boolean firstInit = true;
+
+ // Helper data
+ int left_col_width = 125;
+ int right_col_width = 275;
+ int row_height = 25;
+ Dimension leftDim = new Dimension(left_col_width, row_height);
+ Dimension rightDim = new Dimension(right_col_width, row_height);
+
+ // Components
+ Box mainBox = new Box(BoxLayout.Y_AXIS);
+ Box box1 = new Box(BoxLayout.X_AXIS);
+ Box box2 = new Box(BoxLayout.X_AXIS);
+ Box box3 = new Box(BoxLayout.X_AXIS);
+ Box box4 = new Box(BoxLayout.X_AXIS);
+ Box box5 = new Box(BoxLayout.X_AXIS);
+ Box box6 = new Box(BoxLayout.X_AXIS);
+
+ JLabel instructionsLabel = new JLabel("");
+ JLabel groupLabel = new JLabel(Resources.getTranslation("dialog_group"));
+ JLabel nameLabel = new JLabel(Resources.getTranslation("dialog_key"));
+ JLabel transLabel = new JLabel(Resources.getTranslation("dialog_translation"));
+ JLabel commentLabel = new JLabel(Resources.getTranslation("dialog_comment"));
+ JLabel lookupLabel = new JLabel(Resources.getTranslation("dialog_lookups"));
+
+ JComboBox groupComboBox = new JComboBox();
+ JTextField nameField = new JTextField("");
+ JTextField transField = new JTextField("");
+ JTextField commentField = new JTextField("");
+ JTextField lookupFields[] = null;
+ JLabel noLookupLabel = null;
+ Box lookupBox = null;
+ Box lookupBoxes[] = null;
+ JLabel lookupLabels[] = null;
+
+ JButton createButton = new JButton(Resources.getTranslation("button_create"));
+ JButton createMoreButton = new JButton(Resources.getTranslation("button_create_more"));
+ JButton cancelButton = new JButton(Resources.getTranslation("button_cancel"));
+
+ Hashtable lookups = new Hashtable();
+
+ public BundleItemCreationDialog(RBManager rbm, JFrame frame, String title, boolean modal) {
+ super(frame, title, modal);
+ this.rbm = rbm;
+ groupName = null;
+ item = null;
+ initComponents();
+ }
+
+ public BundleItemCreationDialog(String groupName, RBManager rbm, JFrame frame, String title, boolean modal) {
+ super(frame, title, modal);
+ this.rbm = rbm;
+ this.groupName = groupName;
+ item = null;
+ initComponents();
+ }
+
+ public BundleItemCreationDialog(BundleItem item, RBManager rbm, JFrame frame, String title, boolean modal) {
+ super(frame, title, modal);
+ this.item = item;
+ this.rbm = rbm;
+ groupName = item.getParentGroup().getName();
+ initComponents();
+ }
+
+ boolean createItem() {
+ if (rbm == null) return false;
+ Hashtable lookupHash = new Hashtable();
+ if (lookupBoxes != null) {
+ for (int i=0; i < lookupBoxes.length; i++) {
+ String nameText = lookupLabels[i].getText().trim();
+ String name = nameText.substring(nameText.indexOf("{")+1,nameText.indexOf("}"));
+ String value = lookupFields[i].getText().trim();
+ lookupHash.put(name,value);
+ }
+ }
+ return rbm.createItem(nameField.getText().trim(), transField.getText().trim(),
+ ((BundleGroup)groupComboBox.getSelectedItem()).getName(),
+ commentField.getText().trim(), lookupHash);
+ }
+
+ boolean editItem() {
+ if (item == null) return false;
+ Hashtable lookupHash = new Hashtable();
+ if (lookupBoxes != null) {
+ for (int i=0; i < lookupBoxes.length; i++) {
+ String nameText = lookupLabels[i].getText().trim();
+ String name = nameText.substring(nameText.indexOf("{")+1,nameText.indexOf("}"));
+ String value = lookupFields[i].getText().trim();
+ lookupHash.put(name,value);
+ }
+ }
+ return rbm.editItem(item, nameField.getText().trim(),
+ transField.getText().trim(), ((BundleGroup)groupComboBox.getSelectedItem()).getName(),
+ commentField.getText().trim(), lookupHash);
+ }
+
+ private void clearComponents() {
+ nameField.setText("");
+ transField.setText("");
+ commentField.setText("");
+ initComponents();
+ }
+
+ protected void processKeyEvent(KeyEvent ev) {
+ if (ev.getKeyCode() == KeyEvent.VK_ENTER && ev.getID() == KeyEvent.KEY_RELEASED) {
+ if (transField.hasFocus()) {
+ // If we are in the translation field, then enter should create a new line character, not exit the dialog
+ int caretPos = transField.getCaretPosition();
+ String oldText = transField.getText();
+ transField.setText(oldText.substring(0,caretPos) + "\n" + oldText.substring(caretPos,oldText.length()));
+ transField.setCaretPosition(caretPos+1);
+ validate();
+ setSize(getPreferredSize());
+ return;
+ }
+
+ BundleItemCreationDialog dialog = this;
+ boolean success = false;
+ if (dialog.item == null) success = dialog.createItem();
+ else success = dialog.editItem();
+ if (!success) {
+ String alert = (item == null ? Resources.getTranslation("error_create_item") :
+ Resources.getTranslation("error_modify_item"));
+ alert += " " + Resources.getTranslation("error_try_again_item");
+ JOptionPane.showMessageDialog(dialog, alert, Resources.getTranslation("error"),
+ JOptionPane.ERROR_MESSAGE);
+ } else {
+ ((RBManagerGUI)dialog.getParent()).updateDisplayPanels();
+ ((RBManagerGUI)dialog.getParent()).invalidate();
+ //((RBManagerGUI)dialog.getParent()).validateMyTree();
+ dialog.setVisible(false);
+ dialog.dispose();
+ }
+ } else if (ev.getKeyCode() == KeyEvent.VK_ESCAPE) {
+ closeWindow();
+ }
+ }
+
+ public void initComponents(){
+ enableEvents(AWTEvent.KEY_EVENT_MASK);
+ // Error check
+ if (rbm == null || rbm.bundles == null) {
+ String alert = Resources.getTranslation("error_no_bundle_for_item");
+ JOptionPane.showMessageDialog(this, alert, Resources.getTranslation("error"), JOptionPane.ERROR_MESSAGE);
+ closeWindow();
+ return;
+ }
+
+ // Initialize values
+ Bundle mainBundle = (Bundle)rbm.bundles.firstElement();
+ if (firstInit) {
+ groupComboBox = new JComboBox(mainBundle.getGroupsAsVector());
+ if (groupName != null) {
+ for (int i = 0; i < groupComboBox.getItemCount(); i++) {
+ BundleGroup bg = (BundleGroup)groupComboBox.getItemAt(i);
+ if (bg.getName().equals(groupName)) {
+ groupComboBox.setSelectedIndex(i);
+ break;
+ }
+ }
+ }
+ }
+
+ if (firstInit && item != null) {
+ // We are editing, not creating an item
+ createButton.setText(Resources.getTranslation("button_edit"));
+ createMoreButton.setText(Resources.getTranslation("button_edit_more"));
+ if (item.getKey() != null) nameField.setText(item.getKey());
+ if (item.getComment() != null) commentField.setText(item.getComment());
+ if (item.getTranslation() != null) transField.setText(item.getTranslation());
+ if (item.getLookups() != null) lookups = item.getLookups();
+ }
+
+ String currentTrans = transField.getText();
+ // ** LOOKUPS **
+ // Update the lookups if necessary
+ if (lookupBoxes != null) {
+ for (int i=0; i < lookupBoxes.length; i++) {
+ String nameText = lookupLabels[i].getText().trim();
+ String name = nameText.substring(nameText.indexOf("{")+1,nameText.indexOf("}"));
+ String value = lookupFields[i].getText().trim();
+ lookups.put(name,value);
+ }
+ }
+ // Remove old lookups if necessary
+ Enumeration enum = lookups.keys();
+ while (enum.hasMoreElements()) {
+ String name = (String)enum.nextElement();
+ if (currentTrans.indexOf("{" + name + "}") < 0) {
+ lookups.remove(name);
+ }
+ }
+ // Add new lookups if neccesary
+ if (currentTrans != null && currentTrans.indexOf("{") >= 0) {
+ while (currentTrans.indexOf("{") >= 0) {
+ currentTrans = currentTrans.substring(currentTrans.indexOf("{")+1,currentTrans.length());
+ String name = currentTrans.substring(0,currentTrans.indexOf("}"));
+ if (!lookups.containsKey(name)) {
+ lookups.put(name,"");
+ }
+ }
+ }
+ // Remove components
+ box5.removeAll();
+
+ // Now create the visual components for the lookups
+ if (lookups.size() > 0) {
+ noLookupLabel = null;
+ lookupBox = new Box(BoxLayout.Y_AXIS);
+ lookupBoxes = new Box[lookups.size()];
+ lookupFields = new JTextField[lookups.size()];
+ lookupLabels = new JLabel[lookups.size()];
+ int count = 0;
+ enum = lookups.keys();
+ while (enum.hasMoreElements()) {
+ String name = (String)enum.nextElement();
+ String value = (String)lookups.get(name);
+ RBManagerGUI.debugMsg("Lookup: " + name + " -> " + value);
+ RBManagerGUI.debugMsg(lookups.toString());
+ lookupBoxes[count] = new Box(BoxLayout.X_AXIS);
+ lookupFields[count] = new JTextField((value == null ? "" : value));
+ lookupLabels[count] = new JLabel("{" + name + "}");
+ lookupBoxes[count].add(Box.createHorizontalGlue());
+ lookupBoxes[count].add(lookupLabels[count]);
+ lookupBoxes[count].add(Box.createHorizontalStrut(5));
+ lookupBoxes[count].add(lookupFields[count]);
+ lookupBox.add(lookupBoxes[count]);
+ count++;
+ }
+ } else {
+ lookupBox = null;
+ lookupBoxes = null;
+ lookupFields = null;
+ lookupLabels = null;
+ noLookupLabel = new JLabel(Resources.getTranslation("none"));
+ }
+
+ // Set up the components
+ if (firstInit) {
+ groupLabel.setPreferredSize(leftDim);
+ groupComboBox.setPreferredSize(rightDim);
+ nameLabel.setPreferredSize(leftDim);
+ nameField.setColumns(30);
+ commentLabel.setPreferredSize(leftDim);
+ commentField.setColumns(30);
+ transLabel.setPreferredSize(leftDim);
+ transField.setColumns(30);
+ lookupLabel.setPreferredSize(leftDim);
+
+ box1.add(groupLabel); box1.add(groupComboBox);
+ box2.add(nameLabel); box2.add(nameField);
+ box4.add(commentLabel); box4.add(commentField);
+ box3.add(transLabel); box3.add(transField);
+
+ createButton.setMnemonic(RBManagerMenuBar.getKeyEventKey(Resources.getTranslation("button_create_trigger")));
+ createMoreButton.setMnemonic(RBManagerMenuBar.getKeyEventKey(Resources.getTranslation("button_create_more_trigger")));
+ }
+ box5.add(Box.createHorizontalGlue()); box5.add(lookupLabel); box5.add(Box.createHorizontalStrut(5));
+ if (noLookupLabel != null) {
+ noLookupLabel.setPreferredSize(rightDim);
+ box5.add(noLookupLabel);
+ }
+ else box5.add(lookupBox);
+ if (firstInit) {
+ box6.add(createButton);
+ box6.add(Box.createHorizontalStrut(5));
+ if (item == null) box6.add(createMoreButton);
+ box6.add(Box.createHorizontalStrut(5));
+ box6.add(cancelButton);
+ }
+
+ instructionsLabel.setBorder(BorderFactory.createEtchedBorder());
+
+ // Add the appropriate listeners
+ if (firstInit) {
+ cancelButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ JDialog dialog = (JDialog)((JButton)ev.getSource()).getParent().getParent().getParent().getParent().getParent().getParent();
+ dialog.setVisible(false);
+ dialog.dispose();
+ }
+ });
+
+ createButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ BundleItemCreationDialog dialog =
+ (BundleItemCreationDialog)((JButton)ev.getSource()).getParent().getParent().getParent().getParent().getParent().getParent();
+ boolean success = false;
+ if (dialog.item == null) success = dialog.createItem();
+ else success = dialog.editItem();
+ if (!success) {
+ String alert = (item == null ? Resources.getTranslation("error_create_item") :
+ Resources.getTranslation("error_modify_item"));
+ alert += " " + Resources.getTranslation("error_try_again_item");
+ JOptionPane.showMessageDialog(dialog, alert, Resources.getTranslation("error"),
+ JOptionPane.ERROR_MESSAGE);
+ } else {
+ ((RBManagerGUI)dialog.getParent()).updateDisplayPanels();
+ ((RBManagerGUI)dialog.getParent()).invalidate();
+ //((RBManagerGUI)dialog.getParent()).validateMyTree();
+ dialog.setVisible(false);
+ dialog.dispose();
+ }
+ }
+ });
+
+ createMoreButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ BundleItemCreationDialog dialog =
+ (BundleItemCreationDialog)((JButton)ev.getSource()).getParent().getParent().getParent().getParent().getParent().getParent();
+ boolean success = false;
+ if (dialog.item == null) success = createItem();
+ else success = dialog.editItem();
+ if (!success) {
+ String alert = (item == null ? Resources.getTranslation("error_create_item") :
+ Resources.getTranslation("error_modify_item"));
+ alert += " " + Resources.getTranslation("error_try_again_item");
+ JOptionPane.showMessageDialog(dialog, alert, Resources.getTranslation("error"),
+ JOptionPane.ERROR_MESSAGE);
+ } else {
+ ((RBManagerGUI)dialog.getParent()).updateDisplayPanels();
+ ((RBManagerGUI)dialog.getParent()).invalidate();
+ //((RBManagerGUI)dialog.getParent()).validateMyTree();
+ dialog.clearComponents();
+ }
+ }
+ });
+
+ transField.addFocusListener(new FocusListener() {
+ public void focusGained(FocusEvent ev) {}
+ public void focusLost(FocusEvent ev) {
+ BundleItemCreationDialog dialog =
+ (BundleItemCreationDialog)((JTextField)ev.getSource()).getParent().getParent().getParent().getParent().getParent().getParent();
+ firstInit = false;
+ dialog.initComponents();
+ }
+ });
+ }
+
+ // Complete the initialization of the frame
+ if (firstInit) setLocation(new java.awt.Point(50, 50));
+ mainBox.removeAll();
+ //mainBox.add(instructionsLabel);
+ mainBox.add(Box.createVerticalStrut(5));
+ mainBox.add(box1);
+ mainBox.add(Box.createVerticalStrut(5));
+ mainBox.add(box2);
+ mainBox.add(Box.createVerticalStrut(5));
+ mainBox.add(box3);
+ mainBox.add(Box.createVerticalStrut(5));
+ mainBox.add(box4);
+ mainBox.add(Box.createVerticalStrut(5));
+ if (noLookupLabel == null) {
+ mainBox.add(box5);
+ mainBox.add(Box.createVerticalStrut(5));
+ }
+ mainBox.add(box6);
+ getContentPane().add(mainBox, BorderLayout.CENTER);
+ validateTree();
+ pack();
+ setVisible(true);
+ //setResizable(false);
+ firstInit = false;
+ }
+
+ void closeWindow() {
+ setVisible(false);
+ dispose();
+ }
+}
+
+
+// A dialog which allows the user to create a new Bundle Group
+
+class BundleGroupCreationDialog extends JDialog {
+ RBManager rbm;
+
+ // Helper data
+ int left_col_width = 125;
+ int right_col_width = 275;
+ int row_height = 25;
+ Dimension leftDim = new Dimension(left_col_width, row_height);
+ Dimension rightDim = new Dimension(right_col_width, row_height);
+
+ // Components
+ Box mainBox = new Box(BoxLayout.Y_AXIS);
+ Box box1 = new Box(BoxLayout.X_AXIS);
+ Box box2 = new Box(BoxLayout.X_AXIS);
+ Box box3 = new Box(BoxLayout.X_AXIS);
+
+ JTextArea instructionsArea = new JTextArea("");
+ JLabel nameLabel = new JLabel(Resources.getTranslation("dialog_group"));
+ JLabel commentLabel = new JLabel(Resources.getTranslation("dialog_group_comment"));
+ JTextField nameField = new JTextField("");
+ JTextField commentField = new JTextField("");
+ JButton createButton = new JButton(Resources.getTranslation("button_create"));
+ JButton cancelButton = new JButton(Resources.getTranslation("button_cancel"));
+
+
+ public BundleGroupCreationDialog(RBManager rbm, JFrame frame, String title, boolean modal) {
+ super(frame, title, modal);
+ this.rbm = rbm;
+ initComponents();
+ enableEvents(AWTEvent.KEY_EVENT_MASK);
+ }
+
+ boolean createGroup() {
+ if (rbm == null) return false;
+ return rbm.createGroup(nameField.getText().trim(), commentField.getText().trim());
+ }
+
+ protected void processKeyEvent(KeyEvent ev) {
+ if (ev.getKeyCode() == KeyEvent.VK_ENTER) {
+ boolean success = createGroup();
+ if (!success) {
+ String alert = Resources.getTranslation("error_create_group") + " " +
+ Resources.getTranslation("error_try_again_group");
+ JOptionPane.showMessageDialog(this, alert, Resources.getTranslation("error"), JOptionPane.ERROR_MESSAGE);
+ } else {
+ setVisible(false);
+ dispose();
+ }
+ } else if (ev.getKeyCode() == KeyEvent.VK_CANCEL) {
+ closeWindow();
+ }
+ }
+
+ public void initComponents(){
+ // Error check
+ if (rbm == null) {
+ String alert = Resources.getTranslation("error_no_bundle_for_group");
+ JOptionPane.showMessageDialog(this, alert, Resources.getTranslation("error"), JOptionPane.ERROR_MESSAGE);
+ closeWindow();
+ return;
+ }
+
+ // Initialize values
+
+ // Set up the components
+ nameLabel.setPreferredSize(leftDim);
+ nameField.setColumns(30);
+ commentLabel.setPreferredSize(leftDim);
+ commentField.setColumns(30);
+
+ box1.add(nameLabel); box1.add(nameField);
+ box2.add(commentLabel); box2.add(commentField);
+ box3.add(createButton);
+ box3.add(Box.createHorizontalStrut(5));
+ box3.add(cancelButton);
+
+ instructionsArea.setBorder(BorderFactory.createEtchedBorder());
+
+ // Add the appropriate listeners
+ cancelButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ JDialog dialog = (JDialog)((JButton)ev.getSource()).getParent().getParent().getParent().getParent().getParent();
+ dialog.setVisible(false);
+ dialog.dispose();
+ }
+ });
+
+ createButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ BundleGroupCreationDialog dialog =
+ (BundleGroupCreationDialog)((JButton)ev.getSource()).getParent().getParent().getParent().getParent().getParent();
+ boolean success = dialog.createGroup();
+ if (!success) {
+ String alert = Resources.getTranslation("error_create_group") + " " +
+ Resources.getTranslation("error_try_again_group");
+ JOptionPane.showMessageDialog(dialog, alert, Resources.getTranslation("error"), JOptionPane.ERROR_MESSAGE);
+ } else {
+ dialog.setVisible(false);
+ dialog.dispose();
+ }
+ }
+ });
+
+ // Complete the initialization of the frame
+ setLocation(new java.awt.Point(50, 50));
+ mainBox.removeAll();
+ mainBox.add(box1);
+ mainBox.add(Box.createVerticalStrut(5));
+ mainBox.add(box2);
+ getContentPane().setLayout(new BorderLayout());
+ getContentPane().removeAll();
+ //getContentPane().add(instructionsArea, BorderLayout.NORTH);
+ getContentPane().add(mainBox, BorderLayout.CENTER);
+ getContentPane().add(box3, BorderLayout.SOUTH);
+ validateTree();
+ pack();
+ setVisible(true);
+ //setResizable(false);
+ }
+
+ void closeWindow() {
+ setVisible(false);
+ dispose();
+ }
+}
+
+// A dialog which allows the user to create a new Bundle Group
+
+class BundleGroupEditDialog extends JDialog {
+ BundleGroup group;
+
+ // Helper data
+ int left_col_width = 125;
+ int right_col_width = 275;
+ int row_height = 25;
+ Dimension leftDim = new Dimension(left_col_width, row_height);
+ Dimension rightDim = new Dimension(right_col_width, row_height);
+
+ // Components
+ Box mainBox = new Box(BoxLayout.Y_AXIS);
+ Box box1 = new Box(BoxLayout.X_AXIS);
+ Box box2 = new Box(BoxLayout.X_AXIS);
+ Box box3 = new Box(BoxLayout.X_AXIS);
+
+ JLabel nameLabel = new JLabel(Resources.getTranslation("dialog_group"));
+ JLabel commentLabel = new JLabel(Resources.getTranslation("dialog_group_comment"));
+ JTextField nameField = new JTextField("");
+ JTextField commentField = new JTextField("");
+ JButton editButton = new JButton(Resources.getTranslation("button_edit"));
+ JButton cancelButton = new JButton(Resources.getTranslation("button_cancel"));
+
+
+ public BundleGroupEditDialog(BundleGroup group, JFrame frame, String title, boolean modal) {
+ super(frame, title, modal);
+ this.group = group;
+ initComponents();
+ enableEvents(AWTEvent.KEY_EVENT_MASK);
+ }
+
+ protected void processKeyEvent(KeyEvent ev) {
+ if (ev.getKeyCode() == KeyEvent.VK_ENTER) {
+ boolean success = editGroup();
+ if (!success) {
+ String alert = Resources.getTranslation("error_modify_group");
+ JOptionPane.showMessageDialog(this, alert, Resources.getTranslation("error_internal"),
+ JOptionPane.ERROR_MESSAGE);
+ } else {
+ setVisible(false);
+ dispose();
+ }
+ } else if (ev.getKeyCode() == KeyEvent.VK_CANCEL) {
+ closeWindow();
+ }
+ }
+
+ boolean editGroup() {
+ if (group == null) return false;
+ group.setName(nameField.getText().trim());
+ group.setComment(commentField.getText().trim());
+ return true;
+ }
+
+ public void initComponents(){
+ // Error check
+ if (group == null) {
+ String alert = Resources.getTranslation("error_modify_group");
+ JOptionPane.showMessageDialog(this, alert, Resources.getTranslation("error_internal"), JOptionPane.ERROR_MESSAGE);
+ closeWindow();
+ return;
+ }
+
+ // Initialize values
+
+ // Set up the components
+ nameLabel.setPreferredSize(leftDim);
+ nameField.setColumns(30);
+ commentLabel.setPreferredSize(leftDim);
+ commentField.setColumns(30);
+
+ nameField.setText(group.getName());
+ commentField.setText(group.getComment());
+
+ box1.add(nameLabel); box1.add(nameField);
+ box2.add(commentLabel); box2.add(commentField);
+ box3.add(editButton);
+ box3.add(Box.createHorizontalStrut(5));
+ box3.add(cancelButton);
+
+ // Add the appropriate listeners
+ cancelButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ JDialog dialog = (JDialog)((JButton)ev.getSource()).getParent().getParent().getParent().getParent().getParent();
+ dialog.setVisible(false);
+ dialog.dispose();
+ }
+ });
+
+ editButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ BundleGroupEditDialog dialog =
+ (BundleGroupEditDialog)((JButton)ev.getSource()).getParent().getParent().getParent().getParent().getParent();
+ boolean success = dialog.editGroup();
+ if (!success) {
+ String alert = Resources.getTranslation("error_modify_group");
+ JOptionPane.showMessageDialog(dialog, alert, Resources.getTranslation("error_internal"),
+ JOptionPane.ERROR_MESSAGE);
+ } else {
+ dialog.setVisible(false);
+ dialog.dispose();
+ }
+ }
+ });
+
+ // Complete the initialization of the frame
+ setLocation(new java.awt.Point(50, 50));
+ mainBox.removeAll();
+ mainBox.add(box1);
+ mainBox.add(Box.createVerticalStrut(5));
+ mainBox.add(box2);
+ getContentPane().setLayout(new BorderLayout());
+ getContentPane().removeAll();
+ getContentPane().add(mainBox, BorderLayout.CENTER);
+ getContentPane().add(box3, BorderLayout.SOUTH);
+ validateTree();
+ pack();
+ setVisible(true);
+ //setResizable(false);
+ }
+
+ void closeWindow() {
+ setVisible(false);
+ dispose();
+ }
+}
+
+// A dialog for creating new Resource Files
+
+class ResourceCreationDialog extends JDialog {
+ RBManager rbm;
+ RBManagerGUI gui;
+
+ // Components
+ Box mainBox = new Box(BoxLayout.Y_AXIS);
+ Box infoBox = new Box(BoxLayout.Y_AXIS);
+ JPanel infoPanel = new JPanel();
+ JPanel infoTitlePanel = new JPanel();
+ JPanel infoCommentPanel = new JPanel();
+ JPanel infoManagerPanel = new JPanel();
+ JPanel langPanel = new JPanel();
+ JPanel counPanel = new JPanel();
+ JPanel variPanel = new JPanel();
+ JPanel buttPanel = new JPanel();
+
+ JLabel instructionsLabel = new JLabel("");
+ JLabel titleLabel = new JLabel(Resources.getTranslation("dialog_file_title"));
+ JLabel commentLabel = new JLabel(Resources.getTranslation("dialog_file_comment"));
+ JLabel managerLabel = new JLabel(Resources.getTranslation("dialog_file_manager"));
+ JLabel enc1Label = new JLabel(Resources.getTranslation("dialog_encoding"));
+ JLabel enc2Label = new JLabel(Resources.getTranslation("dialog_encoding"));
+ JLabel enc3Label = new JLabel(Resources.getTranslation("dialog_encoding"));
+ JLabel nam1Label = new JLabel(Resources.getTranslation("dialog_name"));
+ JLabel nam2Label = new JLabel(Resources.getTranslation("dialog_name"));
+ JLabel nam3Label = new JLabel(Resources.getTranslation("dialog_name"));
+
+ JTextField titleField = new JTextField("");
+ JTextField commentField = new JTextField("");
+ JTextField managerField = new JTextField("");
+ JTextField enc1Field = new JTextField("");
+ JTextField enc2Field = new JTextField("");
+ JTextField enc3Field = new JTextField("");
+ JTextField nam1Field = new JTextField("");
+ JTextField nam2Field = new JTextField("");
+ JTextField nam3Field = new JTextField("");
+
+ JCheckBox copyCheckBox = new JCheckBox(Resources.getTranslation("dialog_checkbox_copy_elements"), true);
+
+ JButton createButton = new JButton(Resources.getTranslation("button_create"));
+ JButton cancelButton = new JButton(Resources.getTranslation("button_cancel"));
+
+ public ResourceCreationDialog(RBManager rbm, JFrame frame, String title, boolean modal) {
+ super(frame, title, modal);
+ this.gui = (RBManagerGUI)frame;
+ this.rbm = rbm;
+ initComponents();
+ enableEvents(AWTEvent.KEY_EVENT_MASK);
+ }
+
+ protected void processKeyEvent(KeyEvent ev) {
+ if (ev.getKeyCode() == KeyEvent.VK_ENTER) {
+ boolean success = createResource();
+ if (!success) {
+ String alert = Resources.getTranslation("error_create_file") + " " +
+ Resources.getTranslation("error_try_again_file");
+ JOptionPane.showMessageDialog(this, alert, Resources.getTranslation("error"), JOptionPane.ERROR_MESSAGE);
+ } else {
+ setVisible(false);
+ dispose();
+ }
+ } else if (ev.getKeyCode() == KeyEvent.VK_CANCEL) {
+ closeWindow();
+ }
+ }
+
+ boolean createResource() {
+ if (rbm == null) return false;
+ String encoding = enc1Field.getText().trim();
+ String enc2 = enc2Field.getText().trim();
+ if (enc2 != null && !enc2.equals("")) encoding += "_" + enc2;
+ String enc3 = enc3Field.getText().trim();
+ if (enc3 != null && !enc3.equals("")) encoding += "_" + enc3;
+ boolean ret = rbm.createResource(titleField.getText().trim(), commentField.getText().trim(), managerField.getText().trim(),
+ encoding, nam1Field.getText().trim(), nam2Field.getText().trim(),
+ nam3Field.getText().trim(), copyCheckBox.isSelected());
+ if (ret) {
+ gui.updateDisplayTree();
+ gui.updateProjectTree();
+ gui.updateProjectPanels();
+ }
+ return ret;
+ }
+
+ public void initComponents(){
+ // Error check
+ if (rbm == null) {
+ String alert = Resources.getTranslation("error_no_bundle_for_file");
+ JOptionPane.showMessageDialog(this, alert, Resources.getTranslation("error"), JOptionPane.ERROR_MESSAGE);
+ closeWindow();
+ return;
+ }
+
+ // Initialize values
+ int tempWidth = 175;
+ Dimension labelDim = new Dimension(tempWidth, 30);
+ titleLabel.setPreferredSize(labelDim);
+ commentLabel.setPreferredSize(labelDim);
+ managerLabel.setPreferredSize(labelDim);
+
+ infoPanel.setBorder(BorderFactory.createTitledBorder(BorderFactory.createEtchedBorder(),
+ Resources.getTranslation("dialog_file_info")));
+ langPanel.setBorder(BorderFactory.createTitledBorder(BorderFactory.createEtchedBorder(),
+ Resources.getTranslation("dialog_language")));
+ counPanel.setBorder(BorderFactory.createTitledBorder(BorderFactory.createEtchedBorder(),
+ Resources.getTranslation("dialog_country")));
+ variPanel.setBorder(BorderFactory.createTitledBorder(BorderFactory.createEtchedBorder(),
+ Resources.getTranslation("dialog_variant")));
+
+ Dimension encDim = new Dimension(50,20);
+ Dimension namDim = new Dimension(350,20);
+ Dimension othDim = new Dimension(400,20);
+
+ titleField.setColumns(30);
+ commentField.setColumns(30);
+ managerField.setColumns(30);
+
+ enc1Field.setColumns(3);
+ enc2Field.setColumns(3);
+ enc3Field.setColumns(3);
+ nam1Field.setColumns(20);
+ nam2Field.setColumns(20);
+ nam3Field.setColumns(20);
+
+ // Set up the components
+ infoTitlePanel.add(titleLabel); infoTitlePanel.add(titleField);
+ infoCommentPanel.add(commentLabel); infoCommentPanel.add(commentField);
+ infoManagerPanel.add(managerLabel); infoManagerPanel.add(managerField);
+ infoBox.add(infoTitlePanel);
+ infoBox.add(infoCommentPanel);
+ infoBox.add(infoManagerPanel);
+ infoPanel.add(infoBox);
+
+ langPanel.add(enc1Label); langPanel.add(enc1Field); langPanel.add(nam1Label); langPanel.add(nam1Field);
+ counPanel.add(enc2Label); counPanel.add(enc2Field); counPanel.add(nam2Label); counPanel.add(nam2Field);
+ variPanel.add(enc3Label); variPanel.add(enc3Field); variPanel.add(nam3Label); variPanel.add(nam3Field);
+
+ buttPanel.add(createButton); buttPanel.add(cancelButton);
+
+ // Add the appropriate listeners
+ cancelButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ JDialog dialog = (JDialog)((JButton)ev.getSource()).getParent().getParent().getParent().getParent().getParent().getParent();
+ dialog.setVisible(false);
+ dialog.dispose();
+ }
+ });
+
+ createButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ ResourceCreationDialog dialog =
+ (ResourceCreationDialog)((JButton)ev.getSource()).getParent().getParent().getParent().getParent().getParent().getParent();
+ boolean success = dialog.createResource();
+ if (!success) {
+ String alert = Resources.getTranslation("error_create_file") + " " +
+ Resources.getTranslation("error_try_again_file");
+ JOptionPane.showMessageDialog(dialog, alert, Resources.getTranslation("error"), JOptionPane.ERROR_MESSAGE);
+ } else {
+ dialog.setVisible(false);
+ dialog.dispose();
+ }
+ }
+ });
+
+ // Complete the component layout
+ mainBox.removeAll();
+ //mainBox.add(instructionsLabel);
+ mainBox.add(infoPanel);
+ mainBox.add(langPanel);
+ mainBox.add(counPanel);
+ mainBox.add(variPanel);
+ mainBox.add(copyCheckBox);
+ mainBox.add(buttPanel);
+
+ setLocation(new java.awt.Point(50, 50));
+ getContentPane().add(mainBox, BorderLayout.CENTER);
+ validateTree();
+ pack();
+ setVisible(true);
+ //setResizable(false);
+ }
+
+ void closeWindow() {
+ setVisible(false);
+ dispose();
+ }
+}
+
+// A dialog which displays the properties of a Bundle Item in an editable way
+
+class BundleItemDialog extends JDialog implements ActionListener {
+ RBManager rbm;
+ BundleItem item;
+ String user;
+ boolean firstInit = true;
+
+ // Helper data
+ int left_col_width = 125;
+ int right_col_width = 375;
+ int row_height = 25;
+ Dimension leftDim = new Dimension(left_col_width, row_height);
+ Dimension rightDim = new Dimension(right_col_width, row_height);
+
+ // Components
+ Box mainBox = new Box(BoxLayout.Y_AXIS);
+ Box box0 = new Box(BoxLayout.X_AXIS);
+ Box box1 = new Box(BoxLayout.X_AXIS);
+ Box box2 = new Box(BoxLayout.X_AXIS);
+ Box box3 = new Box(BoxLayout.X_AXIS);
+ Box box4 = new Box(BoxLayout.X_AXIS);
+ Box box5 = new Box(BoxLayout.X_AXIS);
+ Box box6 = new Box(BoxLayout.X_AXIS);
+ Box box7 = new Box(BoxLayout.X_AXIS);
+ Box box8 = new Box(BoxLayout.X_AXIS);
+
+ JLabel groupLabel = new JLabel(Resources.getTranslation("dialog_group"));
+ JLabel keyLabel = new JLabel(Resources.getTranslation("dialog_key"));
+ JLabel defTransLabel = new JLabel(Resources.getTranslation("dialog_default_translation"));
+ JLabel transLabel = new JLabel(Resources.getTranslation("dialog_translation"));
+ JLabel commentLabel = new JLabel(Resources.getTranslation("dialog_comment"));
+ JLabel lookupLabel = new JLabel(Resources.getTranslation("dialog_lookups"));
+ JLabel createdLabel = new JLabel(Resources.getTranslation("dialog_created"));
+ JLabel modifiedLabel = new JLabel(Resources.getTranslation("dialog_modified"));
+
+ JComboBox groupComboBox;
+ JTextField keyField;
+ JTextField transField;
+ JTextField defTransField;
+ JTextField commentField;
+ JLabel createdLabel2;
+ JLabel modifiedLabel2;
+ JLabel lookupLabel2 = null;
+ JCheckBox transCheckBox;
+ JButton saveButton = new JButton(Resources.getTranslation("button_edit"));
+ JButton cancelButton = new JButton(Resources.getTranslation("button_cancel"));
+ Box lookupBox = null;
+ Box lookups[] = null;
+ JLabel lookupLabels[] = null;
+ JTextField lookupFields[] = null;
+
+ public BundleItemDialog(RBManager rbm, BundleItem item, String user, JFrame frame, String title, boolean modal) {
+ super(frame, title, modal);
+ this.rbm = rbm;
+ this.user = user;
+ this.item = item;
+ initComponents();
+ enableEvents(AWTEvent.KEY_EVENT_MASK);
+ }
+
+ protected void processKeyEvent(KeyEvent ev) {
+ if (ev.getKeyCode() == KeyEvent.VK_ENTER && ev.getID() == KeyEvent.KEY_RELEASED) {
+ actionPerformed(null);
+ } else if (ev.getKeyCode() == KeyEvent.VK_CANCEL) {
+ closeWindow();
+ }
+ }
+
+ public void initComponents(){
+ // Error check
+ if (item == null) closeWindow();
+ if (!firstInit) closeWindow();
+
+ // Initialize values
+ DateFormat df = DateFormat.getDateInstance(DateFormat.SHORT);
+ Bundle bundle = item.getParentGroup().getParentBundle();
+
+ // Lookup the default translation
+ String defTrans = new String();
+ Object o = ((Bundle)rbm.bundles.firstElement()).allItems.get(item.getKey());
+ if (o != null) defTrans = ((BundleItem)o).getTranslation();
+
+ keyField = new JTextField(item.getKey());
+ keyField.setEnabled(false);
+ defTransField = new JTextField(defTrans);
+ defTransField.setEnabled(false);
+ transField = new JTextField(item.getTranslation());
+ commentField = new JTextField(item.getComment());
+ String created[] = {df.format(item.getCreatedDate()), item.getCreator()};
+ String modified[] = {df.format(item.getModifiedDate()), item.getModifier()};
+ String createdString = Resources.getTranslation("dialog_date_person", created);
+ String modifiedString = Resources.getTranslation("dialog_date_person", modified);
+ createdLabel2 = new JLabel(item.getCreator() == null ? df.format(item.getCreatedDate()) : createdString);
+ modifiedLabel2 = new JLabel(item.getModifier() == null ? df.format(item.getModifiedDate()) : modifiedString);
+ transCheckBox = new JCheckBox(Resources.getTranslation("dialog_checkbox_translated"),item.isTranslated());
+
+ groupComboBox = new JComboBox(bundle.getGroupsAsVector());
+ for (int i=0; i < groupComboBox.getItemCount(); i++) {
+ BundleGroup bg = (BundleGroup)groupComboBox.getItemAt(i);
+ if (bg.getName().equals(item.getParentGroup().getName())) {
+ groupComboBox.setSelectedIndex(i);
+ break;
+ }
+ }
+ groupComboBox.setEnabled(false);
+
+ // Set up the components
+ groupLabel.setPreferredSize(leftDim);
+ groupComboBox.setPreferredSize(rightDim);
+ keyLabel.setPreferredSize(leftDim);
+ //keyField.setPreferredSize(rightDim);
+ keyField.setColumns(30);
+ defTransLabel.setPreferredSize(leftDim);
+ //defTransField.setPreferredSize(rightDim);
+ defTransField.setColumns(30);
+ transLabel.setPreferredSize(leftDim);
+ //transField.setPreferredSize(rightDim);
+ transField.setColumns(30);
+ commentLabel.setPreferredSize(leftDim);
+ //commentField.setPreferredSize(rightDim);
+ commentField.setColumns(30);
+ lookupLabel.setPreferredSize(leftDim);
+ createdLabel.setPreferredSize(leftDim);
+ createdLabel2.setPreferredSize(rightDim);
+ modifiedLabel.setPreferredSize(leftDim);
+ modifiedLabel2.setPreferredSize(rightDim);
+ // Special setup for the lookup items if they exist
+ if (item.getLookups().size() < 1) {
+ lookupLabel2 = new JLabel(Resources.getTranslation("none"));
+ lookupLabel2.setPreferredSize(rightDim);
+ } else {
+ lookupBox = new Box(BoxLayout.Y_AXIS);
+ lookups = new Box[item.getLookups().size()];
+ lookupLabels = new JLabel[item.getLookups().size()];
+ lookupFields = new JTextField[item.getLookups().size()];
+ Enumeration enum = item.getLookups().keys();
+ for (int i = 0; i < item.getLookups().size(); i++) {
+ String name = (String)enum.nextElement();
+ String value = (String)item.getLookups().get(name);
+ RBManagerGUI.debugMsg("X - Lookup: " + name + " -> " + value);
+ lookups[i] = new Box(BoxLayout.X_AXIS);
+ lookupLabels[i] = new JLabel("{" + name + "}");
+ lookupLabels[i].setPreferredSize(new Dimension(30,row_height));
+ lookupFields[i] = new JTextField(value);
+ lookupFields[i].setPreferredSize(new Dimension(right_col_width-35,row_height));
+ lookups[i].add(Box.createHorizontalGlue());
+ lookups[i].add(lookupLabels[i]);
+ lookups[i].add(Box.createHorizontalStrut(5));
+ lookups[i].add(lookupFields[i]);
+ lookupBox.add(lookups[i]);
+ }
+ }
+
+ // Add the appropriate listeners
+ if (firstInit) {
+ cancelButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ JDialog dialog = (JDialog)((JButton)ev.getSource()).getParent().getParent().getParent().getParent().getParent().getParent();
+ dialog.setVisible(false);
+ dialog.dispose();
+ }
+ });
+
+ saveButton.addActionListener(this);
+
+ transField.addFocusListener(new TranslationFocusListener(item.getTranslation(),transCheckBox));
+ }
+
+ box0.add(groupLabel); box0.add(groupComboBox);
+ box1.add(keyLabel); box1.add(keyField);
+ box8.add(defTransLabel); box8.add(defTransField);
+ box2.add(transLabel); box2.add(transField);
+ box3.add(commentLabel); box3.add(commentField);
+ box4.add(Box.createHorizontalGlue()); box4.add(lookupLabel);
+ if (lookupLabel2 != null) {
+ box4.add(Box.createHorizontalStrut(5));
+ box4.add(lookupLabel2);
+ } else if (lookupBox != null) {
+ box4.add(Box.createHorizontalStrut(5));
+ box4.add(lookupBox);
+ }
+ box5.add(Box.createHorizontalGlue()); box5.add(createdLabel);
+ box5.add(Box.createHorizontalStrut(5)); box5.add(createdLabel2);
+ box6.add(Box.createHorizontalGlue()); box6.add(modifiedLabel);
+ box6.add(Box.createHorizontalStrut(5)); box6.add(modifiedLabel2);
+ box7.add(transCheckBox); box7.add(saveButton); box7.add(cancelButton);
+
+ // Complete the initialization of the frame
+ setLocation(new java.awt.Point(50, 50));
+ mainBox.removeAll();
+ mainBox.add(box0);
+ mainBox.add(box1);
+ mainBox.add(box8);
+ mainBox.add(box2);
+ mainBox.add(box3);
+ mainBox.add(Box.createVerticalStrut(5));
+ mainBox.add(box4);
+ mainBox.add(Box.createVerticalStrut(5));
+ mainBox.add(box5);
+ mainBox.add(box6);
+ mainBox.add(Box.createVerticalStrut(5));
+ mainBox.add(box7);
+ getContentPane().add(mainBox, BorderLayout.CENTER);
+ validateTree();
+ pack();
+ setVisible(true);
+ //setResizable(false);
+
+ firstInit = false;
+ }
+
+ void closeWindow() {
+ setVisible(false);
+ dispose();
+ }
+
+ public void actionPerformed(ActionEvent ev) {
+ if (ev == null && transField.hasFocus()) {
+ // If we are in the translation field, then enter should create a new line character, not exit the dialog
+ int caretPos = transField.getCaretPosition();
+ String oldText = transField.getText();
+ transField.setText(oldText.substring(0,caretPos) + "\n" + oldText.substring(caretPos,oldText.length()));
+ transField.setCaretPosition(caretPos+1);
+ validate();
+ setSize(getPreferredSize());
+ return;
+ }
+
+ // This action is called when the 'Edit' button is pressed
+ item.setTranslation(transField.getText().trim());
+ if (!item.getKey().equals(keyField.getText())) item.setKey(keyField.getText().trim());
+ item.setComment(commentField.getText());
+ item.setModifiedDate(new Date());
+ item.setModifier(user);
+ item.setTranslated(transCheckBox.isSelected());
+ if (transCheckBox.isSelected()) {
+ // Remove this item from the untranslated items, if it is there
+ item.getParentGroup().getParentBundle().removeUntranslatedItem(item.getKey());
+ } else {
+ item.getParentGroup().getParentBundle().addUntranslatedItem(item);
+ }
+ if (lookups != null) {
+ item.setLookups(new Hashtable());
+ for (int i=0; i < lookups.length; i++) {
+ String name = lookupLabels[i].getText().trim();
+ if (name.indexOf("{") >= 0) name = name.substring(name.indexOf("{")+1,name.length());
+ if (name.indexOf("}") >= 0) name = name.substring(0, name.indexOf("}"));
+ String value = lookupFields[i].getText().trim();
+ item.getLookups().put(name,value);
+ }
+ }
+ closeWindow();
+ }
+}
+
+// The action listener which monitors changes in the group to display
+
+class GroupComboActionListener implements ActionListener {
+ JTable table;
+ JList list;
+
+ protected GroupComboActionListener(JTable table) {
+ list = null;
+ this.table = table;
+ }
+
+ protected GroupComboActionListener(JList list) {
+ table = null;
+ this.list = list;
+ }
+
+ public void actionPerformed(ActionEvent ev) {
+ JComboBox cbox = (JComboBox)ev.getSource();
+
+ if (table != null) {
+ BundleGroup bg = (BundleGroup)cbox.getSelectedItem();
+ ((GroupItemsTableModel)table.getModel()).setGroup((BundleGroup)cbox.getSelectedItem());
+ //table.validate();
+ Container c = table.getParent();
+ while (!(c instanceof RBGroupPanel)) { c = c.getParent(); }
+ ((RBGroupPanel)c).updateComponents();
+ } else if (list != null) {
+ list.setListData(((BundleGroup)cbox.getSelectedItem()).getItemsAsVector());
+ //list.validate();
+ Container c = list.getParent();
+ while (!(c instanceof RBGroupPanel)) { c = c.getParent(); }
+ ((RBGroupPanel)c).updateComponents();
+ } else RBManagerGUI.debugMsg("Selection changed, but no active components");
+ }
+}
+
+class PreferencesDialog extends JDialog {
+ String userName;
+ Locale locale;
+ LookAndFeel laf;
+ RBManagerGUI gui;
+
+ // ** COMPONENTS **
+ JTextField nameField;
+ JRadioButton machineRadio;
+ JRadioButton definedRadio;
+ JRadioButton isoRadio;
+ JComboBox machineCombo;
+ JComboBox definedCombo;
+ JComboBox isoLangCombo;
+ JComboBox isoCounCombo;
+ JComboBox lafCombo;
+ JButton okButton;
+ JButton cancelButton;
+
+ public PreferencesDialog(RBManagerGUI gui) {
+ super(gui, Resources.getTranslation("dialog_title_preferences"), true);
+ this.gui = gui;
+ userName = gui.getUser();
+ locale = Resources.getLocale();
+ laf = UIManager.getLookAndFeel();
+
+ initComponents();
+ enableEvents(AWTEvent.KEY_EVENT_MASK);
+ }
+
+ protected void processKeyEvent(KeyEvent ev) {
+ if (ev.getKeyCode() == KeyEvent.VK_ENTER) {
+ updatePreferences();
+ } else if (ev.getKeyCode() == KeyEvent.VK_CANCEL) {
+ thisWindowClosing();
+ }
+ }
+
+ private void initComponents() {
+ UIManager.LookAndFeelInfo lafi[] = UIManager.getInstalledLookAndFeels();
+ String lafn[] = new String[lafi.length];
+ for (int i=0; i < lafi.length; i++) {
+ lafn[i] = lafi[i].getName();
+ }
+
+ // COMPONENTS
+
+ JPanel panel1 = new JPanel();
+ JPanel panel2 = new JPanel();
+ JPanel panel3 = new JPanel();
+ JPanel panel4 = new JPanel();
+ Box mainBox = new Box(BoxLayout.Y_AXIS);
+ Box localeBox1 = new Box(BoxLayout.Y_AXIS);
+ Box localeBox2 = new Box(BoxLayout.Y_AXIS);
+ JPanel localePanel = new JPanel();
+
+ Dimension localeDim1 = new Dimension(200,25);
+ Dimension localeDim2 = new Dimension(150,25);
+ Dimension localeDim3 = new Dimension(50,25);
+
+ JLabel nameLabel = new JLabel(Resources.getTranslation("dialog_preferences_username"));
+ JLabel lafLabel = new JLabel(Resources.getTranslation("dialog_preferences_lookandfeel"));
+ JLabel warnLabel = new JLabel(Resources.getTranslation("dialog_preferences_locale_warning"));
+ JLabel underscoreLabel = new JLabel("_");
+
+ nameField = new JTextField(userName);
+ machineRadio = new JRadioButton(Resources.getTranslation("dialog_preferences_locale_machine"), false);
+ definedRadio = new JRadioButton(Resources.getTranslation("dialog_preferences_locale_defined"), true);
+ isoRadio = new JRadioButton(Resources.getTranslation("dialog_preferences_locale_iso"), false);
+ machineCombo = new JComboBox(Locale.getAvailableLocales());
+ definedCombo = new JComboBox(Resources.getAvailableLocales());
+ isoLangCombo = new JComboBox(Locale.getISOLanguages());
+ isoCounCombo = new JComboBox(Locale.getISOCountries());
+ lafCombo = new JComboBox(lafn);
+ okButton = new JButton(Resources.getTranslation("button_update"));
+ cancelButton = new JButton(Resources.getTranslation("button_cancel"));
+
+ machineRadio.setPreferredSize(localeDim1);
+ definedRadio.setPreferredSize(localeDim1);
+ isoRadio.setPreferredSize(localeDim1);
+
+ nameLabel.setPreferredSize(localeDim1);
+ lafLabel.setPreferredSize(localeDim1);
+
+ //localePanel.setPreferredSize(localeDim2);
+ machineCombo.setPreferredSize(localeDim2);
+ definedCombo.setPreferredSize(localeDim2);
+
+ nameField.setPreferredSize(localeDim2);
+ lafCombo.setPreferredSize(localeDim2);
+
+ isoLangCombo.setPreferredSize(localeDim3);
+ isoCounCombo.setPreferredSize(localeDim3);
+
+ // Select the appropriate entries in the combo boxes
+ String lafname = UIManager.getLookAndFeel().getName();
+ for (int i = 0; i < lafCombo.getItemCount(); i++) {
+ if (lafCombo.getItemAt(i).toString().equals(lafname)) {
+ lafCombo.setSelectedIndex(i);
+ break;
+ }
+ }
+ String locname = Resources.getLocale().toString();
+ String loclang = Resources.getLocale().getLanguage();
+ String loccoun = Resources.getLocale().getCountry();
+ for (int i = 0; i < machineCombo.getItemCount(); i++) {
+ if (machineCombo.getItemAt(i).toString().equalsIgnoreCase(locname)) {
+ machineCombo.setSelectedIndex(i);
+ break;
+ }
+ }
+ for (int i = 0; i < definedCombo.getItemCount(); i++) {
+ if (definedCombo.getItemAt(i).toString().equalsIgnoreCase(locname)) {
+ definedCombo.setSelectedIndex(i);
+ break;
+ }
+ }
+ for (int i = 0; i < isoLangCombo.getItemCount(); i++) {
+ if (isoLangCombo.getItemAt(i).toString().equalsIgnoreCase(loclang)) {
+ isoLangCombo.setSelectedIndex(i);
+ break;
+ }
+ }
+ for (int i = 0; i < isoCounCombo.getItemCount(); i++) {
+ if (isoCounCombo.getItemAt(i).toString().equalsIgnoreCase(loccoun)) {
+ isoCounCombo.setSelectedIndex(i);
+ break;
+ }
+ }
+
+ // Set the radio button group
+ ButtonGroup group = new ButtonGroup();
+ group.add(machineRadio);
+ group.add(definedRadio);
+ group.add(isoRadio);
+
+ nameField.setColumns(15);
+
+ // Add action listeners
+ cancelButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ thisWindowClosing();
+ }
+ });
+
+ okButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ updatePreferences();
+ }
+ });
+
+ panel3.setBorder(BorderFactory.createTitledBorder(BorderFactory.createEtchedBorder(),
+ Resources.getTranslation("dialog_preferences_locale")));
+ panel3.setLayout(new BorderLayout());
+
+ localePanel.add(isoLangCombo);
+ localePanel.add(underscoreLabel);
+ localePanel.add(isoCounCombo);
+
+ localeBox1.add(machineRadio);
+ localeBox1.add(definedRadio);
+ localeBox1.add(isoRadio);
+ localeBox2.add(machineCombo);
+ localeBox2.add(definedCombo);
+ localeBox2.add(localePanel);
+ localeBox1.add(Box.createVerticalStrut(5));
+ localeBox2.add(Box.createVerticalStrut(5));
+
+ panel1.add(nameLabel);
+ panel1.add(nameField);
+ panel2.add(lafLabel);
+ panel2.add(lafCombo);
+ panel3.add(localeBox1, BorderLayout.WEST);
+ panel3.add(localeBox2, BorderLayout.EAST);
+ panel3.add(warnLabel, BorderLayout.SOUTH);
+ panel4.add(okButton);
+ panel4.add(cancelButton);
+
+ mainBox.add(panel1);
+ mainBox.add(panel2);
+ mainBox.add(panel3);
+ mainBox.add(panel4);
+
+ getContentPane().add(mainBox);
+ //validate();
+ pack();
+ setVisible(true);
+ }
+
+ public void thisWindowClosing() {
+ setVisible(false);
+ dispose();
+ }
+
+ void updatePreferences() {
+ // Set the user name
+ gui.setUser(nameField.getText().trim());
+ // Set the look and feel
+ try {
+ UIManager.LookAndFeelInfo lafi[] = UIManager.getInstalledLookAndFeels();
+ for (int i=0; i < lafi.length; i++) {
+ if (lafi[i].getName().equals(lafCombo.getSelectedItem().toString())) {
+ UIManager.setLookAndFeel(lafi[i].getClassName());
+ gui.updateUI();
+ break;
+ }
+ }
+ } catch (Exception e) {
+ System.err.println("Could not change the look and feel");
+ e.printStackTrace(System.err);
+ }
+ // Set the locale
+ String language = null;
+ String country = null;
+ String variant = null;
+ if (definedRadio.isSelected()) {
+ String encoding = definedCombo.getSelectedItem().toString();
+ language = Resources.getLanguage(encoding);
+ country = Resources.getCountry(encoding);
+ variant = Resources.getVariant(encoding);
+ RBManagerGUI.debugMsg("Before: " + language + "_" + country + "_" + variant);
+ if (country == null) country = new String();
+ if (variant == null) locale = new Locale(language, country);
+ else locale = new Locale(language, country, variant);
+ RBManagerGUI.debugMsg("After: " + locale.toString());
+ } else if (machineRadio.isSelected()) {
+ String encoding = machineCombo.getSelectedItem().toString();
+ language = Resources.getLanguage(encoding);
+ country = Resources.getCountry(encoding);
+ variant = Resources.getVariant(encoding);
+ if (country == null) country = new String();
+ if (variant == null) locale = new Locale(language, country);
+ else locale = new Locale(language, country, variant);
+ } else if (isoRadio.isSelected()) {
+ language = isoLangCombo.getSelectedItem().toString();
+ country = isoCounCombo.getSelectedItem().toString();
+ if (variant == null) locale = new Locale(language, country);
+ else locale = new Locale(language, country, variant);
+ }
+ Resources.setLocale(locale);
+ gui.updateLocale(locale);
+
+ // Write the preferences
+ Preferences.setPreference("username", gui.getUser());
+ Preferences.setPreference("lookandfeel", UIManager.getLookAndFeel().getClass().getName());
+ Preferences.setPreference("locale", locale.toString());
+ try {
+ Preferences.savePreferences();
+ } catch (IOException ioe) {
+ JOptionPane.showMessageDialog(this, Resources.getTranslation("error_preferences_save"),
+ Resources.getTranslation("error"), JOptionPane.ERROR_MESSAGE);
+ ioe.printStackTrace(System.err);
+ }
+
+ // Close the window
+ thisWindowClosing();
+ }
+}
+
+// A dialog displaying information about this application
+
+class AboutDialog {
+ public static JDialog dialog = null;
+
+ public static void showDialog(Frame parent) {
+ if (dialog == null) {
+ dialog = new JDialog(parent, Resources.getTranslation("dialog_title_about_rbmanager"), false);
+ initComponents();
+ }
+ dialog.setVisible(true);
+ }
+
+ private static void initComponents() {
+ dialog.getContentPane().setLayout(new BorderLayout());
+ JLabel logoLabel = null;
+ JLabel titleLabel = new JLabel(Resources.getTranslation("rbmanager"));
+ JLabel versionLabel = new JLabel(Resources.getTranslation("version", Package.getPackage("com.ibm.rbm").getImplementationVersion()));
+ JLabel copyrightLabel = new JLabel(Resources.getTranslation("copyright"));
+ JLabel contactLabel = new JLabel(Resources.getTranslation("rbmanager_contact"));
+ JPanel panel = new JPanel();
+ Box box = new Box(BoxLayout.Y_AXIS);
+
+ try {
+ Class thisClass = Class.forName("com.ibm.rbm.AboutDialog");
+ logoLabel = new JLabel(new ImageIcon(thisClass.getResource("images/" +
+ Resources.getTranslation("logo_filename"))));
+ } catch (ClassNotFoundException e) {
+ RBManagerGUI.debugMsg(e.toString());
+ }
+
+ box.add(titleLabel);
+ box.add(versionLabel);
+ box.add(Box.createVerticalStrut(10));
+ box.add(copyrightLabel);
+ box.add(Box.createVerticalStrut(5));
+ box.add(contactLabel);
+
+ panel.add(box);
+ dialog.getContentPane().add(logoLabel, BorderLayout.WEST);
+ dialog.getContentPane().add(panel, BorderLayout.CENTER);
+
+ dialog.addMouseListener(new MouseListener() {
+ public void mousePressed(MouseEvent ev) { }
+ public void mouseReleased(MouseEvent ev) {
+ hideDialog();
+ }
+ public void mouseEntered(MouseEvent ev) { }
+ public void mouseExited(MouseEvent ev) { }
+ public void mouseClicked(MouseEvent ev) { }
+ });
+
+ //dialog.validate();
+ dialog.pack();
+ dialog.setLocation(new Point(50,50));
+ //dialog.setResizable(false);
+ }
+
+ private static void hideDialog() {
+ dialog.setVisible(false);
+ }
+}
+
+// The list model for groups
+
+class GroupItemsListModel extends AbstractListModel {
+ BundleGroup group;
+
+ public void setGroup(BundleGroup group) {
+ this.group = group;
+ }
+
+ public GroupItemsListModel(BundleGroup group) {
+ this.group = group;
+ }
+
+ public int getSize() {
+ if (group == null) return 0;
+ return group.getItemCount();
+ }
+
+ public Object getElementAt(int index) {
+ return group.getBundleItem(index);
+ }
+
+ public void update() {
+ fireContentsChanged(this, 0, getSize()-1);
+ }
+}
+
+// Table model for resource bundle projects
+
+class RBProject {
+ java.util.List bundleNames;
+ java.util.List bundleFileNames;
+ java.util.List bundles;
+ String projectName;
+
+ public RBProject(String projectName) {
+ this.projectName = projectName;
+ bundleNames = new java.util.LinkedList();
+ bundleFileNames = new java.util.LinkedList();
+ bundles = new java.util.LinkedList();
+ }
+
+ public RBProject(File inputFile) throws IOException {
+ this(inputFile.getName());
+
+ if (projectName.indexOf(".") > 0) {
+ projectName = projectName.substring(0,projectName.lastIndexOf("."));
+ }
+
+ FileReader fr = new FileReader(inputFile);
+ BufferedReader br = new BufferedReader(fr);
+ String line = null;
+ int linecount = 0;
+ while ((line = br.readLine()) != null) {
+ if (linecount % 2 == 0) {
+ bundleNames.add(line.trim());
+ } else {
+ bundleFileNames.add(line.trim());
+ }
+ linecount++;
+ }
+ fr.close();
+ try {
+ for (int i=0; i < bundleFileNames.size(); i++) {
+ RBManager rbm = new RBManager(new File((String)bundleFileNames.get(i)));
+ bundles.add(rbm);
+ }
+ } catch (Exception ex) {
+ JOptionPane.showMessageDialog(new JFrame(), Resources.getTranslation("error_load_project"),
+ Resources.getTranslation("error"), JOptionPane.ERROR_MESSAGE);
+ ex.printStackTrace();
+ bundleNames.clear();
+ bundleFileNames.clear();
+ }
+ }
+
+ public String toString() { return projectName; }
+
+ public int getSize() { return bundleNames.size(); }
+
+ public String getBundleName(int index) {
+ return (String)bundleNames.get(index);
+ }
+
+ public String getFileName(int index) {
+ return (String)bundleFileNames.get(index);
+ }
+
+ public RBManager getBundle(int index) {
+ return (RBManager)bundles.get(index);
+ }
+
+ public RBManager getBundle(String bundleName) {
+ int index = bundleNames.indexOf(bundleName);
+ if (index >= 0) return getBundle(index);
+ return null;
+ }
+
+ public void write(File outputFile) throws IOException {
+ FileWriter fw = new FileWriter(outputFile);
+ for (int i=0; i < bundleNames.size(); i++) {
+ fw.write((String)bundleNames.get(i));
+ fw.write("\n");
+ fw.write((String)bundleFileNames.get(i));
+ if (i != bundleNames.size()-1) fw.write("\n");
+ }
+ fw.flush();
+ fw.close();
+ }
+
+ public void addBundle(String bundleFileName) throws IOException {
+ RBManager bundle = new RBManager(new File(bundleFileName));
+ bundles.add(bundle);
+ bundleNames.add(bundle.getBaseClass());
+ bundleFileNames.add(bundleFileName);
+ }
+
+ public void removeBundle(String bundleName) {
+ int index = bundleNames.indexOf(bundleName);
+ if (index >= 0) {
+ bundleNames.remove(index);
+ bundleFileNames.remove(index);
+ bundles.remove(index);
+ }
+ }
+}
+
+// The table model for bundle groups
+
+class GroupItemsTableModel extends AbstractTableModel {
+ BundleGroup group;
+
+ public GroupItemsTableModel(BundleGroup group) {
+ this.group = group;
+ }
+
+ public int getColumnCount() { return 3; }
+
+ public int getRowCount() {
+ return group.getItemCount();
+ }
+
+ public void setGroup(BundleGroup bg) {
+ group = bg;
+ fireTableChanged(new TableModelEvent(this));
+ }
+
+ public Object getValueAt(int row, int col) {
+ BundleItem item = group.getBundleItem(row);
+
+ String retStr = null;
+
+ switch(col) {
+ case 0:
+ retStr = item.getKey();
+ break;
+ case 1:
+ retStr = item.getTranslation();
+ break;
+ case 2:
+ retStr = (item.getComment() == null ? "" : item.getComment());
+ break;
+ default:
+ retStr = Resources.getTranslation("table_cell_error");
+ }
+
+ return retStr;
+ }
+
+ public String getColumnName(int col) {
+ if (col == 0) return Resources.getTranslation("languagegroup_column_key");
+ else if (col == 1) return Resources.getTranslation("languagegroup_column_translation");
+ else if (col == 2) return Resources.getTranslation("languagegroup_column_comment");
+ else return Resources.getTranslation("table_column_error");
+ }
+
+ public BundleItem getBundleItem(int row) {
+ if (row >= group.getItemCount()) return null;
+ return (BundleItem)group.getBundleItem(row);
+ }
+
+ public void update() {
+ fireTableDataChanged();
+ }
+}
+
+// The table model for untranslated Items
+
+class UntranslatedItemsTableModel extends AbstractTableModel {
+ Bundle bundle;
+
+ public UntranslatedItemsTableModel(Bundle bundle) {
+ this.bundle = bundle;
+ }
+
+ public void setBundle(Bundle bundle) {
+ this.bundle = bundle;
+ }
+
+ public int getColumnCount() { return 3; }
+
+ public int getRowCount() {
+ return bundle.getUntranslatedItemsSize();
+ }
+
+ public Object getValueAt(int row, int col) {
+ BundleItem item = bundle.getUntranslatedItem(row);
+ String retStr = null;
+
+ switch(col) {
+ case 0:
+ retStr = item.getKey();
+ break;
+ case 1:
+ retStr = item.getTranslation();
+ break;
+ case 2:
+ retStr = (item.getParentGroup() == null ? "" : item.getParentGroup().getName());
+ break;
+ default:
+ retStr = Resources.getTranslation("table_cell_error");
+ }
+
+ return retStr;
+ }
+
+ public String getColumnName(int col) {
+ if (col == 0) return Resources.getTranslation("languageuntrans_column_key");
+ else if (col == 1) return Resources.getTranslation("languageuntrans_column_translation");
+ else if (col == 2) return Resources.getTranslation("languageuntrans_column_group");
+ else return Resources.getTranslation("table_column_error");
+ }
+
+ public BundleItem getBundleItem(int row) {
+ return bundle.getUntranslatedItem(row);
+ }
+
+ public void update() {
+ fireTableDataChanged();
+ }
+}
+
+// The table model for search and replace Items
+
+class SearchItemsTableModel extends AbstractTableModel {
+ Vector items;
+
+ public SearchItemsTableModel(Vector items) {
+ this.items = items;
+ }
+
+ public void setItems(Vector items) {
+ this.items = items;
+ }
+
+ public int getColumnCount() { return 3; }
+
+ public int getRowCount() {
+ return items.size();
+ }
+
+ public Object getValueAt(int row, int col) {
+ BundleItem item = (BundleItem)items.elementAt(row);
+ String retStr = null;
+
+ switch(col) {
+ case 0:
+ retStr = item.getKey();
+ break;
+ case 1:
+ retStr = item.getTranslation();
+ break;
+ case 2:
+ retStr = (item.getParentGroup() == null ? "" : item.getParentGroup().getName());
+ break;
+ default:
+ retStr = Resources.getTranslation("table_cell_error");
+ }
+
+ return retStr;
+ }
+
+ public String getColumnName(int col) {
+ if (col == 0) return Resources.getTranslation("languageuntrans_column_key");
+ else if (col == 1) return Resources.getTranslation("languageuntrans_column_translation");
+ else if (col == 2) return Resources.getTranslation("languageuntrans_column_group");
+ else return Resources.getTranslation("table_column_error");
+ }
+
+ public BundleItem getBundleItem(int row) {
+ return (BundleItem)items.elementAt(row);
+ }
+
+ public Vector getBundleItems() {
+ return items;
+ }
+
+ public void update() {
+ fireTableDataChanged();
+ }
+}
+
+// A listener which checks a translation box to see if it changes, if it does, it marks the word as translated in a check box
+class TranslationFocusListener implements FocusListener {
+ String original;
+ JCheckBox cbox;
+ boolean selected;
+
+ public TranslationFocusListener(String original, JCheckBox cbox) {
+ this.original = original;
+ this.cbox = cbox;
+ selected = cbox.isSelected();
+ }
+
+ public void focusGained(FocusEvent ev) {}
+
+ public void focusLost(FocusEvent ev) {
+ JTextField field = (JTextField)ev.getSource();
+ if (field.getText().equals(original)) {
+ cbox.setSelected(selected);
+ return;
+ }
+ cbox.setSelected(true);
+ }
+}
+
+
+// Combo box model for display all groups of a bundle
+
+class GroupComboBoxModel extends DefaultComboBoxModel {
+ Bundle bundle;
+
+ public GroupComboBoxModel (Bundle bundle) {
+ this.bundle = bundle;
+ setSelectedItem(bundle.getBundleGroup(0));
+ }
+
+ public int getSize() {
+ return bundle.getGroupCount();
+ }
+
+ public Object getElementAt(int index) {
+ return bundle.getBundleGroup(index);
+ }
+
+ public Object getSelectedItem() {
+ return super.getSelectedItem();
+ //return getElementAt(0);
+ }
+
+ public void update() {
+ fireContentsChanged(this, 0, getSize()-1);
+ }
+}
+
+class ButtonEnablerFocusListener implements FocusListener {
+ JButton button;
+ String beforeText = null;
+
+ public ButtonEnablerFocusListener(JButton button) {
+ super();
+ this.button = button;
+ }
+
+ public void focusGained(FocusEvent ev) {
+ Object o = ev.getSource();
+ if (o instanceof JTextComponent) {
+ JTextComponent jtc = (JTextComponent)o;
+ beforeText = jtc.getText();
+ }
+ }
+
+ public void focusLost(FocusEvent ev) {
+ Object o = ev.getSource();
+ if (o instanceof JTextComponent) {
+ JTextComponent jtc = (JTextComponent)o;
+ String afterText = jtc.getText();
+ if (!afterText.equals(beforeText)) button.setEnabled(true);
+ } else button.setEnabled(true);
+ }
+}
+
+// The class used to display groups
+
+class RBGroupPanel extends JPanel {
+ RBManager rbm;
+ Bundle bundle;
+ RBManagerGUI listener;
+
+ // Components
+ JLabel jLabelGroupTitle;
+ JLabel jLabelGroupNameTitle;
+ JLabel jLabelGroupCommentTitle;
+ JLabel jLabelGroupComment;
+ JComboBox jComboBoxGroup;
+ JTable jTableGroupTable;
+ JScrollPane jScrollPaneGroupTable;
+ Box boxGroupInfo;
+ Box box1;
+ Box box2;
+ Box box3;
+ Box box4;
+ Dimension topDim = new Dimension();
+ Dimension leftDim = new Dimension();
+ Dimension rightDim = new Dimension();
+
+ // Components - Manager
+ JList jListGroup;
+ JButton createItemButton;
+ JButton createGroupButton;
+ JButton editItemButton;
+ JButton editGroupButton;
+ JButton deleteItemButton;
+ JButton deleteGroupButton;
+ JPanel itemPanel;
+ JPanel groupPanel;
+
+ public RBGroupPanel(RBManagerGUI gui) {
+ super();
+ listener = gui;
+ }
+
+ public void setBundle(Bundle b) {
+ rbm = null;
+ if (bundle == null) {
+ bundle = b;
+ initComponents();
+ } else if (bundle != b) {
+ bundle = b;
+ updateComponents();
+ }
+ }
+
+ public void setManager(RBManager m) {
+ bundle = null;
+ if (rbm == null) {
+ rbm = m;
+ initComponents();
+ } else if (rbm != m) {
+ rbm = m;
+ updateComponents();
+ }
+ }
+
+ public void removeElements() {
+ if (rbm != null || bundle != null) {
+ rbm = null;
+ bundle = null;
+ initComponents();
+ }
+ }
+
+ // Marks the selected resource as translated and removes from this view
+ private void markSelectedResourceAsTranslated() {
+ if (bundle == null) return;
+ if (jTableGroupTable.getSelectedRow() < 0) return;
+ if (jTableGroupTable.getModel() instanceof GroupItemsTableModel) {
+ int row = jTableGroupTable.getSelectedRow();
+ GroupItemsTableModel model = (GroupItemsTableModel)jTableGroupTable.getModel();
+ BundleItem item = model.getBundleItem(row);
+ item.setTranslated(true);
+ model.update();
+ }
+ }
+
+ // Removes the selected resource from the resource file
+ private void deleteSelectedResource() {
+ if (bundle == null) return;
+ if (jTableGroupTable.getSelectedRow() < 0) return;
+ if (jTableGroupTable.getModel() instanceof GroupItemsTableModel) {
+ int row = jTableGroupTable.getSelectedRow();
+ GroupItemsTableModel model = (GroupItemsTableModel)jTableGroupTable.getModel();
+ BundleItem item = model.getBundleItem(row);
+ if (item.getParentGroup() != null && item.getParentGroup().getParentBundle() != null) {
+ Bundle bundle = item.getParentGroup().getParentBundle();
+ bundle.removeItem(item.getKey());
+ }
+ model.update();
+ }
+ }
+
+ public void initComponents() {
+ // Initialize components
+ if (bundle != null) {
+ jLabelGroupTitle = new JLabel(bundle.name);
+ jComboBoxGroup = new JComboBox(new GroupComboBoxModel(bundle));//bundle.getGroupsAsVector());
+
+ jTableGroupTable = new JTable(new GroupItemsTableModel((BundleGroup)jComboBoxGroup.getSelectedItem()));
+ jScrollPaneGroupTable = new JScrollPane(jTableGroupTable);
+ jLabelGroupNameTitle = new JLabel(Resources.getTranslation("basegroup_group_name"));
+ jLabelGroupCommentTitle = new JLabel(Resources.getTranslation("basegroup_group_comment"));
+ jLabelGroupComment = new JLabel(((BundleGroup)jComboBoxGroup.getSelectedItem()).getComment());
+
+ boxGroupInfo = new Box(BoxLayout.Y_AXIS);
+ box1 = new Box(BoxLayout.X_AXIS);
+ box2 = new Box(BoxLayout.X_AXIS);
+ box3 = new Box(BoxLayout.X_AXIS);
+
+ // Lower panel components
+ JPanel lowerPanel = new JPanel();
+ JButton deleteButton = new JButton(Resources.getTranslation("button_delete_resource"));
+ JButton translateButton = new JButton(Resources.getTranslation("button_mark_translated"));
+
+ deleteButton.setMnemonic(RBManagerMenuBar.getKeyEventKey(Resources.getTranslation("button_delete_resource_trigger")));
+ translateButton.setMnemonic(RBManagerMenuBar.getKeyEventKey(Resources.getTranslation("button_mark_translated_trigger")));
+ lowerPanel.setBorder(BorderFactory.createTitledBorder(Resources.getTranslation("languageuntrans_selected_resources_options")));
+ lowerPanel.setLayout(new GridLayout(1,2));
+
+ topDim = new Dimension(getSize().width, 35);
+ leftDim = new Dimension(150,25);
+ rightDim = new Dimension(getSize().width - leftDim.width, leftDim.height);
+
+ jLabelGroupNameTitle.setPreferredSize(leftDim);
+ jLabelGroupNameTitle.setHorizontalAlignment(SwingConstants.LEFT);
+ jLabelGroupCommentTitle.setPreferredSize(leftDim);
+ jComboBoxGroup.setPreferredSize(rightDim);
+ jLabelGroupTitle.setPreferredSize(topDim);
+ jLabelGroupComment.setPreferredSize(rightDim);
+
+ jTableGroupTable.setSelectionMode(ListSelectionModel.SINGLE_SELECTION);
+ jTableGroupTable.addMouseListener(listener);
+
+ jComboBoxGroup.addActionListener(new GroupComboActionListener(jListGroup));
+
+ jLabelGroupTitle.setFont(new Font("SansSerif",Font.PLAIN,18));
+
+ // Add action listeners
+ deleteButton.addActionListener(new ActionListener(){
+ public void actionPerformed(ActionEvent ev) {
+ deleteSelectedResource();
+ }
+ });
+
+ translateButton.addActionListener(new ActionListener(){
+ public void actionPerformed(ActionEvent ev) {
+ markSelectedResourceAsTranslated();
+ }
+ });
+
+ // Update the display
+ setLayout(new BorderLayout());
+ removeAll();
+ lowerPanel.add(deleteButton);
+ lowerPanel.add(translateButton);
+ box1.add(Box.createHorizontalGlue());
+ box1.add(jLabelGroupTitle);
+ box2.add(Box.createHorizontalGlue());
+ box2.add(jLabelGroupNameTitle);
+ box2.add(jComboBoxGroup);
+ box3.add(Box.createHorizontalGlue());
+ box3.add(jLabelGroupCommentTitle);
+ box3.add(jLabelGroupComment);
+ boxGroupInfo.add(box1);
+ boxGroupInfo.add(box2);
+ boxGroupInfo.add(box3);
+ boxGroupInfo.add(jScrollPaneGroupTable);
+ add(boxGroupInfo, BorderLayout.CENTER);
+ add(lowerPanel, BorderLayout.SOUTH);
+ } else if (rbm != null) {
+ Bundle mainBundle = (Bundle)rbm.bundles.firstElement();
+ jLabelGroupTitle = new JLabel(rbm.getBaseClass() + " - " + Resources.getTranslation("groups"));
+ jComboBoxGroup = new JComboBox(new GroupComboBoxModel(mainBundle));//mainBundle.getGroupsAsVector());
+
+ jListGroup = new JList(new GroupItemsListModel((BundleGroup)jComboBoxGroup.getSelectedItem()));
+ jScrollPaneGroupTable = new JScrollPane(jListGroup);
+ jLabelGroupNameTitle = new JLabel(Resources.getTranslation("basegroup_group_name"));
+ jLabelGroupCommentTitle = new JLabel(Resources.getTranslation("basegroup_group_comment"));
+ try {
+ jLabelGroupComment = new JLabel(((BundleGroup)jComboBoxGroup.getSelectedItem()).getComment());
+ } catch (NullPointerException npe) {
+ jLabelGroupComment = new JLabel("");
+ }
+
+ boxGroupInfo = new Box(BoxLayout.Y_AXIS);
+ box1 = new Box(BoxLayout.X_AXIS);
+ box2 = new Box(BoxLayout.X_AXIS);
+ box3 = new Box(BoxLayout.X_AXIS);
+ box4 = new Box(BoxLayout.Y_AXIS);
+
+ createItemButton = new JButton(Resources.getTranslation("button_create_resource"));
+ createGroupButton = new JButton(Resources.getTranslation("button_create_group"));
+ deleteItemButton = new JButton(Resources.getTranslation("button_delete_resource"));
+ deleteGroupButton = new JButton(Resources.getTranslation("button_delete_group"));
+ editItemButton = new JButton(Resources.getTranslation("button_edit_resource"));
+ editGroupButton = new JButton(Resources.getTranslation("button_edit_group"));
+
+ itemPanel = new JPanel();
+ groupPanel = new JPanel();
+
+ itemPanel.setBorder(BorderFactory.createTitledBorder(BorderFactory.createEtchedBorder(),
+ Resources.getTranslation("basegroup_item_options")));
+ groupPanel.setBorder(BorderFactory.createTitledBorder(BorderFactory.createEtchedBorder(),
+ Resources.getTranslation("basegroup_group_options")));
+ itemPanel.setLayout(new GridLayout(1,3));
+ groupPanel.setLayout(new GridLayout(1,3));
+ itemPanel.setMaximumSize(new Dimension(20000,50));
+ groupPanel.setMaximumSize(new Dimension(20000,50));
+
+ topDim = new Dimension(getSize().width, 35);
+ leftDim = new Dimension(150,25);
+ rightDim = new Dimension(getSize().width - leftDim.width, leftDim.height);
+
+ createItemButton.setMnemonic(RBManagerMenuBar.getKeyEventKey(Resources.getTranslation("button_create_resource_trigger")));
+ editItemButton.setMnemonic(RBManagerMenuBar.getKeyEventKey(Resources.getTranslation("button_edit_resource_trigger")));
+ deleteItemButton.setMnemonic(RBManagerMenuBar.getKeyEventKey(Resources.getTranslation("button_delete_resource_trigger")));
+ createGroupButton.setMnemonic(RBManagerMenuBar.getKeyEventKey(Resources.getTranslation("button_create_group_trigger")));
+
+ jLabelGroupNameTitle.setPreferredSize(leftDim);
+ jLabelGroupCommentTitle.setPreferredSize(leftDim);
+ jComboBoxGroup.setPreferredSize(rightDim);
+ jLabelGroupTitle.setPreferredSize(topDim);
+ jLabelGroupComment.setPreferredSize(rightDim);
+
+ jListGroup.setSelectionMode(ListSelectionModel.SINGLE_SELECTION);
+
+ jComboBoxGroup.addActionListener(new GroupComboActionListener(jListGroup));
+
+ jLabelGroupTitle.setFont(new Font("SansSerif",Font.PLAIN,18));
+
+ // Add the listeners
+ jListGroup.addMouseListener(new MouseListener() {
+ public void mousePressed(MouseEvent ev) { }
+ public void mouseClicked(MouseEvent ev) {
+ if(ev.getClickCount() == 2 && ev.getSource() instanceof JList) {
+ // A double click means they want to edit a bundle item
+ RBGroupPanel panel = (RBGroupPanel)
+ ((JList)ev.getSource()).getParent().getParent().getParent().getParent();
+
+ if (((JList)ev.getSource()).getSelectedValue() != null)
+ new BundleItemCreationDialog((BundleItem)((JList)ev.getSource()).getSelectedValue(),
+ panel.listener.rbm, panel.listener, Resources.getTranslation("dialog_title_edit_item"), true);
+ }
+ }
+ public void mouseReleased(MouseEvent ev) { }
+ public void mouseEntered(MouseEvent ev) { }
+ public void mouseExited(MouseEvent ev) { }
+ });
+
+ createItemButton.addActionListener(new ActionListener(){
+ public void actionPerformed(ActionEvent ev) {
+ RBGroupPanel panel = (RBGroupPanel)
+ ((JButton)ev.getSource()).getParent().getParent().getParent().getParent();
+ new BundleItemCreationDialog(((BundleGroup)panel.jComboBoxGroup.getSelectedItem()).getName(),
+ panel.listener.rbm, panel.listener,
+ Resources.getTranslation("dialog_title_new_item"), true);
+ panel.updateComponents();
+ }
+ });
+ createGroupButton.addActionListener(listener);
+ editItemButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ RBGroupPanel panel = (RBGroupPanel)
+ ((JButton)ev.getSource()).getParent().getParent().getParent().getParent();
+ if (panel.jListGroup.getSelectedValue() != null)
+ new BundleItemCreationDialog((BundleItem)panel.jListGroup.getSelectedValue(),
+ panel.listener.rbm, panel.listener, Resources.getTranslation("dialog_title_edit_item"), true);
+ panel.updateComponents();
+ }
+ });
+ editGroupButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ RBGroupPanel panel = (RBGroupPanel)
+ ((JButton)ev.getSource()).getParent().getParent().getParent().getParent();
+ new BundleGroupEditDialog((BundleGroup)panel.jComboBoxGroup.getSelectedItem(),
+ panel.listener, Resources.getTranslation("dialog_title_edit_group"), true);
+ panel.updateComponents();
+ }
+ });
+ deleteGroupButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ RBGroupPanel panel = (RBGroupPanel)
+ ((JButton)ev.getSource()).getParent().getParent().getParent().getParent();
+ int response = JOptionPane.showConfirmDialog(panel.listener,
+ Resources.getTranslation("dialog_warning_delete_group"),
+ Resources.getTranslation("dialog_title_delete_group"), JOptionPane.OK_CANCEL_OPTION,
+ JOptionPane.WARNING_MESSAGE);
+ if (response == JOptionPane.OK_OPTION) {
+ // Delete the group
+ int index = panel.jComboBoxGroup.getSelectedIndex();
+ BundleGroup group = (BundleGroup)panel.jComboBoxGroup.getSelectedItem();
+ if (group.getName().equals("Ungrouped Items")) return;
+ if (index < panel.jComboBoxGroup.getItemCount()-1) panel.jComboBoxGroup.setSelectedIndex(index+1);
+ else panel.jComboBoxGroup.setSelectedIndex(index-1);
+ panel.rbm.deleteGroup(group.getName());
+ }
+ panel.updateComponents();
+ }
+ });
+
+ deleteItemButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ RBGroupPanel panel = (RBGroupPanel)((JButton)ev.getSource()).getParent().getParent().getParent().getParent();
+ int response = JOptionPane.showConfirmDialog(panel.listener,
+ Resources.getTranslation("dialog_warning_delete_item"),
+ Resources.getTranslation("dialog_title_delete_item"), JOptionPane.OK_CANCEL_OPTION,
+ JOptionPane.WARNING_MESSAGE);
+ if (response == JOptionPane.OK_OPTION) {
+ Object o = panel.jListGroup.getSelectedValue();
+ if (o != null) {
+ BundleItem item = (BundleItem) o;
+ handleDeleteItem(item.getKey());
+ //panel.rbm.deleteItem(item.getKey());
+ }
+ }
+ panel.updateComponents();
+ }
+ });
+
+ // Update the display
+ setLayout(new BorderLayout());
+ removeAll();
+ itemPanel.add(createItemButton, BorderLayout.WEST);
+ itemPanel.add(editItemButton, BorderLayout.CENTER);
+ itemPanel.add(deleteItemButton, BorderLayout.EAST);
+ groupPanel.add(createGroupButton, BorderLayout.WEST);
+ groupPanel.add(editGroupButton, BorderLayout.CENTER);
+ groupPanel.add(deleteGroupButton, BorderLayout.EAST);
+ box1.add(Box.createHorizontalGlue());
+ box1.add(jLabelGroupTitle);
+ box2.add(Box.createHorizontalGlue());
+ box2.add(jLabelGroupNameTitle);
+ box2.add(jComboBoxGroup);
+ box3.add(Box.createHorizontalGlue());
+ box3.add(jLabelGroupCommentTitle);
+ box3.add(jLabelGroupComment);
+ box4.add(Box.createVerticalStrut(5));
+ box4.add(groupPanel);
+ box4.add(Box.createVerticalStrut(10));
+ box4.add(itemPanel);
+ box4.add(Box.createVerticalStrut(5));
+ boxGroupInfo.add(box1);
+ boxGroupInfo.add(box2);
+ boxGroupInfo.add(box3);
+ boxGroupInfo.add(jScrollPaneGroupTable);
+ boxGroupInfo.add(box4);
+ add(boxGroupInfo, BorderLayout.CENTER);
+ } else {
+ removeAll();
+ }
+ }
+
+ public void updateComponents() {
+ // Initialize components
+ if (bundle != null) {
+ jLabelGroupTitle.setText(bundle.name);
+
+ topDim.width = getSize().width;
+ rightDim.width = getSize().width - leftDim.width;
+
+ box2.removeAll();
+ box3.removeAll();
+ boxGroupInfo.remove(jScrollPaneGroupTable);
+
+ String selName = null;
+ try {
+ selName = ((BundleGroup)jComboBoxGroup.getSelectedItem()).getName();
+ } catch (Exception e) {}
+ jComboBoxGroup = new JComboBox(new GroupComboBoxModel(bundle));//bundle.getGroupsAsVector());
+ for (int i = 0; i < jComboBoxGroup.getItemCount(); i++) {
+ BundleGroup bg = (BundleGroup)jComboBoxGroup.getItemAt(i);
+ if (bg.getName().equals(selName)) jComboBoxGroup.setSelectedIndex(i);
+ }
+
+ ((GroupItemsTableModel)jTableGroupTable.getModel()).setGroup((BundleGroup)jComboBoxGroup.getSelectedItem());
+ jScrollPaneGroupTable = new JScrollPane(jTableGroupTable);
+ jLabelGroupComment.setText(((BundleGroup)jComboBoxGroup.getSelectedItem()).getComment());
+
+ jTableGroupTable.setSelectionMode(ListSelectionModel.SINGLE_SELECTION);
+ jComboBoxGroup.addActionListener(new GroupComboActionListener(jTableGroupTable));
+
+ // Update the group comment
+ jLabelGroupComment.setText(((BundleGroup)jComboBoxGroup.getSelectedItem()).getComment());
+
+ // Update the display
+ jComboBoxGroup.setPreferredSize(rightDim);
+ box2.add(Box.createHorizontalGlue());
+ box2.add(jLabelGroupNameTitle);
+ box2.add(jComboBoxGroup);
+ box3.add(Box.createHorizontalGlue());
+ box3.add(jLabelGroupCommentTitle);
+ box3.add(jLabelGroupComment);
+ boxGroupInfo.add(jScrollPaneGroupTable);
+
+ } else if (rbm != null) {
+
+ // Update the list of groups
+ try {((GroupComboBoxModel)jComboBoxGroup.getModel()).update();}
+ catch (Exception e) {}
+ // Update the group comment
+ if ((BundleGroup)jComboBoxGroup.getSelectedItem() != null)
+ jLabelGroupComment.setText(((BundleGroup)jComboBoxGroup.getSelectedItem()).getComment());
+ else jLabelGroupComment.setText("");
+ // Update the list of resources
+ ListModel lmodel = jListGroup.getModel();
+ if (lmodel instanceof GroupItemsListModel)
+ ((GroupItemsListModel)lmodel).update();
+ else {
+ GroupItemsListModel newModel = new GroupItemsListModel((BundleGroup)jComboBoxGroup.getSelectedItem());
+ RBManagerGUI.debugMsg("List Model not as anticipated: " + lmodel.getClass().getName());
+ jListGroup.setModel(newModel);
+ newModel.update();
+ }
+ /*
+ try {GroupItemsListModel mod = (GroupItemsListModel) lmodel; }
+ catch (Exception e) {
+ e.printStackTrace(System.err);
+ }
+ */
+ if (lmodel instanceof AbstractListModel) {
+ RBManagerGUI.debugMsg("List Model is an AbstractListModel");
+ } else {
+ RBManagerGUI.debugMsg("List Model is not an AbstractListModel");
+ }
+ } else {
+ removeAll();
+ }
+ //validate();
+ }
+
+ private void handleDeleteItem(String key) {
+ if (rbm != null) rbm.deleteItem(key);
+ }
+}
+
+// The class used to display untranslated items
+
+class RBUntranslatedPanel extends JPanel {
+ RBManager rbm;
+ Bundle bundle;
+ RBManagerGUI listener;
+
+ // Components - Bundle
+ JLabel jLabelUntransTitle;
+ UntranslatedItemsTableModel untransTableModel;
+ JTable jTableUntrans;
+ JScrollPane jScrollPaneUntransTable;
+
+ // Components - Bundle Manager
+ Box mainBox;
+ JPanel mainPanels[];
+ JLabel numUntransLabels[];
+ JScrollPane mainScroll;
+ JScrollPane listScrolls[];
+ JList untransLists[];
+
+ public RBUntranslatedPanel(RBManagerGUI gui) {
+ super();
+ listener = gui;
+ }
+
+ public void setBundle(Bundle b) {
+ rbm = null;
+ if (bundle == null) {
+ bundle = b;
+ initComponents();
+ } else if (bundle != b) {
+ bundle = b;
+ updateComponents();
+ }
+ }
+
+ public void setManager(RBManager m) {
+ bundle = null;
+ if (rbm == null) {
+ rbm = m;
+ initComponents();
+ } else if (rbm != m) {
+ rbm = m;
+ updateComponents();
+ }
+ }
+
+ public void removeElements() {
+ if (rbm != null || bundle != null) {
+ rbm = null;
+ bundle = null;
+ initComponents();
+ }
+ }
+
+ // Marks the selected resource as translated and removes from this view
+ private void markSelectedResourceAsTranslated() {
+ if (bundle == null) return;
+ if (jTableUntrans.getSelectedRow() < 0) return;
+ if (jTableUntrans.getModel() instanceof UntranslatedItemsTableModel) {
+ int row = jTableUntrans.getSelectedRow();
+ UntranslatedItemsTableModel model = (UntranslatedItemsTableModel)jTableUntrans.getModel();
+ BundleItem item = model.getBundleItem(row);
+ item.setTranslated(true);
+ model.update();
+ }
+ }
+
+ // Removes the selected resource from the resource file
+ private void deleteSelectedResource() {
+ if (bundle == null) return;
+ if (jTableUntrans.getSelectedRow() < 0) return;
+ if (jTableUntrans.getModel() instanceof UntranslatedItemsTableModel) {
+ int row = jTableUntrans.getSelectedRow();
+ UntranslatedItemsTableModel model = (UntranslatedItemsTableModel)jTableUntrans.getModel();
+ BundleItem item = model.getBundleItem(row);
+ if (item.getParentGroup() != null && item.getParentGroup().getParentBundle() != null) {
+ Bundle bundle = item.getParentGroup().getParentBundle();
+ bundle.removeItem(item.getKey());
+ }
+ model.update();
+ }
+ }
+
+ private void printTable() {
+ PrintJob pjob = getToolkit().getPrintJob(new Frame(),
+ "Printing Test", null);
+
+ if (pjob != null) {
+ Graphics pg = pjob.getGraphics();
+
+ if (pg != null) {
+ //jTableUntrans.print(pg);
+ Dimension page_dim = pjob.getPageDimension();
+ pg.setColor(Color.black);
+ int y_off = 50;
+ int x_off = 30;
+ TableModel model = jTableUntrans.getModel();
+ pg.setFont(new Font("SansSerif", Font.BOLD, 14));
+ pg.drawString("Untranslated Items: Page 1", x_off, y_off);
+ pg.setFont(new Font("SansSerif", Font.PLAIN, 10));
+
+ for (int i=0 ; i < model.getRowCount(); i++) {
+ if (y_off < page_dim.height - 50) {
+ y_off += 15;
+ String key = model.getValueAt(i, 0).toString();
+ String translation = model.getValueAt(i,1).toString();
+ pg.drawString(key + " -> " + translation, x_off, y_off);
+ }
+ }
+ pg.dispose(); // flush page
+ }
+ pjob.end();
+
+ }
+ }
+
+ public void initComponents() {
+ // Initialize components
+ if (bundle != null) {
+ jLabelUntransTitle = new JLabel(bundle.name);
+ untransTableModel = new UntranslatedItemsTableModel(bundle);
+ jTableUntrans = new JTable(untransTableModel);
+ jScrollPaneUntransTable = new JScrollPane(jTableUntrans);
+
+ // Lower panel components
+ JPanel lowerPanel = new JPanel();
+ JButton deleteButton = new JButton(Resources.getTranslation("button_delete_resource"));
+ JButton translateButton = new JButton(Resources.getTranslation("button_mark_translated"));
+ JButton printButton = new JButton(Resources.getTranslation("button_print_table"));
+
+ deleteButton.setMnemonic(RBManagerMenuBar.getKeyEventKey(Resources.getTranslation("button_delete_resource_trigger")));
+ translateButton.setMnemonic(RBManagerMenuBar.getKeyEventKey(Resources.getTranslation("button_mark_translated_trigger")));
+ lowerPanel.setBorder(BorderFactory.createTitledBorder(Resources.getTranslation("languageuntrans_selected_resources_options")));
+ lowerPanel.setLayout(new GridLayout(1,2));
+
+ jTableUntrans.setSelectionMode(ListSelectionModel.SINGLE_SELECTION);
+ jTableUntrans.addMouseListener(listener);
+
+ jLabelUntransTitle.setFont(new Font("SansSerif",Font.PLAIN,18));
+
+ // Add action listeners
+ deleteButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ deleteSelectedResource();
+ }
+ });
+ translateButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ markSelectedResourceAsTranslated();
+ }
+ });
+ printButton.addActionListener(new ActionListener() {
+ public void actionPerformed(ActionEvent ev) {
+ printTable();
+ }
+ });
+
+ removeAll();
+ setLayout(new BorderLayout());
+ lowerPanel.add(deleteButton);
+ lowerPanel.add(translateButton);
+ //lowerPanel.add(printButton);
+ add(jLabelUntransTitle, BorderLayout.NORTH);
+ add(jScrollPaneUntransTable, BorderLayout.CENTER);
+ add(lowerPanel, BorderLayout.SOUTH);
+ } else if (rbm != null) {
+
+ int langCount = 0; // The number of languages with untranslated Items
+ for (int i=0; i < rbm.bundles.size(); i++) {
+ Bundle bundle = (Bundle)rbm.bundles.elementAt(i);
+ if (bundle.getUntranslatedItemsSize() > 0) langCount++;
+ }
+
+ // Initialize the components
+ mainPanels = new JPanel[langCount];
+ numUntransLabels = new JLabel[langCount];
+ listScrolls = new JScrollPane[langCount];
+ untransLists = new JList[langCount];
+
+ mainBox = new Box(BoxLayout.Y_AXIS);
+ mainScroll = new JScrollPane(mainBox);
+ jLabelUntransTitle = new JLabel(rbm.getBaseClass() + " - " + Resources.getTranslation("untranslated_items"));
+
+ // Set component properties
+ jLabelUntransTitle.setFont(new Font("SansSerif",Font.PLAIN,18));
+ mainBox.add(jLabelUntransTitle);
+
+ int count = 0;
+ for (int i=0; i < rbm.bundles.size(); i++) {
+ Bundle bundle = (Bundle)rbm.bundles.elementAt(i);
+ if (bundle.getUntranslatedItemsSize() > 0) {
+ mainPanels[count] = new JPanel();
+ mainPanels[count].setLayout(new BorderLayout());
+ numUntransLabels[count] = new JLabel(Resources.getTranslation("baseuntrans_untrans_count") +
+ bundle.getUntranslatedItemsSize());
+ // TODO: Implement a List Model for this list, remove use of vector
+ untransLists[count] = new JList(bundle.getUntranslatedItemsAsVector());
+ listScrolls[count] = new JScrollPane(untransLists[count]);
+
+ mainPanels[count].setBorder(BorderFactory.createTitledBorder(
+ BorderFactory.createEtchedBorder(),
+ Resources.getTranslation("baseuntrans_file") + " " + bundle.toString()));
+ mainPanels[count].removeAll();
+ mainPanels[count].add(numUntransLabels[count], BorderLayout.NORTH);
+ mainPanels[count].add(listScrolls[count], BorderLayout.CENTER);
+
+ mainBox.add(Box.createVerticalStrut(5));
+ mainBox.add(mainPanels[count]);
+
+ count++;
+ }
+ }
+ mainScroll.setPreferredSize(getSize());
+ removeAll();
+ add(mainScroll);
+ } else {
+ removeAll();
+ }
+ }
+
+ public void updateComponents() {
+ // Update components
+ if (bundle != null) {
+ jLabelUntransTitle.setText(bundle.name);
+ untransTableModel.setBundle(bundle);
+ } else if (rbm != null) {
+ initComponents();
+ } else {
+ removeAll();
+ }
+ }
+}
+
+// The class used to display statistics
+
+class RBStatisticsPanel extends JPanel {
+ RBManager rbm;
+ Bundle bundle;
+
+ // Components - Bundle
+ JLabel jLabelStatsTitle;
+
+ JLabel jLabelStatsName;
+ JLabel jLabelStatsComment;
+ JLabel jLabelStatsManager;
+ JLabel jLabelStatsLanguage;
+ JLabel jLabelStatsCountry;
+ JLabel jLabelStatsVariant;
+ JLabel jLabelStatsNumTrans;
+ JLabel jLabelStatsNumUntrans;
+
+ JTextField jTextFieldStatsName;
+ JTextField jTextFieldStatsComment;
+ JTextField jTextFieldStatsManager;
+ JTextField jTextFieldStatsLanguage;
+ JTextField jTextFieldStatsCountry;
+ JTextField jTextFieldStatsVariant;
+
+ JButton updateButton;
+
+ Box boxStatsLeftRight1;
+ Box boxStatsLeftRight2;
+
+ // Components - bundle manager
+ JLabel titleLabel;
+ JLabel numFileLabel;
+ JLabel numDupLabel;
+ JLabel numGroupLabel;
+ JLabel numItemLabel;
+
+ JList groupList;
+ JList fileList;
+ JList dupList;
+
+ JScrollPane groupScroll;
+ JScrollPane dupScroll;
+ JScrollPane fileScroll;
+
+ JPanel filePanel;
+ JPanel itemPanel;
+ JPanel groupPanel;
+
+ JButton fileButton;
+ JButton groupButton;
+ JButton itemButton;
+
+ Box mainBox;
+ Box dupBox;
+
+
+ public void setBundle(Bundle b) {
+ rbm = null;
+ if (bundle == null) {
+ bundle = b;
+ initComponents();
+ } else if (bundle != b) {
+ bundle = b;
+ updateComponents();
+ }
+ }
+
+ public void setManager(RBManager m) {
+ bundle = null;
+ if (rbm == null) {
+ rbm = m;
+ initComponents();
+ } else if (rbm != m) {
+ rbm = m;
+ updateComponents();
+ }
+ }
+
+ public void removeElements() {
+ if (rbm != null || bundle != null) {
+ rbm = null;
+ bundle = null;
+ initComponents();
+ }
+ }
+
+ public void initComponents() {
+ // Initialize components
+ if (bundle != null) {
+ RBManagerGUI.debugMsg("Initializing components for Resource File");
+ int untranslated = bundle.getUntranslatedItemsSize();
+
+ jLabelStatsTitle = new JLabel(bundle.name);
+
+ jLabelStatsName = new JLabel(Resources.getTranslation("languagestats_title"));
+ jLabelStatsComment = new JLabel(Resources.getTranslation("languagestats_comment"));
+ jLabelStatsManager = new JLabel(Resources.getTranslation("languagestats_manager"));
+ jLabelStatsLanguage = new JLabel(Resources.getTranslation("languagestats_language"));
+ jLabelStatsCountry = new JLabel(Resources.getTranslation("languagestats_country"));
+ jLabelStatsVariant = new JLabel(Resources.getTranslation("languagestats_variant"));
+ jLabelStatsNumTrans = new JLabel(Resources.getTranslation("languagestats_item_count") + " " +
+ String.valueOf(bundle.allItems.size()));
+ jLabelStatsNumUntrans = new JLabel(Resources.getTranslation("languagestats_translation_count") +
+ String.valueOf(untranslated));
+
+ jTextFieldStatsName = new JTextField((bundle.name == null ? Resources.getTranslation("untitled") : bundle.name));
+ jTextFieldStatsComment = new JTextField((bundle.comment == null ? "" : bundle.comment));
+ jTextFieldStatsManager = new JTextField((bundle.manager == null ? "" : bundle.manager));
+ jTextFieldStatsLanguage = new JTextField((bundle.language == null ? "" : bundle.language),25);
+ jTextFieldStatsCountry = new JTextField((bundle.country == null ? "" : bundle.country),25);
+ jTextFieldStatsVariant = new JTextField((bundle.variant == null ? "" : bundle.variant),25);
+
+ boxStatsLeftRight1 = new Box(BoxLayout.X_AXIS);
+ boxStatsLeftRight2 = new Box(BoxLayout.X_AXIS);
+
+ updateButton = new JButton(Resources.getTranslation("button_update"));
+ updateButton.setMnemonic(RBManagerMenuBar.getKeyEventKey(Resources.getTranslation("button_update_trigger")));
+
+ // Set up the components
+ jLabelStatsTitle.setFont(new Font("SansSerif",Font.PLAIN,18));
+
+ ButtonEnablerFocusListener befl = new ButtonEnablerFocusListener(updateButton);
+
+ // Add listeners
+ updateButton.addActionListener(new ActionListener(){
+ public void actionPerformed(ActionEvent ev) {
+ updateBundleInfo();
+ }
+ });
+
+ jTextFieldStatsName.addFocusListener(befl);
+ jTextFieldStatsComment.addFocusListener(befl);
+ jTextFieldStatsManager.addFocusListener(befl);
+ jTextFieldStatsLanguage.addFocusListener(befl);
+ jTextFieldStatsCountry.addFocusListener(befl);
+ jTextFieldStatsVariant.addFocusListener(befl);
+
+ jTextFieldStatsName.setColumns(35);
+ jTextFieldStatsComment.setColumns(35);
+ jTextFieldStatsManager.setColumns(35);
+ jTextFieldStatsLanguage.setColumns(25);
+ jTextFieldStatsCountry.setColumns(25);
+ jTextFieldStatsVariant.setColumns(25);
+
+ updateButton.setEnabled(false);
+
+ // Update the display
+ if (mainBox != null){
+ mainBox.removeAll();
+ } else {
+ mainBox = new Box(BoxLayout.Y_AXIS);
+ }
+ if (dupBox != null) dupBox.removeAll();
+ removeAll();
+ mainBox.add(jLabelStatsTitle);
+ mainBox.add(Box.createVerticalStrut(10));
+ mainBox.add(jLabelStatsName);
+ mainBox.add(jTextFieldStatsName);
+ mainBox.add(Box.createVerticalStrut(5));
+ mainBox.add(jLabelStatsComment);
+ mainBox.add(jTextFieldStatsComment);
+ mainBox.add(Box.createVerticalStrut(5));
+ mainBox.add(jLabelStatsManager);
+ mainBox.add(jTextFieldStatsManager);
+ mainBox.add(Box.createVerticalStrut(5));
+ mainBox.add(jLabelStatsLanguage);
+ mainBox.add(jTextFieldStatsLanguage);
+ mainBox.add(Box.createVerticalStrut(5));
+ mainBox.add(jLabelStatsCountry);
+ mainBox.add(jTextFieldStatsCountry);
+ mainBox.add(Box.createVerticalStrut(5));
+ mainBox.add(jLabelStatsVariant);
+ mainBox.add(jTextFieldStatsVariant);
+ mainBox.add(Box.createVerticalStrut(5));
+ mainBox.add(jLabelStatsNumTrans);
+ mainBox.add(Box.createVerticalStrut(5));
+ mainBox.add(jLabelStatsNumUntrans);
+ mainBox.add(Box.createVerticalStrut(10));
+ mainBox.add(updateButton);
+ mainBox.add(Box.createHorizontalGlue());
+ if (!(getLayout() instanceof FlowLayout)) {
+ setLayout(new FlowLayout());
+ }
+ add(mainBox);
+ } else if (rbm != null) {
+ RBManagerGUI.debugMsg("Initializing components for Resource Bundle");
+ titleLabel = new JLabel(rbm.getBaseClass() + " - " + Resources.getTranslation("baseclass"));
+
+ numFileLabel = new JLabel(Resources.getTranslation("basestats_file_count") + " " + rbm.getNumberLanguages());
+ numGroupLabel = new JLabel(Resources.getTranslation("basestats_group_count") + " " + rbm.getNumberGroups());
+ numItemLabel = new JLabel(Resources.getTranslation("basestats_item_count") + " " + rbm.getNumberTotalTranslations());
+ numDupLabel = new JLabel(Resources.getTranslation("basestats_duplicates_count") + " " + rbm.getNumberDuplicates());
+
+ fileList = new JList(rbm.getLanguageListingVector());
+ groupList = new JList(rbm.getGroupListingVector());
+ dupList = new JList(rbm.getDuplicatesListingVector());
+
+ fileButton = new JButton(Resources.getTranslation("button_add_file"));
+ groupButton = new JButton(Resources.getTranslation("button_add_group"));
+ itemButton = new JButton(Resources.getTranslation("button_add_resource"));
+
+ filePanel = new JPanel();
+ groupPanel = new JPanel();
+ itemPanel = new JPanel();
+
+ fileScroll = new JScrollPane(fileList);
+ groupScroll = new JScrollPane(groupList);
+ dupScroll = new JScrollPane(dupList);
+
+ if (mainBox == null) {
+ mainBox = new Box(BoxLayout.Y_AXIS);
+ } else {
+ mainBox.removeAll();
+ }
+ dupBox = new Box(BoxLayout.Y_AXIS);
+
+ // Set up the components
+ filePanel.setLayout(new BorderLayout());
+ groupPanel.setLayout(new BorderLayout());
+ itemPanel.setLayout(new BorderLayout());
+
+ filePanel.setBorder(BorderFactory.createTitledBorder(BorderFactory.createEtchedBorder(),
+ Resources.getTranslation("basestats_file_group")));
+ groupPanel.setBorder(BorderFactory.createTitledBorder(BorderFactory.createEtchedBorder(),
+ Resources.getTranslation("basestats_group_group")));
+ itemPanel.setBorder(BorderFactory.createTitledBorder(BorderFactory.createEtchedBorder(),
+ Resources.getTranslation("basestats_item_group")));
+
+ titleLabel.setFont(new Font("SansSerif",Font.PLAIN,18));
+
+ fileButton.setMnemonic(RBManagerMenuBar.getKeyEventKey(Resources.getTranslation("button_add_file_trigger")));
+ groupButton.setMnemonic(RBManagerMenuBar.getKeyEventKey(Resources.getTranslation("button_add_group_trigger")));
+ itemButton.setMnemonic(RBManagerMenuBar.getKeyEventKey(Resources.getTranslation("button_add_resource_trigger")));
+
+ // Add listeners
+ fileButton.addActionListener(new ActionListener(){
+ public void actionPerformed(ActionEvent ev) {
+ Container c = ((JButton)ev.getSource()).getParent();
+ RBManagerGUI gui = null;
+ while (!(c.getParent() instanceof RBManagerGUI)) c = c.getParent();
+ gui = (RBManagerGUI)c.getParent();
+ gui.createResourceFile();
+ }
+ });
+
+ groupButton.addActionListener(new ActionListener(){
+ public void actionPerformed(ActionEvent ev) {
+ Container c = ((JButton)ev.getSource()).getParent();
+ RBManagerGUI gui = null;
+ while (!(c.getParent() instanceof RBManagerGUI)) c = c.getParent();
+ gui = (RBManagerGUI)c.getParent();
+ gui.createBundleGroup();
+ }
+ });
+
+ itemButton.addActionListener(new ActionListener(){
+ public void actionPerformed(ActionEvent ev) {
+ Container c = ((JButton)ev.getSource()).getParent();
+ RBManagerGUI gui = null;
+ while (!(c.getParent() instanceof RBManagerGUI)) c = c.getParent();
+ gui = (RBManagerGUI)c.getParent();
+ gui.createBundleItem();
+ }
+ });
+
+ // Update the display
+ filePanel.removeAll();
+ filePanel.add(numFileLabel, BorderLayout.NORTH);
+ filePanel.add(fileScroll, BorderLayout.CENTER);
+ filePanel.add(fileButton, BorderLayout.SOUTH);
+
+ groupPanel.removeAll();
+ groupPanel.add(numGroupLabel, BorderLayout.NORTH);
+ groupPanel.add(groupScroll, BorderLayout.CENTER);
+ groupPanel.add(groupButton, BorderLayout.SOUTH);
+
+ dupBox.removeAll();
+ dupBox.add(numDupLabel);
+ dupBox.add(dupScroll);
+
+ itemPanel.removeAll();
+ itemPanel.add(numItemLabel, BorderLayout.NORTH);
+ itemPanel.add(dupBox, BorderLayout.CENTER);
+ itemPanel.add(itemButton, BorderLayout.SOUTH);
+
+ mainBox.removeAll();
+ mainBox.add(titleLabel);
+ mainBox.add(Box.createVerticalStrut(10));
+ mainBox.add(filePanel);
+ mainBox.add(Box.createVerticalStrut(10));
+ mainBox.add(groupPanel);
+ mainBox.add(Box.createVerticalStrut(10));
+ mainBox.add(itemPanel);
+
+ removeAll();
+ if (!(getLayout() instanceof BorderLayout))
+ setLayout(new BorderLayout());
+ add(mainBox, BorderLayout.CENTER);
+ updateComponents();
+ } else {
+ removeAll();
+ }
+ repaint();
+ }
+
+ public void updateComponents() {
+ if (bundle != null) {
+ int untranslated = bundle.getUntranslatedItemsSize();
+
+ jLabelStatsTitle.setText(bundle.name);
+
+ jTextFieldStatsName.setText(bundle.name == null ? Resources.getTranslation("untitled") : bundle.name);
+ jTextFieldStatsComment.setText(bundle.comment == null ? "" : bundle.comment);
+ jTextFieldStatsManager.setText(bundle.manager == null ? "" : bundle.manager);
+ jTextFieldStatsLanguage.setText(bundle.language == null ? "" : bundle.language);
+ jTextFieldStatsCountry.setText(bundle.country == null ? "" : bundle.country);
+ jTextFieldStatsVariant.setText(bundle.variant == null ? "" : bundle.variant);
+
+ } else if (rbm != null) {
+
+ } else {
+ removeAll();
+ }
+
+ }
+
+ void updateBundleInfo() {
+ bundle.name = jTextFieldStatsName.getText().trim();
+ bundle.comment = jTextFieldStatsComment.getText().trim();
+ bundle.manager = jTextFieldStatsManager.getText().trim();
+ bundle.language = jTextFieldStatsLanguage.getText().trim();
+ bundle.country = jTextFieldStatsCountry.getText().trim();
+ bundle.variant = jTextFieldStatsVariant.getText().trim();
+ updateButton.setEnabled(false);
+ }
+
+ public RBStatisticsPanel() {
+ super();
+ bundle = null;
+ rbm = null;
+ }
+
+}
+
+// The class used to display untranslated items
+
+class RBSearchPanel extends JPanel {
+ RBManager rbm;
+ Bundle bundle;
+ RBManagerGUI listener;
+
+ // Components
+ JLabel titleLabel = new JLabel();
+ JLabel findLabel = new JLabel(Resources.getTranslation("search_find"));
+ JLabel replaceLabel = new JLabel(Resources.getTranslation("search_replace"));
+
+ JTextField findField = new JTextField();
+ JTextField replaceField = new JTextField();
+
+ JCheckBox keysCheck = new JCheckBox(Resources.getTranslation("search_keys"), false);
+ JCheckBox transCheck = new JCheckBox(Resources.getTranslation("search_values"), true);
+ JCheckBox commentsCheck = new JCheckBox(Resources.getTranslation("search_comments"), false);
+ JCheckBox caseCheck = new JCheckBox(Resources.getTranslation("search_case_sensitive"), false);
+
+ JButton findButton = new JButton(Resources.getTranslation("button_search_find_all"));
+ JButton replaceButton = new JButton(Resources.getTranslation("button_search_replace_all"));
+
+ SearchItemsTableModel model;
+ JTable table;
+ JScrollPane tableScroll;
+
+ public RBSearchPanel(RBManagerGUI gui) {
+ super();
+ listener = gui;
+ }
+
+ public void setBundle(Bundle b) {
+ rbm = null;
+ if (bundle == null) {
+ bundle = b;
+ initComponents();
+ } else if (bundle != b) {
+ bundle = b;
+ updateComponents();
+ }
+ }
+
+ public void setManager(RBManager m) {
+ bundle = null;
+ if (rbm == null) {
+ rbm = m;
+ initComponents();
+ } else if (rbm != m) {
+ rbm = m;
+ updateComponents();
+ }
+ }
+
+ public void removeElements() {
+ if (rbm != null || bundle != null) {
+ rbm = null;
+ bundle = null;
+ initComponents();
+ }
+ }
+
+ protected void performSearch() {
+ String search_term = findField.getText().trim();
+ if (search_term.length() < 1) return;
+ if (bundle != null) {
+ performSearch(search_term, bundle, caseCheck.isSelected());
+ } else if (rbm != null) {
+ performSearch(search_term, (Bundle)rbm.getBundles().elementAt(0), caseCheck.isSelected());
+ }
+ }
+
+ private void performSearch(String term, Bundle bundle, boolean case_sensitive) {
+ Vector ret_v = new Vector();
+ Enumeration enum = bundle.allItems.keys();
+ while (enum.hasMoreElements()) {
+ String key = (String)enum.nextElement();
+ BundleItem item = (BundleItem)bundle.allItems.get(key);
+ if (case_sensitive) {
+ if (keysCheck.isSelected() && key.indexOf(term) >= 0) {
+ ret_v.addElement(item);
+ continue;
+ } // end if - keys
+ if (transCheck.isSelected() && item.getTranslation().indexOf(term) >= 0) {
+ ret_v.addElement(item);
+ continue;
+ } // end if - translations
+ if (commentsCheck.isSelected()) {
+ if (item.getComment().indexOf(term) >= 0) {
+ ret_v.addElement(item);
+ continue;
+ }
+ Hashtable lookups = item.getLookups();
+ Enumeration enum2 = lookups.keys();
+ while (enum2.hasMoreElements()) {
+ String lookup_key = (String)enum2.nextElement();
+ String lookup_value = (String)lookups.get(lookup_key);
+ if (lookup_value.indexOf(term) >= 0) {
+ ret_v.addElement(item);
+ continue;
+ }
+ } // end while
+ } // end if - comments
+ } else {
+ // Not case sensitive
+ if (keysCheck.isSelected() && key.toUpperCase().indexOf(term.toUpperCase()) >= 0) {
+ ret_v.addElement(item);
+ continue;
+ } // end if - keys
+ if (transCheck.isSelected() && item.getTranslation().toUpperCase().indexOf(term.toUpperCase()) >= 0) {
+ ret_v.addElement(item);
+ continue;
+ } // end if - translations
+ if (commentsCheck.isSelected()) {
+ if (item.getComment().toUpperCase().indexOf(term.toUpperCase()) >= 0) {
+ ret_v.addElement(item);
+ continue;
+ }
+ Hashtable lookups = item.getLookups();
+ Enumeration enum2 = lookups.keys();
+ while (enum2.hasMoreElements()) {
+ String lookup_key = (String)enum2.nextElement();
+ String lookup_value = (String)lookups.get(lookup_key);
+ if (lookup_value.toUpperCase().indexOf(term.toUpperCase()) >= 0) {
+ ret_v.addElement(item);
+ continue;
+ }
+ } // end while
+ } // end if - comments
+ }
+ } // end while
+ model.setItems(ret_v);
+ model.update();
+ }
+
+ protected void performReplace() {
+ String search_term = findField.getText().trim();
+ String replace_term = replaceField.getText().trim();
+ performSearch();
+ if (search_term.length() < 1 || replace_term.length() < 1) return;
+ if (keysCheck.isSelected()) {
+ JOptionPane.showMessageDialog(this,
+ Resources.getTranslation("error_no_key_replace"),
+ Resources.getTranslation("warning"), JOptionPane.WARNING_MESSAGE);
+ }
+ Vector items = model.getBundleItems();
+ for (int i=0; i < items.size(); i++) {
+ BundleItem item = (BundleItem)items.elementAt(i);
+ if (transCheck.isSelected()) {
+ item.setTranslation(replace(item.getTranslation(), search_term, replace_term));
+ }
+ if (commentsCheck.isSelected()) {
+ item.setComment(replace(item.getComment(), search_term, replace_term));
+ }
+ }
+ model.update();
+ }
+
+ // Replaces all instances of match in original with replace
+
+ private String replace(String original, String match, String replace) {
+ int current_index = -1;
+ while (original.indexOf(match,++current_index) >= 0) {
+ current_index = original.indexOf(match, current_index);
+ original = original.substring(0,current_index) + replace +
+ original.substring(current_index+match.length(), original.length());
+ }
+ return original;
+ }
+
+ public void initComponents() {
+ // Initialize components
+ if (bundle != null) {
+ titleLabel.setText(bundle.name);
+ }
+ else if (rbm != null) {
+ titleLabel.setText(rbm.getBaseClass() + " - " + Resources.getTranslation("search"));
+ }
+ model = new SearchItemsTableModel(new Vector());
+
+ titleLabel.setFont(new Font("SansSerif",Font.PLAIN,18));
+
+ removeAll();
+ setLayout(new BorderLayout());
+ table = new JTable(model);
+ tableScroll = new JScrollPane(table);
+
+ table.setSelectionMode(ListSelectionModel.SINGLE_INTERVAL_SELECTION);
+ table.addMouseListener(listener);
+
+ Dimension dim = new Dimension(75,15);
+
+ findField.setColumns(20);
+ replaceField.setColumns(20);
+ findLabel.setPreferredSize(dim);
+ replaceLabel.setPreferredSize(dim);
+
+ JPanel innerPanel = new JPanel(new BorderLayout());
+ JPanel southPanel = new JPanel();
+ JPanel westPanel1 = new JPanel(new FlowLayout(FlowLayout.LEFT));
+ JPanel westPanel2 = new JPanel(new FlowLayout(FlowLayout.LEFT));
+ Box rightBox = new Box(BoxLayout.Y_AXIS);
+ Box leftBox = new Box(BoxLayout.Y_AXIS);
+
+ // Add action listeners
+ findButton.addActionListener(new ActionListener(){
+ public void actionPerformed(ActionEvent ev) {
+ performSearch();
+ }
+ });
+
+ replaceButton.addActionListener(new ActionListener(){
+ public void actionPerformed(ActionEvent ev) {
+ performReplace();
+ }
+ });
+
+ findButton.setMnemonic(RBManagerMenuBar.getKeyEventKey(Resources.getTranslation("button_search_find_all_trigger")));
+ replaceButton.setMnemonic(RBManagerMenuBar.getKeyEventKey(Resources.getTranslation("button_search_replace_all_trigger")));
+
+ // Place components
+ westPanel1.add(findLabel);
+ westPanel1.add(Box.createHorizontalStrut(5));
+ westPanel1.add(findField);
+
+ westPanel2.add(replaceLabel);
+ westPanel2.add(Box.createHorizontalStrut(5));
+ westPanel2.add(replaceField);
+
+ leftBox.add(Box.createVerticalGlue());
+ leftBox.add(westPanel1);
+ leftBox.add(westPanel2);
+ //leftBox.add(caseCheck);
+
+ rightBox.add(keysCheck);
+ rightBox.add(transCheck);
+ rightBox.add(commentsCheck);
+
+ southPanel.add(findButton);
+ southPanel.add(Box.createHorizontalStrut(5));
+ southPanel.add(replaceButton);
+ southPanel.add(Box.createHorizontalStrut(10));
+ southPanel.add(caseCheck);
+
+ innerPanel.add(titleLabel, BorderLayout.NORTH);
+ innerPanel.add(leftBox, BorderLayout.CENTER);
+ innerPanel.add(rightBox, BorderLayout.EAST);
+ innerPanel.add(southPanel, BorderLayout.SOUTH);
+
+ add(innerPanel, BorderLayout.NORTH);
+ add(tableScroll, BorderLayout.CENTER);
+
+ if (rbm == null && bundle == null) {
+ removeAll();
+ }
+ }
+
+ public void updateComponents() {
+
+ }
+}
+
+class RBProjectItemPanel extends JPanel implements ActionListener {
+ RBManagerGUI gui;
+
+ // Visual Components
+ Box mainBox;
+ JTextField itemFields[];
+ JLabel itemLabels[];
+ JButton commitButtons[];
+ JButton commitButton;
+ JLabel titleLabel;
+ JLabel keyLabel;
+ JLabel commentLabel;
+
+ public RBProjectItemPanel(RBManagerGUI gui) {
+ super();
+ this.gui = gui;
+ initComponents();
+ }
+
+ public void actionPerformed(ActionEvent ev) {
+ JButton button = (JButton)ev.getSource();
+ String buttonName = button.getName();
+ if (buttonName == null) {
+ // Save all components
+ RBManager bundle = gui.getSelectedProjectBundle();
+ Vector bundles = bundle.getBundles();
+ for (int i=0; i < itemFields.length; i++) {
+ String encoding = commitButtons[i].getName();
+ String translation = itemFields[i].getText();
+ String key = itemFields[i].getName();
+ for (int j=0; j < bundles.size(); j++) {
+ Bundle rbundle = (Bundle)bundles.elementAt(j);
+ if (rbundle.encoding.equals(encoding)) {
+ BundleItem item = rbundle.getBundleItem(key);
+ if (item != null) item.setTranslation(translation);
+ break;
+ }
+ }
+ }
+ gui.saveResources(bundle);
+ } else {
+ // Save a particular encoding
+ String encoding = buttonName;
+ RBManager bundle = gui.getSelectedProjectBundle();
+ int index = -1;
+ for (int i=0; i < commitButtons.length; i++)
+ if (commitButtons[i] == button) { index = i; break; }
+ String translation = itemFields[index].getText();
+ String key = itemFields[index].getName();
+ Vector bundles = bundle.getBundles();
+ for (int i=0; i < bundles.size(); i++) {
+ Bundle rbundle = (Bundle)bundles.elementAt(i);
+ if (rbundle.encoding.equals(encoding)) {
+ BundleItem item = rbundle.getBundleItem(key);
+ if (item != null) {item.setTranslation(translation); System.out.println("Set translation to : " + translation); }
+ else System.out.println("Item was null");
+ break;
+ } else System.out.println("Compared " + rbundle.encoding + " with " + encoding);
+ }
+ gui.saveResources(bundle, encoding);
+ }
+ updateComponents();
+ }
+
+ private void initComponents() {
+ setLayout(new BorderLayout());
+ JPanel topPanel = new JPanel(new GridLayout(2,1));
+ titleLabel = new JLabel(Resources.getTranslation("project_panel_default_title"), SwingConstants.CENTER);
+ titleLabel.setFont(new Font("serif",Font.BOLD,18));
+ JPanel commentPanel = new JPanel(new GridLayout(2,1));
+ JLabel commentLabel2 = new JLabel(Resources.getTranslation("project_panel_comment"), SwingConstants.LEFT);
+ commentLabel = new JLabel(Resources.getTranslation("project_panel_comment_none"), SwingConstants.LEFT);
+ commentPanel.add(commentLabel2);
+ commentPanel.add(commentLabel);
+ topPanel.add(titleLabel);
+ topPanel.add(commentPanel);
+ JPanel centerPanel = new JPanel(new BorderLayout());
+ mainBox = new Box(BoxLayout.Y_AXIS);
+ JScrollPane scrollPane = new JScrollPane(mainBox,
+ JScrollPane.VERTICAL_SCROLLBAR_AS_NEEDED,
+ JScrollPane.HORIZONTAL_SCROLLBAR_AS_NEEDED);
+ centerPanel.add(scrollPane, BorderLayout.NORTH);
+ centerPanel.setBorder(BorderFactory.createEtchedBorder());
+ JPanel botPanel = new JPanel(new FlowLayout(FlowLayout.RIGHT));
+ commitButton = new JButton(Resources.getTranslation("project_panel_commit_button_all"));
+ commitButton.addActionListener(this);
+ botPanel.add(commitButton);
+ add(topPanel, BorderLayout.NORTH);
+ add(centerPanel, BorderLayout.CENTER);
+ add(botPanel, BorderLayout.SOUTH);
+
+ updateComponents();
+ }
+
+ public void updateComponents() {
+ BundleItem item = gui.getSelectedProjectBundleItem();
+
+ if (item == null) {
+ commentLabel.setText(Resources.getTranslation("project_panel_comment_none"));
+ titleLabel.setText(Resources.getTranslation("project_panel_default_title"));
+ itemFields = null;
+ itemLabels = null;
+ commitButtons = null;
+ commitButton.setEnabled(false);
+ } else {
+ String comment = item.getComment();
+ String key = item.getKey();
+ commentLabel.setText(comment);
+ titleLabel.setText(Resources.getTranslation("project_panel_title", key));
+
+ RBManager manager = gui.getSelectedProjectBundle();
+ Vector bundles = manager.getBundles();
+ itemFields = new JTextField[bundles.size()];
+ itemLabels = new JLabel[bundles.size()];
+ commitButtons = new JButton[bundles.size()];
+ for (int i=0; i < bundles.size(); i++) {
+ Bundle bundle = (Bundle)bundles.elementAt(i);
+ BundleItem bundleItem = bundle.getBundleItem(key);
+ boolean translated = bundleItem.isTranslated();
+ JLabel encodingLabel = new JLabel(Resources.getTranslation("project_panel_bundle", bundle.toString()),
+ SwingConstants.LEFT);
+ if (!translated) encodingLabel.setText(Resources.getTranslation("project_panel_bundle_untranslated",
+ bundle.toString()));
+ String fieldText = (bundleItem == null ? Resources.getTranslation("project_panel_item_inherits") :
+ bundleItem.getTranslation());
+ JTextField itemField = new JTextField(fieldText);
+ itemField.setMaximumSize(new Dimension(this.getSize().width-150, 200));
+ itemField.setName(key);
+ JButton commitItemButton = new JButton(Resources.getTranslation("project_panel_commit_button"));
+ commitItemButton.addActionListener(this);
+ commitItemButton.setName(bundle.encoding);
+ itemFields[i] = itemField;
+ itemLabels[i] = encodingLabel;
+ commitButtons[i] = commitItemButton;
+ }
+ commitButton.setEnabled(true);
+ }
+
+ mainBox.removeAll();
+ if (itemFields != null) {
+ for (int i=0; i < itemFields.length; i++) {
+ JPanel bundlePanel = new JPanel(new BorderLayout());
+ bundlePanel.setBorder(BorderFactory.createLineBorder(Color.darkGray));
+ bundlePanel.add(itemLabels[i], BorderLayout.NORTH);
+ bundlePanel.add(itemFields[i], BorderLayout.CENTER);
+ bundlePanel.add(commitButtons[i], BorderLayout.EAST);
+ mainBox.add(bundlePanel);
+ }
+ }
+
+ revalidate();
+ }
+}
+
+// The main menu bar for the main frame
+
+class RBManagerMenuBar extends JMenuBar {
+ RBManagerGUI listener;
+
+ JMenu jMenuFile = new JMenu(); // Menu -> File
+ JMenuItem jMenuFileNewResourceBundle = new JMenuItem();
+ JMenuItem jMenuFileOpenResourceBundle = new JMenuItem();
+ JMenuItem jMenuFileSaveResourceBundle = new JMenuItem();
+ JMenuItem jMenuFileSaveResourceBundleAs = new JMenuItem();
+ JMenu jMenuFileImportResourceBundle = new JMenu(); // Menu -> File -> Import
+ JMenuItem jMenuFileImportJava = new JMenuItem();
+ JMenuItem jMenuFileImportProperties = new JMenuItem();
+ JMenuItem jMenuFileImportTMX = new JMenuItem();
+ JMenu jMenuFileExportResourceBundle = new JMenu(); // Menu -> File -> Export
+ JMenuItem jMenuFileExportJava = new JMenuItem();
+ JMenuItem jMenuFileExportICU = new JMenuItem();
+ JMenuItem jMenuFileExportProperties = new JMenuItem();
+ JMenuItem jMenuFileExportTMX = new JMenuItem();
+ JMenuItem jMenuFileExit = new JMenuItem();
+ JMenu jMenuEdit = new JMenu(); // Menu -> Edit
+ JMenuItem jMenuEditCut = new JMenuItem();
+ JMenuItem jMenuEditCopy = new JMenuItem();
+ JMenuItem jMenuEditPaste = new JMenuItem();
+ JMenuItem jMenuEditDelete = new JMenuItem();
+ JMenu jMenuOptions = new JMenu(); // Menu -> Options
+ JMenuItem jMenuOptionsAddNewEntry = new JMenuItem();
+ JMenuItem jMenuOptionsAddNewGroup = new JMenuItem();
+ JMenuItem jMenuOptionsAddNewResourceFile = new JMenuItem();
+ //JMenuItem jMenuOptionsProjectViewer = new JMenuItem();
+ JMenuItem jMenuOptionsPreferences = new JMenuItem();
+ JMenu jMenuView = new JMenu(); // Menu -> View
+ JMenuItem jMenuViewViewStatistics = new JMenuItem();
+ JMenu jMenuHelp = new JMenu(); // Menu -> Help
+ JMenuItem jMenuHelpAboutResourceBundleManager = new JMenuItem();
+
+ void updateLocale() {
+ //FILE
+ jMenuFile.setText(Resources.getTranslation("menu_file"));
+ jMenuFile.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_trigger")));
+ jMenuFileNewResourceBundle.setText(Resources.getTranslation("menu_file_new"));
+ jMenuFileNewResourceBundle.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_new_trigger")));
+ jMenuFileOpenResourceBundle.setText(Resources.getTranslation("menu_file_open"));
+ jMenuFileOpenResourceBundle.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_open_trigger")));
+ jMenuFileSaveResourceBundle.setText(Resources.getTranslation("menu_file_save"));
+ jMenuFileSaveResourceBundle.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_save_trigger")));
+ jMenuFileSaveResourceBundleAs.setText(Resources.getTranslation("menu_file_saveas"));
+ jMenuFileSaveResourceBundleAs.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_saveas_trigger")));
+ jMenuFileImportResourceBundle.setText(Resources.getTranslation("menu_file_import"));
+ jMenuFileImportResourceBundle.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_import_trigger")));
+ jMenuFileImportJava.setText(Resources.getTranslation("menu_file_import_java"));
+ jMenuFileImportJava.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_import_java_trigger")));
+ jMenuFileImportProperties.setText(Resources.getTranslation("menu_file_import_properties"));
+ jMenuFileImportProperties.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_import_properties_trigger")));
+ jMenuFileImportTMX.setText(Resources.getTranslation("menu_file_import_TMX"));
+ jMenuFileImportTMX.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_import_TMX_trigger")));
+ jMenuFileExportResourceBundle.setText(Resources.getTranslation("menu_file_export"));
+ jMenuFileExportResourceBundle.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_export_trigger")));
+ jMenuFileExportJava.setText(Resources.getTranslation("menu_file_export_java"));
+ jMenuFileExportJava.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_export_java_trigger")));
+ jMenuFileExportICU.setText(Resources.getTranslation("menu_file_export_ICU"));
+ jMenuFileExportICU.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_export_ICU_trigger")));
+ jMenuFileExportProperties.setText(Resources.getTranslation("menu_file_export_properties"));
+ jMenuFileExportProperties.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_export_properties_trigger")));
+ jMenuFileExportTMX.setText(Resources.getTranslation("menu_file_export_TMX"));
+ jMenuFileExportTMX.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_export_TMX_trigger")));
+ jMenuFileExit.setText(Resources.getTranslation("menu_file_quit"));
+ jMenuFileExit.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_quit_trigger")));
+ //EDIT
+ jMenuEdit.setText(Resources.getTranslation("menu_edit"));
+ jMenuEdit.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_edit_trigger")));
+ jMenuEditCut.setText(Resources.getTranslation("menu_edit_cut"));
+ jMenuEditCut.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_edit_cut_trigger")));
+ jMenuEditCopy.setText(Resources.getTranslation("menu_edit_copy"));
+ jMenuEditCopy.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_edit_copy_trigger")));
+ jMenuEditPaste.setText(Resources.getTranslation("menu_edit_paste"));
+ jMenuEditPaste.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_edit_paste_trigger")));
+ jMenuEditDelete.setText(Resources.getTranslation("menu_edit_delete"));
+ jMenuEditDelete.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_edit_delete_trigger")));
+ //OPTIONS
+ jMenuOptions.setText(Resources.getTranslation("menu_options"));
+ jMenuOptions.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_options_trigger")));
+ jMenuOptionsAddNewEntry.setText(Resources.getTranslation("menu_options_addentry"));
+ jMenuOptionsAddNewEntry.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_options_addentry_trigger")));
+ jMenuOptionsAddNewGroup.setText(Resources.getTranslation("menu_options_addgroup"));
+ jMenuOptionsAddNewGroup.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_options_addgroup_trigger")));
+ jMenuOptionsAddNewResourceFile.setText(Resources.getTranslation("menu_options_addfile"));
+ jMenuOptionsAddNewResourceFile.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_options_addfile_trigger")));
+ //jMenuOptionsProjectViewer.setText(Resources.getTranslation("menu_options_project_viewer"));
+ //jMenuOptionsProjectViewer.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_options_project_viewer_trigger")));
+ jMenuOptionsPreferences.setText(Resources.getTranslation("menu_options_preferences"));
+ jMenuOptionsPreferences.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_options_preferences_trigger")));
+ //VIEW
+ jMenuView.setText(Resources.getTranslation("menu_view"));
+ jMenuView.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_view_trigger")));
+ jMenuViewViewStatistics.setText(Resources.getTranslation("menu_view_statistics"));
+ jMenuViewViewStatistics.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_view_statistics_trigger")));
+ //HELP
+ jMenuHelp.setText(Resources.getTranslation("menu_help"));
+ jMenuHelp.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_options_trigger")));
+ jMenuHelpAboutResourceBundleManager.setText(Resources.getTranslation("menu_help_about"));
+ jMenuHelpAboutResourceBundleManager.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_help_about_trigger")));
+ }
+
+ public RBManagerMenuBar(RBManagerGUI gui) {
+ super();
+
+ boolean xmlAvailable;
+ try {
+ Class cl = Class.forName("org.apache.xerces.parsers.DOMParser");
+ xmlAvailable = true;
+ } catch (ClassNotFoundException e) {
+ xmlAvailable = false;
+ }
+ listener = gui;
+
+ // Add the menus to the menu bar
+ setVisible(true);
+ add(jMenuFile);
+ //add(jMenuEdit);
+ add(jMenuOptions);
+ //add(jMenuView);
+ add(jMenuHelp);
+
+ // Add File Menu Items to the File Menu
+ jMenuFile.setVisible(true);
+ jMenuFile.setText(Resources.getTranslation("menu_file"));
+ jMenuFile.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_trigger")));
+ jMenuFile.add(jMenuFileNewResourceBundle);
+ jMenuFile.add(jMenuFileOpenResourceBundle);
+ jMenuFile.add(jMenuFileSaveResourceBundle);
+ jMenuFile.add(jMenuFileSaveResourceBundleAs);
+ jMenuFile.addSeparator();
+ jMenuFile.add(jMenuFileImportResourceBundle);
+ jMenuFile.add(jMenuFileExportResourceBundle);
+ jMenuFile.addSeparator();
+ // Add the recent files to the file menu
+ Vector recentFiles = Preferences.getRecentFilesPreferences();
+ if (recentFiles.size() > 0) {
+ for (int i=0; i < recentFiles.size(); i+=2) {
+ String name = (String)recentFiles.elementAt(i);
+ String location = (String)recentFiles.elementAt(i+1);
+ JMenuItem recentMenuItem = new JMenuItem();
+ recentMenuItem.setVisible(true);
+ recentMenuItem.setText(name);
+ recentMenuItem.setName("__" + location.trim());
+ recentMenuItem.addActionListener(listener);
+ jMenuFile.add(recentMenuItem);
+ }
+ jMenuFile.addSeparator();
+ }
+ jMenuFile.add(jMenuFileExit);
+
+ //jMenuFileImportResourceBundle.add(jMenuFileImportJava);
+ jMenuFileImportResourceBundle.add(jMenuFileImportProperties);
+ jMenuFileImportTMX.setEnabled(xmlAvailable);
+ jMenuFileImportResourceBundle.add(jMenuFileImportTMX);
+ jMenuFileExportResourceBundle.add(jMenuFileExportJava);
+ jMenuFileExportResourceBundle.add(jMenuFileExportICU);
+ jMenuFileExportResourceBundle.add(jMenuFileExportProperties);
+ jMenuFileExportTMX.setEnabled(xmlAvailable);
+ jMenuFileExportResourceBundle.add(jMenuFileExportTMX);
+
+ jMenuFileNewResourceBundle.setVisible(true);
+ jMenuFileNewResourceBundle.setText(Resources.getTranslation("menu_file_new"));
+ jMenuFileNewResourceBundle.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_new_trigger")));
+ jMenuFileNewResourceBundle.setAccelerator(KeyStroke.getKeyStroke(
+ KeyEvent.VK_N, ActionEvent.CTRL_MASK));
+ jMenuFileNewResourceBundle.addActionListener(listener);
+
+ jMenuFileOpenResourceBundle.setVisible(true);
+ jMenuFileOpenResourceBundle.setText(Resources.getTranslation("menu_file_open"));
+ jMenuFileOpenResourceBundle.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_open_trigger")));
+ jMenuFileOpenResourceBundle.setAccelerator(KeyStroke.getKeyStroke(
+ KeyEvent.VK_O, ActionEvent.CTRL_MASK));
+ jMenuFileOpenResourceBundle.addActionListener(listener);
+
+ jMenuFileSaveResourceBundle.setVisible(true);
+ jMenuFileSaveResourceBundle.setText(Resources.getTranslation("menu_file_save"));
+ jMenuFileSaveResourceBundle.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_save_trigger")));
+ jMenuFileSaveResourceBundle.setAccelerator(KeyStroke.getKeyStroke(
+ KeyEvent.VK_S, ActionEvent.CTRL_MASK));
+ jMenuFileSaveResourceBundle.addActionListener(listener);
+
+ jMenuFileSaveResourceBundleAs.setVisible(true);
+ jMenuFileSaveResourceBundleAs.setText(Resources.getTranslation("menu_file_saveas"));
+ jMenuFileSaveResourceBundleAs.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_saveas_trigger")));
+ jMenuFileSaveResourceBundleAs.setAccelerator(KeyStroke.getKeyStroke(
+ KeyEvent.VK_S, ActionEvent.CTRL_MASK | ActionEvent.SHIFT_MASK));
+ jMenuFileSaveResourceBundleAs.addActionListener(listener);
+
+ jMenuFileImportResourceBundle.setVisible(true);
+ jMenuFileImportResourceBundle.setText(Resources.getTranslation("menu_file_import"));
+ jMenuFileImportResourceBundle.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_import_trigger")));
+ jMenuFileImportResourceBundle.addActionListener(listener);
+
+ jMenuFileImportJava.setVisible(true);
+ jMenuFileImportJava.setText(Resources.getTranslation("menu_file_import_java"));
+ jMenuFileImportJava.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_import_java_trigger")));
+ jMenuFileImportJava.addActionListener(listener);
+
+ jMenuFileImportProperties.setVisible(true);
+ jMenuFileImportProperties.setText(Resources.getTranslation("menu_file_import_properties"));
+ jMenuFileImportProperties.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_import_properties_trigger")));
+ jMenuFileImportProperties.addActionListener(listener);
+
+ jMenuFileImportTMX.setVisible(true);
+ jMenuFileImportTMX.setText(Resources.getTranslation("menu_file_import_TMX"));
+ jMenuFileImportTMX.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_import_TMX_trigger")));
+ jMenuFileImportTMX.addActionListener(listener);
+
+ jMenuFileExportResourceBundle.setVisible(true);
+ jMenuFileExportResourceBundle.setText(Resources.getTranslation("menu_file_export"));
+ jMenuFileExportResourceBundle.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_export_trigger")));
+ jMenuFileExportResourceBundle.addActionListener(listener);
+
+ jMenuFileExportJava.setVisible(true);
+ jMenuFileExportJava.setText(Resources.getTranslation("menu_file_export_java"));
+ jMenuFileExportJava.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_export_java_trigger")));
+ jMenuFileExportJava.addActionListener(listener);
+
+ jMenuFileExportICU.setVisible(true);
+ jMenuFileExportICU.setText(Resources.getTranslation("menu_file_export_ICU"));
+ jMenuFileExportICU.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_export_ICU_trigger")));
+ jMenuFileExportICU.addActionListener(listener);
+
+ jMenuFileExportProperties.setVisible(true);
+ jMenuFileExportProperties.setText(Resources.getTranslation("menu_file_export_properties"));
+ jMenuFileExportProperties.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_export_properties_trigger")));
+ jMenuFileExportProperties.addActionListener(listener);
+
+ jMenuFileExportTMX.setVisible(true);
+ jMenuFileExportTMX.setText(Resources.getTranslation("menu_file_export_TMX"));
+ jMenuFileExportTMX.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_export_TMX_trigger")));
+ jMenuFileExportTMX.addActionListener(listener);
+
+ jMenuFileExit.setVisible(true);
+ jMenuFileExit.setText(Resources.getTranslation("menu_file_quit"));
+ jMenuFileExit.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_file_quit_trigger")));
+ jMenuFileExit.setAccelerator(KeyStroke.getKeyStroke(
+ KeyEvent.VK_Q, ActionEvent.CTRL_MASK));
+ jMenuFileExit.addActionListener(listener);
+
+ // Add Edit Menu Items to the Edit Menu
+ jMenuEdit.setVisible(true);
+ jMenuEdit.setText(Resources.getTranslation("menu_edit"));
+ jMenuEdit.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_edit_trigger")));
+ jMenuEdit.add(jMenuEditCut);
+ jMenuEdit.add(jMenuEditCopy);
+ jMenuEdit.add(jMenuEditPaste);
+ jMenuEdit.add(jMenuEditDelete);
+
+ jMenuEditCut.setVisible(true);
+ jMenuEditCut.setText(Resources.getTranslation("menu_edit_cut"));
+ jMenuEditCut.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_edit_cut_trigger")));
+ jMenuEditCut.setAccelerator(KeyStroke.getKeyStroke(
+ KeyEvent.VK_X, ActionEvent.CTRL_MASK));
+
+ jMenuEditCopy.setVisible(true);
+ jMenuEditCopy.setText(Resources.getTranslation("menu_edit_copy"));
+ jMenuEditCopy.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_edit_copy_trigger")));
+ jMenuEditCopy.setAccelerator(KeyStroke.getKeyStroke(
+ KeyEvent.VK_C, ActionEvent.CTRL_MASK));
+
+ jMenuEditPaste.setVisible(true);
+ jMenuEditPaste.setText(Resources.getTranslation("menu_edit_paste"));
+ jMenuEditPaste.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_edit_paste_trigger")));
+ jMenuEditPaste.setAccelerator(KeyStroke.getKeyStroke(
+ KeyEvent.VK_V, ActionEvent.CTRL_MASK));
+
+ jMenuEditDelete.setVisible(true);
+ jMenuEditDelete.setText(Resources.getTranslation("menu_edit_delete"));
+ jMenuEditDelete.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_edit_delete_trigger")));
+
+ // Add Options Menu Items to the Options Menu
+ jMenuOptions.setVisible(true);
+ jMenuOptions.setText(Resources.getTranslation("menu_options"));
+ jMenuOptions.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_options_trigger")));
+ jMenuOptions.add(jMenuOptionsAddNewEntry);
+ jMenuOptions.add(jMenuOptionsAddNewGroup);
+ jMenuOptions.add(jMenuOptionsAddNewResourceFile);
+ //jMenuOptions.addSeparator();
+ //jMenuOptions.add(jMenuOptionsProjectViewer);
+ jMenuOptions.addSeparator();
+ jMenuOptions.add(jMenuOptionsPreferences);
+
+ jMenuOptionsAddNewEntry.setVisible(true);
+ jMenuOptionsAddNewEntry.setText(Resources.getTranslation("menu_options_addentry"));
+ jMenuOptionsAddNewEntry.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_options_addentry_trigger")));
+ jMenuOptionsAddNewEntry.addActionListener(listener);
+
+ jMenuOptionsAddNewGroup.setVisible(true);
+ jMenuOptionsAddNewGroup.setText(Resources.getTranslation("menu_options_addgroup"));
+ jMenuOptionsAddNewGroup.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_options_addgroup_trigger")));
+ jMenuOptionsAddNewGroup.addActionListener(listener);
+
+ jMenuOptionsAddNewResourceFile.setVisible(true);
+ jMenuOptionsAddNewResourceFile.setText(Resources.getTranslation("menu_options_addfile"));
+ jMenuOptionsAddNewResourceFile.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_options_addfile_trigger")));
+ jMenuOptionsAddNewResourceFile.addActionListener(listener);
+
+ /*
+ jMenuOptionsProjectViewer.setVisible(true);
+ jMenuOptionsProjectViewer.setText(Resources.getTranslation("menu_options_project_viewer"));
+ jMenuOptionsProjectViewer.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_options_project_viewer_trigger")));
+ jMenuOptionsProjectViewer.addActionListener(listener);
+ */
+
+ jMenuOptionsPreferences.setVisible(true);
+ jMenuOptionsPreferences.setText(Resources.getTranslation("menu_options_preferences"));
+ jMenuOptionsPreferences.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_options_preferences_trigger")));
+ jMenuOptionsPreferences.addActionListener(listener);
+
+ // Add View Menu Items to the View Menu
+ jMenuView.setVisible(true);
+ jMenuView.setText(Resources.getTranslation("menu_view"));
+ jMenuView.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_view_trigger")));
+ jMenuView.add(jMenuViewViewStatistics);
+
+ jMenuViewViewStatistics.setVisible(true);
+ jMenuViewViewStatistics.setText(Resources.getTranslation("menu_view_statistics"));
+ jMenuViewViewStatistics.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_view_statistics_trigger")));
+
+ // Add Help Menu Items to the Help Menu
+ jMenuHelp.setVisible(true);
+ jMenuHelp.setText(Resources.getTranslation("menu_help"));
+ jMenuHelp.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_help_trigger")));
+ jMenuHelp.add(jMenuHelpAboutResourceBundleManager);
+
+ jMenuHelpAboutResourceBundleManager.setVisible(true);
+ jMenuHelpAboutResourceBundleManager.setText(Resources.getTranslation("menu_help_about"));
+ jMenuHelpAboutResourceBundleManager.setMnemonic(getKeyEventKey(Resources.getTranslation("menu_help_about_trigger")));
+ jMenuHelpAboutResourceBundleManager.setAccelerator(KeyStroke.getKeyStroke(
+ KeyEvent.VK_H, ActionEvent.CTRL_MASK));
+ jMenuHelpAboutResourceBundleManager.addActionListener(listener);
+ }
+
+ public static int getKeyEventKey(String character) {
+ if (character == null) return KeyEvent.VK_A;
+ character = character.toUpperCase();
+
+ if (character.startsWith("A")) return KeyEvent.VK_A;
+ else if (character.startsWith("B")) return KeyEvent.VK_B;
+ else if (character.startsWith("C")) return KeyEvent.VK_C;
+ else if (character.startsWith("D")) return KeyEvent.VK_D;
+ else if (character.startsWith("E")) return KeyEvent.VK_E;
+ else if (character.startsWith("F")) return KeyEvent.VK_F;
+ else if (character.startsWith("G")) return KeyEvent.VK_G;
+ else if (character.startsWith("H")) return KeyEvent.VK_H;
+ else if (character.startsWith("I")) return KeyEvent.VK_I;
+ else if (character.startsWith("J")) return KeyEvent.VK_J;
+ else if (character.startsWith("K")) return KeyEvent.VK_K;
+ else if (character.startsWith("L")) return KeyEvent.VK_L;
+ else if (character.startsWith("M")) return KeyEvent.VK_M;
+ else if (character.startsWith("N")) return KeyEvent.VK_N;
+ else if (character.startsWith("O")) return KeyEvent.VK_O;
+ else if (character.startsWith("P")) return KeyEvent.VK_P;
+ else if (character.startsWith("Q")) return KeyEvent.VK_Q;
+ else if (character.startsWith("R")) return KeyEvent.VK_R;
+ else if (character.startsWith("S")) return KeyEvent.VK_S;
+ else if (character.startsWith("T")) return KeyEvent.VK_T;
+ else if (character.startsWith("U")) return KeyEvent.VK_U;
+ else if (character.startsWith("V")) return KeyEvent.VK_V;
+ else if (character.startsWith("W")) return KeyEvent.VK_W;
+ else if (character.startsWith("X")) return KeyEvent.VK_X;
+ else if (character.startsWith("Y")) return KeyEvent.VK_Y;
+ else if (character.startsWith("Z")) return KeyEvent.VK_Z;
+ else if (character.startsWith("0")) return KeyEvent.VK_0;
+ else if (character.startsWith("1")) return KeyEvent.VK_1;
+ else if (character.startsWith("2")) return KeyEvent.VK_2;
+ else if (character.startsWith("3")) return KeyEvent.VK_3;
+ else if (character.startsWith("4")) return KeyEvent.VK_4;
+ else if (character.startsWith("5")) return KeyEvent.VK_5;
+ else if (character.startsWith("6")) return KeyEvent.VK_6;
+ else if (character.startsWith("7")) return KeyEvent.VK_7;
+ else if (character.startsWith("8")) return KeyEvent.VK_8;
+ else if (character.startsWith("9")) return KeyEvent.VK_9;
+
+ return KeyEvent.VK_A;
+ }
+
+}
\ No newline at end of file
diff --git a/tools/unicodetools/com/ibm/rbm/RBPropertiesExporter.java b/tools/unicodetools/com/ibm/rbm/RBPropertiesExporter.java
new file mode 100644
index 00000000000..210a11582b0
--- /dev/null
+++ b/tools/unicodetools/com/ibm/rbm/RBPropertiesExporter.java
@@ -0,0 +1,88 @@
+/*
+ *****************************************************************************
+ * Copyright (C) 2000-2002, International Business Machines Corporation and *
+ * others. All Rights Reserved. *
+ *****************************************************************************
+ *
+ * $Source: /xsrl/Nsvn/icu/unicodetools/com/ibm/rbm/RBPropertiesExporter.java,v $
+ * $Date: 2002/05/20 18:53:09 $
+ * $Revision: 1.1 $
+ *
+ *****************************************************************************
+ */
+package com.ibm.rbm;
+
+import java.io.*;
+import javax.swing.*;
+import javax.swing.filechooser.*;
+import java.util.*;
+
+/**
+ * This class provides a plug-in exporter utility for RBManager that outputs Java
+ * standard .properties files in the according to the file structure of Resource
+ * Bundles. Most all meta-data is lost in this export.
+ *
+ * @author Jared Jackson - Email: jjared@almaden.ibm.com
+ * @see com.ibm.rbm.RBManager
+ */
+public class RBPropertiesExporter extends RBExporter {
+
+ public RBPropertiesExporter() {
+ super();
+
+ // Initialize the file chooser if necessary
+ if (chooser == null) {
+ chooser = new JFileChooser();
+ chooser.setFileFilter(new javax.swing.filechooser.FileFilter(){
+ public String getDescription() {
+ return "Base Class Properties Files";
+ }
+ public boolean accept(File f) {
+ if (f.isDirectory()) return true;
+ String name = f.getName();
+ if (name.toLowerCase().endsWith(".properties") && f.getName().indexOf("_") < 0) return true;
+ return false;
+ }
+ });
+ } // end if
+ }
+
+ protected void export(RBManager rbm) throws IOException {
+ if (rbm == null) return;
+ // Open the Save Dialog
+ int ret_val = chooser.showSaveDialog(null);
+ if (ret_val != JFileChooser.APPROVE_OPTION) return;
+ // Retrieve basic file information
+ File file = chooser.getSelectedFile(); // The file(s) we will be working with
+ File directory = new File(file.getParent()); // The directory we will be writing to
+ String base_name = file.getName(); // The base name of the files we will write
+ if (base_name == null || base_name.equals("")) base_name = rbm.getBaseClass();
+ if (base_name.toLowerCase().endsWith(".properties"))
+ base_name = base_name.substring(0,base_name.length()-11);
+
+ Vector bundle_v = rbm.getBundles();
+ for (int i=0; i < bundle_v.size(); i++) {
+ Properties prop = new Properties();
+ Bundle bundle = (Bundle)bundle_v.elementAt(i);
+ String base_enc = base_name;
+ if (bundle.encoding != null && !bundle.encoding.equals("")) base_enc = base_enc + "_" + bundle.encoding;
+ String file_name = base_enc + ".properties";
+ String header = "Resource Bundle: " + file_name + " - File automatically generated by RBManager at " + (new Date());
+
+ Vector group_v = bundle.getGroupsAsVector();
+ for (int j=0; j < group_v.size(); j++) {
+ BundleGroup group = (BundleGroup)group_v.elementAt(j);
+ Vector item_v = group.getItemsAsVector();
+ for (int k=0; k < item_v.size(); k++) {
+ BundleItem item = (BundleItem)item_v.elementAt(k);
+ prop.setProperty(item.getKey(), item.getTranslation());
+ } // end for - k
+ } // end for - j
+
+ // Write out the file
+ File write_file = new File(directory, file_name);
+ FileOutputStream fos = new FileOutputStream(write_file);
+ prop.store(fos, header);
+ } // end for - i
+ }
+}
\ No newline at end of file
diff --git a/tools/unicodetools/com/ibm/rbm/RBPropertiesImporter.java b/tools/unicodetools/com/ibm/rbm/RBPropertiesImporter.java
new file mode 100644
index 00000000000..9805b2747e6
--- /dev/null
+++ b/tools/unicodetools/com/ibm/rbm/RBPropertiesImporter.java
@@ -0,0 +1,125 @@
+/*
+ *****************************************************************************
+ * Copyright (C) 2000-2002, International Business Machines Corporation and *
+ * others. All Rights Reserved. *
+ *****************************************************************************
+ *
+ * $Source: /xsrl/Nsvn/icu/unicodetools/com/ibm/rbm/RBPropertiesImporter.java,v $
+ * $Date: 2002/05/20 18:53:09 $
+ * $Revision: 1.1 $
+ *
+ *****************************************************************************
+ */
+package com.ibm.rbm;
+
+import java.io.*;
+import javax.swing.*;
+import javax.swing.filechooser.*;
+import java.util.*;
+
+/**
+ * This is the super class for all importer plug-in classes. As of yet, there
+ * is little contained in this class.
+ *
+ * @author Jared Jackson - Email: jjared@almaden.ibm.com
+ * @see com.ibm.rbm.RBManager
+ */
+public class RBPropertiesImporter extends RBImporter {
+
+ boolean isRBMFile = true;
+
+ /**
+ * Constructs the importer given the parent data classes and a Dialog title.
+ */
+
+ public RBPropertiesImporter(String title, RBManager rbm, RBManagerGUI gui) {
+ super(title, rbm, gui);
+ }
+
+ protected void setupFileChooser() {
+ chooser.setFileFilter(new javax.swing.filechooser.FileFilter(){
+ public boolean accept(File f) {
+ if (f.isDirectory()) return true;
+ if (f.getName().toLowerCase().endsWith(".properties") && f.getName().indexOf("_") < 0) return true;
+ return false;
+ }
+
+ public String getDescription() {
+ return Resources.getTranslation("import_properties_file_description");
+ }
+ });
+ }
+
+ protected void beginImport() throws IOException {
+ super.beginImport();
+ File baseFile = getChosenFile();
+ FileReader fr = new FileReader(baseFile);
+ BufferedReader br = new BufferedReader(fr);
+
+ // Test if this is an RBManager generated file or not
+ int count = 0;
+ String line = null;
+ isRBMFile = true;
+ while ((line = br.readLine()) != null) {
+ if (!line.trim().equals("")) count++;
+ if (count == 1 && !line.startsWith("# @file")) {
+ // Not generated by RBManager
+ isRBMFile = false;
+ }
+ } // end while
+ if (isRBMFile) {
+ // Treat the file as generated by RBManager
+ // Parse the resource bundle through RBManager
+ RBManager import_rbm = new RBManager(baseFile);
+ // Merge the two resource bundles
+ Vector bundles = import_rbm.getBundles();
+ Vector encodings = new Vector();
+ for (int i=0; i < bundles.size(); i++) {
+ Bundle b = (Bundle)bundles.elementAt(i);
+ encodings.addElement(b.encoding);
+ }
+ resolveEncodings(encodings);
+ for (int i=0; i < bundles.size(); i++) {
+ Bundle b = (Bundle)bundles.elementAt(i);
+ Enumeration enum = b.allItems.keys();
+ while (enum.hasMoreElements()) {
+ String key = (String)enum.nextElement();
+ BundleItem item = (BundleItem)b.allItems.get(key);
+ importResource(item, b.encoding, (item.getParentGroup() == null ? getDefaultGroup(): item.getParentGroup().getName()));
+ }
+ }
+ } else {
+ // Just treat it as a regular properties file
+ // Check if there are any missing target locale files
+ String baseName = baseFile.getName().substring(0,baseFile.getName().length()-11); // |'.properties'| == 11
+ File baseDir = new File(baseFile.getParent());
+ String allChildren[] = baseDir.list();
+ Vector children_v = new Vector();
+ for (int i=0; i < allChildren.length; i++) {
+ if (allChildren[i].startsWith(baseName) && allChildren[i].toLowerCase().endsWith(".properties")) {
+ if (allChildren[i].length() == (baseName + ".properties").length()) children_v.addElement("");
+ else children_v.addElement(allChildren[i].substring(baseName.length()+1, allChildren[i].indexOf(".properties")));
+ }
+ }
+ showProgressBar(children_v.size());
+ resolveEncodings(children_v);
+ // Run through each source locale file importing as necessary
+ for (int i=0; i < children_v.size(); i++) {
+ Properties p = new Properties();
+ FileInputStream fis = new FileInputStream(new File(baseDir, baseName +
+ (children_v.elementAt(i).toString().equals("") ? "" : "_" + children_v.elementAt(i).toString()) +
+ ".properties"));
+ p.load(fis);
+ Enumeration enum = p.keys();
+ while (enum.hasMoreElements()) {
+ String key = (String)enum.nextElement();
+ BundleItem item = new BundleItem(null, key, p.getProperty(key));
+ item.setTranslated(this.getDefaultTranslated());
+ importResource(item, children_v.elementAt(i).toString(), getDefaultGroup());
+ }
+ incrementProgressBar();
+ }
+ hideProgressBar();
+ }
+ }
+}
\ No newline at end of file
diff --git a/tools/unicodetools/com/ibm/rbm/RBReporter.bat b/tools/unicodetools/com/ibm/rbm/RBReporter.bat
new file mode 100755
index 00000000000..255ab97294f
--- /dev/null
+++ b/tools/unicodetools/com/ibm/rbm/RBReporter.bat
@@ -0,0 +1,2 @@
+@echo off
+java -classpath lib\RBManager.jar;lib\xerces.jar;. com.ibm.rbm.RBReporter %1
\ No newline at end of file
diff --git a/tools/unicodetools/com/ibm/rbm/RBReporter.java b/tools/unicodetools/com/ibm/rbm/RBReporter.java
new file mode 100644
index 00000000000..6c3496c13aa
--- /dev/null
+++ b/tools/unicodetools/com/ibm/rbm/RBReporter.java
@@ -0,0 +1,1193 @@
+/*
+ *****************************************************************************
+ * Copyright (C) 2000-2002, International Business Machines Corporation and *
+ * others. All Rights Reserved. *
+ *****************************************************************************
+ *
+ * $Source: /xsrl/Nsvn/icu/unicodetools/com/ibm/rbm/RBReporter.java,v $
+ * $Date: 2002/05/20 18:53:09 $
+ * $Revision: 1.1 $
+ *
+ *****************************************************************************
+ */
+package com.ibm.rbm;
+
+import javax.swing.*;
+import java.awt.*;
+import javax.swing.event.*;
+import java.awt.event.*;
+import java.io.*;
+import java.util.*;
+
+import org.apache.xerces.parsers.*;
+import org.apache.xerces.dom.*;
+import org.apache.xml.serialize.*;
+import org.w3c.dom.*;
+import org.xml.sax.*;
+
+/**
+ * RBReporter is a fully functional application that runs separate from RBManager.
+ * The report produces statistically based reports on specified resource bundles,
+ * and it allows the user to set time intervals at which those reports will be
+ * generated. For more information on command line arguments and usage see the
+ * comments for the main() method.
+ *
+ * @author Jared Jackson - Email: jjared@almaden.ibm.com
+ * @see com.ibm.rbm.RBManager
+ */
+public class RBReporter extends JFrame {
+
+ // ** COMPONENTS **
+ JLabel statusLabel; // Indicates if the reported is running
+ JButton statusButton; // Button for toggling the reporter on/off
+ JLabel nextReportLabel; // Indicates date/time of next report
+ JLabel lastReportLabel; // Indicates date/time of last report
+ JTextField bundleField; // Indicates input base class file
+ JTextField directoryField; // Indicates output directory
+ JCheckBox textCheck; // Is text report generated?
+ JCheckBox htmlCheck; // Is HTML report generated?
+ JCheckBox xmlCheck; // Is XML report generated?
+ JCheckBox scanCheck; // Is code scan performed?
+ JTextField textField; // Text report file name
+ JTextField htmlField; // HTML report file name
+ JTextField xmlField; // XML report file name
+ JTextField scanField; // XML scanner file location
+ JComboBox textCombo; // Text report detail level
+ JComboBox htmlCombo; // HTML report detail level
+ JComboBox xmlCombo; // XML report detail level
+ JRadioButton sequentialRadio; // Report at sequential interval?
+ JRadioButton definedRadio; // Report at defined time?
+ JComboBox valueCombo; // Number of units to wait between reports
+ JComboBox unitCombo; // Units of time
+ JComboBox hourCombo; // Defined time to report -- hours
+ JComboBox minuteCombo; // Defined time to report -- minutes
+ JComboBox dayCombo; // Defined time to report -- day
+
+ // ** File Chooser **
+ JFileChooser bundleFileChooser = new JFileChooser();
+ JFileChooser directoryFileChooser = new JFileChooser();
+ JFileChooser scanFileChooser = new JFileChooser();
+
+ // ** DATA **
+ Date lastReport = null;
+ Date nextReport = null;
+ boolean running = false;
+ /** For generating a report */
+ RBManager rbm;
+
+ private RBReporter(boolean makeVisible) {
+ try {
+ // Get the look and feel from preferences
+ try {
+ String laf = Preferences.getPreference("lookandfeel");
+ if (!laf.equals(""))
+ UIManager.setLookAndFeel(laf);
+ }
+ catch (Exception e) {
+ }
+ // Get the locale from preferences
+ if (!Preferences.getPreference("locale").equals("")) {
+ String localeStr = Preferences.getPreference("locale");
+ String language = Resources.getLanguage(localeStr);
+ String country = Resources.getCountry(localeStr);
+ String variant = Resources.getVariant(localeStr);
+ if (language == null || language.equals("") || language.length() > 3) language = "en";
+ if (country == null) country = new String();
+ if (variant == null) Resources.setLocale(new Locale(language, country));
+ else Resources.setLocale(new Locale(language, country, variant));
+ }
+ Resources.initBundle();
+ }
+ catch (Exception e) {
+ e.printStackTrace();
+ }
+ initComponents();
+ setVisible(makeVisible);
+ Thread reportThread = new Thread(){
+ public void run() {
+ if (nextReport != null && (nextReport.compareTo(new Date()) <= 0)) {
+ try { generateReports(); } catch (IOException ioe) {}
+ }
+ if (nextReport == null) nextReport = generateNextReportDate();
+ boolean running = true;
+ updateStatusComponents();
+ updateDateFields();
+ while (true) {
+ if (running && (nextReport.compareTo(new Date()) < 0)) {
+ try {generateReports();}
+ catch (IOException ioe) {
+ JOptionPane.showMessageDialog(null, ioe.getMessage(),
+ Resources.getTranslation("error"),
+ JOptionPane.ERROR_MESSAGE);
+ }
+ }
+ try {
+ sleep(1000);
+ } catch (Exception e) {
+ e.printStackTrace(System.err);
+ }
+ }
+ }
+ };
+ reportThread.start();
+ }
+
+ // Called when a report should be generated. Does not check if it should be generated
+ private void generateReports() throws IOException {
+ File baseFile = new File(bundleField.getText());
+ if (baseFile == null || !baseFile.isFile()) throw new IOException("Specified input file is unusable");
+ File directory = new File(directoryField.getText());
+ rbm = new RBManager(baseFile);
+
+ if (rbm == null) throw new IOException("Unable to load the resource bundle file");
+ if (directory == null || !directory.isDirectory()) throw new IOException("Specified output directory is unusable");
+ RBReporterScanner scanner = null;
+ if (scanCheck.isSelected()) {
+ scanner = new RBReporterScanner((Bundle)rbm.getBundles().elementAt(0),
+ new File(scanField.getText()));
+ scanner.performScan();
+ }
+ if (textCheck.isSelected()) {
+ File textFile = new File(directory, textField.getText());
+ String textReport = getAllLanguageReports(textCombo.getSelectedIndex() == 0);
+ if (scanCheck.isSelected()) {
+ // Add file scan information
+ StringBuffer buffer = new StringBuffer();
+ buffer.append("\n\nCode Scan Results:\n\n");
+ buffer.append("\n\tNumber of unique resources found: " + scanner.getNumberResourcesFound());
+ buffer.append("\n\tNumber of resources missing from bundle: " + scanner.getNumberMissingResources());
+ // Missing resources from the bundle
+ buffer.append("\n\tMissing Resources: ");
+ Vector v = scanner.getMissingResources();
+ for (int i=0; i < v.size(); i++) {
+ ScanResult result = (ScanResult)v.elementAt(i);
+ if (textCombo.getSelectedIndex() == 0) {
+ buffer.append("\n\t\t" + result.getName() + " (" + result.getOccurances().size() + " Occurances)");
+ buffer.append("\n\t\t\t" + result.getOccurances());
+ } else {
+ buffer.append((i==0 ? "" : ", ") + result.getName() + " (" + result.getOccurances().size() + " Occurances)");
+ }
+ }
+ // Bundle resources not found in the code
+ buffer.append("\n\tNumber of potentially unused resources in bundle: " + scanner.getNumberUnusedResources());
+ v = scanner.getUnusedResources();
+ for (int i=0; i < v.size(); i++) {
+ ScanResult result = (ScanResult)v.elementAt(i);
+ if (textCombo.getSelectedIndex() == 0) {
+ buffer.append("\n\t\t" + result.getName() + " (Group: " + result.getGroupName() + ")");
+ } else {
+ buffer.append((i==0 ? "" : ", ") + result.getName());
+ }
+ }
+
+ textReport = textReport + buffer.toString();
+ }
+ FileWriter fw = new FileWriter(textFile);
+ fw.write(textReport);
+ fw.flush();
+ fw.close();
+ }
+ if (htmlCheck.isSelected()) {
+ File htmlFile = new File(directory, htmlField.getText());
+ DocumentImpl htmlReport = getHTMLReportz(htmlCombo.getSelectedIndex() == 0);
+ if (scanCheck.isSelected()) {
+ // Add file scan information
+ ElementImpl html_elem = (ElementImpl)htmlReport.getDocumentElement();
+ NodeList nl = html_elem.getElementsByTagName("BODY");
+ ElementImpl body_elem = (ElementImpl)nl.item(0);
+ ElementImpl h2_elem = (ElementImpl)htmlReport.createElement("H2");
+ TextImpl h2_text = (TextImpl)htmlReport.createTextNode("Code Scan Results");
+ ElementImpl block_elem = (ElementImpl)htmlReport.createElement("BLOCKQUOTE");
+ ElementImpl p1_elem = (ElementImpl)htmlReport.createElement("P");
+ ElementImpl p2_elem = (ElementImpl)htmlReport.createElement("P");
+ ElementImpl p3_elem = (ElementImpl)htmlReport.createElement("P");
+ TextImpl p1_text = (TextImpl)htmlReport.createTextNode("Number of unique resources found: " +
+ scanner.getNumberMissingResources());
+ TextImpl p2_text = (TextImpl)htmlReport.createTextNode("Number of resources missing from bundle: " +
+ scanner.getNumberMissingResources());
+ TextImpl p3_text = (TextImpl)htmlReport.createTextNode("Number of potentially unused resources in bundle: " +
+ scanner.getNumberUnusedResources());
+
+ h2_elem.appendChild(h2_text);
+ p1_elem.appendChild(p1_text);
+ p2_elem.appendChild(p2_text);
+ p3_elem.appendChild(p3_text);
+ block_elem.appendChild(p1_elem);
+ block_elem.appendChild(p2_elem);
+ block_elem.appendChild(p3_elem);
+ body_elem.appendChild(h2_elem);
+ body_elem.appendChild(block_elem);
+
+ // Missing resources from the bundle
+ TextImpl missing_text = null;
+ Vector v = scanner.getMissingResources();
+ if (htmlCombo.getSelectedIndex() == 0) {
+ ElementImpl ul_elem = (ElementImpl)htmlReport.createElement("UL");
+ missing_text = (TextImpl)htmlReport.createTextNode("Missing Resources:");
+ ul_elem.appendChild(missing_text);
+ for (int i=0; i < v.size(); i++) {
+ ScanResult result = (ScanResult)v.elementAt(i);
+ ElementImpl li_elem = (ElementImpl)htmlReport.createElement("LI");
+ ElementImpl br_elem = (ElementImpl)htmlReport.createElement("BR");
+ TextImpl t1_text = (TextImpl)htmlReport.createTextNode(result.getName() + " (" +
+ result.getOccurances().size() + " Occurances)");
+ TextImpl t2_text = (TextImpl)htmlReport.createTextNode(result.getOccurances().toString());
+ li_elem.appendChild(t1_text);
+ li_elem.appendChild(br_elem);
+ li_elem.appendChild(t2_text);
+ ul_elem.appendChild(li_elem);
+ }
+ p2_elem.appendChild(ul_elem);
+ } else {
+ StringBuffer buffer = new StringBuffer();
+ buffer.append("Missing Resources: ");
+ for (int i=0; i < v.size(); i++) {
+ ScanResult result = (ScanResult)v.elementAt(i);
+ buffer.append((i==0 ? "" : ", ") + result.getName() + " (" + result.getOccurances().size() + " Occurances)");
+ }
+ missing_text = (TextImpl)htmlReport.createTextNode(buffer.toString());
+ ElementImpl br_elem = (ElementImpl)htmlReport.createElement("BR");
+ p2_elem.appendChild(br_elem);
+ p2_elem.appendChild(missing_text);
+ }
+ // Bundle resources not found in the code
+ TextImpl unused_text = null;
+ v = scanner.getUnusedResources();
+ if (htmlCombo.getSelectedIndex() == 0) {
+ ElementImpl ul_elem = (ElementImpl)htmlReport.createElement("UL");
+ unused_text = (TextImpl)htmlReport.createTextNode("Unused Resources:");
+ ul_elem.appendChild(unused_text);
+ for (int i=0; i < v.size(); i++) {
+ ScanResult result = (ScanResult)v.elementAt(i);
+ ElementImpl li_elem = (ElementImpl)htmlReport.createElement("LI");
+ TextImpl t1_text = (TextImpl)htmlReport.createTextNode(result.getName() + " (Group: " +
+ result.getGroupName() + ")");
+ li_elem.appendChild(t1_text);
+ ul_elem.appendChild(li_elem);
+ }
+ p3_elem.appendChild(ul_elem);
+ } else {
+ StringBuffer buffer = new StringBuffer();
+ buffer.append("Unused Resources: ");
+ for (int i=0; i < v.size(); i++) {
+ ScanResult result = (ScanResult)v.elementAt(i);
+ buffer.append((i==0 ? "" : ", ") + result.getName());
+ }
+ unused_text = (TextImpl)htmlReport.createTextNode(buffer.toString());
+ ElementImpl br_elem = (ElementImpl)htmlReport.createElement("BR");
+ p3_elem.appendChild(br_elem);
+ p3_elem.appendChild(unused_text);
+ }
+ }
+ FileWriter fw = new FileWriter(htmlFile);
+ OutputFormat of = new OutputFormat(htmlReport);
+ of.setIndenting(true);
+ of.setEncoding("ISO-8859-1");
+ HTMLSerializer serializer = new HTMLSerializer(fw, of);
+ serializer.serialize(htmlReport);
+ }
+ if (xmlCheck.isSelected()) {
+ File xmlFile = new File(directory, xmlField.getText());
+ DocumentImpl xmlReport = getXMLReportz(xmlCombo.getSelectedIndex() == 0);
+ if (scanCheck.isSelected()) {
+ // Add file scan information
+ ElementImpl root = (ElementImpl)xmlReport.getDocumentElement();
+ ElementImpl code_scan_elem = (ElementImpl)xmlReport.createElement("CODE_SCAN");
+ ElementImpl unique_elem = (ElementImpl)xmlReport.createElement("UNIQUE_RESOURCES");
+ ElementImpl missing_elem = (ElementImpl)xmlReport.createElement("MISSING_RESOURCES");
+ ElementImpl unused_elem = (ElementImpl)xmlReport.createElement("UNUSED_RESOURCES");
+ ElementImpl unique_total_elem = (ElementImpl)xmlReport.createElement("TOTAL");
+ ElementImpl missing_total_elem = (ElementImpl)xmlReport.createElement("TOTAL");
+ ElementImpl unused_total_elem = (ElementImpl)xmlReport.createElement("TOTAL");
+ TextImpl unique_total_text = (TextImpl)xmlReport.createTextNode(String.valueOf(scanner.getNumberMissingResources()));
+ TextImpl missing_total_text = (TextImpl)xmlReport.createTextNode(String.valueOf(scanner.getNumberMissingResources()));
+ TextImpl unused_total_text = (TextImpl)xmlReport.createTextNode(String.valueOf(scanner.getNumberUnusedResources()));
+
+ unique_total_elem.appendChild(unique_total_text);
+ missing_total_elem.appendChild(missing_total_text);
+ unused_total_elem.appendChild(unused_total_text);
+ unique_elem.appendChild(unique_total_elem);
+ missing_elem.appendChild(missing_total_elem);
+ unused_elem.appendChild(unused_total_elem);
+ code_scan_elem.appendChild(unique_elem);
+ code_scan_elem.appendChild(missing_elem);
+ code_scan_elem.appendChild(unused_elem);
+ root.appendChild(code_scan_elem);
+ // Missing resources from the bundle
+ Vector v = scanner.getMissingResources();
+ for (int i=0; i < v.size(); i++) {
+ ScanResult result = (ScanResult)v.elementAt(i);
+ ElementImpl item_elem = (ElementImpl)xmlReport.createElement("RESOURCE");
+ item_elem.setAttribute("NAME",result.getName());
+ if (xmlCombo.getSelectedIndex() == 0) {
+ Vector occ_v = result.getOccurances();
+ for (int j=0; j < occ_v.size(); j++) {
+ Occurance occ = (Occurance)occ_v.elementAt(j);
+ ElementImpl occ_elem = (ElementImpl)xmlReport.createElement("OCCURANCE");
+ occ_elem.setAttribute("FILE_NAME", occ.getFileName());
+ occ_elem.setAttribute("FILE_PATH", occ.getFilePath());
+ occ_elem.setAttribute("LINE_NUMBER", String.valueOf(occ.getLineNumber()));
+ item_elem.appendChild(occ_elem);
+ }
+ }
+ missing_elem.appendChild(item_elem);
+ }
+ // Bundle resources not found in the code
+ v = scanner.getUnusedResources();
+ for (int i=0; i < v.size(); i++) {
+ ScanResult result = (ScanResult)v.elementAt(i);
+ ElementImpl item_elem = (ElementImpl)xmlReport.createElement("RESOURCE");
+ item_elem.setAttribute("NAME",result.getName());
+ item_elem.setAttribute("GROUP",result.getGroupName());
+ unused_elem.appendChild(item_elem);
+ }
+ }
+ FileWriter fw = new FileWriter(xmlFile);
+ OutputFormat of = new OutputFormat(xmlReport);
+ of.setIndenting(true);
+ of.setEncoding("ISO-8859-1");
+ XMLSerializer serializer = new XMLSerializer(fw, of);
+ serializer.serialize(xmlReport);
+ }
+
+ lastReport = new Date();
+ nextReport = generateNextReportDate();
+ updateDateFields();
+ if (!isVisible()) {
+ System.out.println("RBReporter: Generated report at " + lastReport.toString());
+ System.out.println("RBReporter: Next report at " + nextReport.toString());
+ }
+ }
+
+ // Assumes the last report was just generated, and computes the next report time accordingly
+ private Date generateNextReportDate() {
+ Date retDate = null;
+ GregorianCalendar now = new GregorianCalendar();
+ if (sequentialRadio.isSelected()) {
+ int value = Integer.parseInt(valueCombo.getSelectedItem().toString());
+ if (unitCombo.getSelectedIndex() == 0) now.add(Calendar.MINUTE, value);
+ else if (unitCombo.getSelectedIndex() == 1) now.add(Calendar.HOUR, value);
+ else if (unitCombo.getSelectedIndex() == 2) now.add(Calendar.DATE, value);
+ retDate = now.getTime();
+ } else if (definedRadio.isSelected()) {
+ int hour = Integer.parseInt(hourCombo.getSelectedItem().toString());
+ int minute = Integer.parseInt(minuteCombo.getSelectedItem().toString());
+ int day = dayCombo.getSelectedIndex();
+
+ GregorianCalendar then = new GregorianCalendar();
+ then.set(Calendar.HOUR, hour);
+ then.set(Calendar.MINUTE, minute);
+ then.set(Calendar.SECOND, 0);
+
+ if (then.getTime().compareTo(now.getTime()) <= 0) then.add(Calendar.DATE, 1);
+ if (day > 0 && day <= 7) {
+ // Make sure we are at the right day
+ boolean rightDay = false;
+ while (!rightDay) {
+ int weekDay = then.get(Calendar.DAY_OF_WEEK);
+ if ((day == 1 && weekDay == Calendar.MONDAY) ||
+ (day == 2 && weekDay == Calendar.TUESDAY) ||
+ (day == 3 && weekDay == Calendar.WEDNESDAY) ||
+ (day == 4 && weekDay == Calendar.THURSDAY) ||
+ (day == 5 && weekDay == Calendar.FRIDAY) ||
+ (day == 6 && weekDay == Calendar.SATURDAY) ||
+ (day == 7 && weekDay == Calendar.SUNDAY)) rightDay = true;
+ else then.add(Calendar.DATE, 1);
+ }
+ }
+ retDate = then.getTime();
+ }
+ RBManagerGUI.debugMsg("Next Date: " + retDate.toString());
+ return retDate;
+ }
+
+ /**
+ * Returns a string based text report about all of the language files on record
+ */
+ public String getAllLanguageReports(boolean detailed) {
+ String retStr = new String();
+ retStr = "Resource Bundle Report: " + rbm.getBaseClass();
+ retStr += "\nReport Generated: " + (new Date()).toString() + "\n\n";
+ Vector bundles = rbm.getBundles();
+ for (int i=0; i < bundles.size(); i++) {
+ retStr += getLanguageReport(detailed, (Bundle)bundles.elementAt(i));
+ }
+ return retStr;
+ }
+
+ private String getLanguageReport(boolean detailed, Bundle dict) {
+ if (dict == null) return "";
+ String retStr = new String();
+ retStr += "\nLanguage: " + (dict.language == null ? dict.encoding : dict.language);
+ retStr += (dict.country == null ? "" : " - Country: " + dict.country);
+ retStr += (dict.variant == null ? "" : " - Variant: " + dict.variant);
+ retStr += "\n";
+ retStr += " Number of NLS items in the file: " + dict.allItems.size() + "\n";
+
+ int untranslated = 0;
+ String untransStr = new String();
+ Enumeration enum = dict.allItems.elements();
+ while (enum.hasMoreElements()) {
+ BundleItem tempItem = (BundleItem)enum.nextElement();
+ if (tempItem.isTranslated()) continue;
+ untranslated++;
+ untransStr += " " + tempItem.getKey();
+ }
+ retStr += " Number of NLS items not translated: " + untranslated;
+ if (detailed) {
+ retStr += "\n Untranslated NLS keys: " + untransStr;
+ }
+
+ return retStr;
+ }
+
+ /**
+ * Returns an XHTML formatted report on the status of the currently opened resource bundle
+ */
+ public DocumentImpl getHTMLReportz(boolean detailed) {
+ DocumentImpl html = new DocumentImpl();
+ ElementImpl root = (ElementImpl)html.createElement("HTML");
+ html.appendChild(root);
+ ElementImpl head_elem = (ElementImpl)html.createElement("HEAD");
+ ElementImpl title_elem = (ElementImpl)html.createElement("TITLE");
+ TextImpl title_text = (TextImpl)html.createTextNode("Resource Bundle Report - " + rbm.getBaseClass());
+ ElementImpl body_elem = (ElementImpl)html.createElement("BODY");
+ ElementImpl center1_elem = (ElementImpl)html.createElement("CENTER");
+ ElementImpl h1_elem = (ElementImpl)html.createElement("H1");
+ ElementImpl center2_elem = (ElementImpl)html.createElement("CENTER");
+ ElementImpl h3_elem = (ElementImpl)html.createElement("H1");
+ TextImpl title1_text = (TextImpl)html.createTextNode("Resource Bundle Report: " + rbm.getBaseClass());
+ TextImpl title2_text = (TextImpl)html.createTextNode("Report Generated: " + (new Date()).toString());
+ Vector bundles = rbm.getBundles();
+
+ title_elem.appendChild(title_text);
+ head_elem.appendChild(title_elem);
+ h1_elem.appendChild(title1_text);
+ h3_elem.appendChild(title2_text);
+ center1_elem.appendChild(h1_elem);
+ center2_elem.appendChild(h3_elem);
+ body_elem.appendChild(center1_elem);
+ body_elem.appendChild(center2_elem);
+ root.appendChild(head_elem);
+ root.appendChild(body_elem);
+
+ for (int i=0; i < bundles.size(); i++) {
+ getHTMLLanguageReportz(html, body_elem, detailed, (Bundle)bundles.elementAt(i));
+ }
+
+ return html;
+ }
+
+ /**
+ * Returns a HTML report as a String object on the status of the currently opened resource bundle
+ */
+ public String getHTMLReport(boolean detailed) {
+ StringBuffer buffer = new StringBuffer();
+ buffer.append("\n\n"); + + buffer.append("\n"); + return buffer.toString(); + } + + /** + * Returns an XML formatted report on the status of the currently open resource bundle + */ + + public DocumentImpl getXMLReportz(boolean detailed) { + DocumentImpl xml = new DocumentImpl(); + Element root = xml.createElement("REPORT"); + root.setAttribute("BASECLASS", rbm.getBaseClass()); + root.setAttribute("DATE", (new Date()).toString()); + xml.appendChild(root); + + Vector bundles = rbm.getBundles(); + for (int i=0; i < bundles.size(); i++) { + root.appendChild(getXMLLanguageReportz(xml, detailed, (Bundle)bundles.elementAt(i))); + } + return xml; + } + + /** + * Returns an XML formatted report as a String object on the status of the currently open resource bundle + */ + + public String getXMLReport(boolean detailed) { + StringBuffer buffer = new StringBuffer(); + buffer.append("\n"); + buffer.append("Number of NLS items in the file: " + String.valueOf(dict.allItems.size()) + "
\n"); + int untranslated = 0; + Enumeration enum = dict.allItems.elements(); + StringBuffer innerBuffer = new StringBuffer(); + while (enum.hasMoreElements()) { + BundleItem tempItem = (BundleItem)enum.nextElement(); + if (tempItem.isTranslated()) continue; + untranslated++; + innerBuffer.append("" + tempItem.getKey() + " \n"); + } + buffer.append("Number of NLS items not translated: " + String.valueOf(untranslated) + "
\n"); + if (detailed) { + buffer.append("Untranslated NLS keys:\n"); + buffer.append(innerBuffer.toString()); + buffer.append("
\n"); + } + + buffer.append("
+ * For example, suppose you have the following resource: + *
+ * myResource = Hello {1}, Isn't this a great {2}? + *
+ * You want to replace the '{1}' witht the current user name and the '{2}' with the name of the day today. + * You can do this by calling: + *
+ * String lookups[] = { "Joe", "Friday" };
+ *
+ * Resources.getTranslation("myResource", lookups);
+ *
+ * The result would be: + *
+ * 'Hello Joe, Isn't this a great Friday?' + *
+ * This method (as well as the getTranslation(String key, String lookup) method) is useful for using nested + * lookups from the resource bundle. For instance, the above line could be replaced with: + *
+ * String lookups[] = { getUserName(), Resources.getTranslation("Friday") };
+ */
+
+ public static String getTranslation(String key, String[] lookup) {
+ if (key == null || resource_bundle == null) return "";
+ try {
+ Object objects[] = new Object[lookup.length];
+ for (int i=0; i < lookup.length; i++) objects[i] = lookup[i];
+ String retStr = resource_bundle.getString(key);
+ retStr = MessageFormat.format(retStr, lookup);
+ return retStr;
+ } catch (Exception e) {
+ return key;
+ }
+ }
+}
\ No newline at end of file
diff --git a/tools/unicodetools/com/ibm/rbm/ScanResult.java b/tools/unicodetools/com/ibm/rbm/ScanResult.java
new file mode 100644
index 00000000000..6a399b8417a
--- /dev/null
+++ b/tools/unicodetools/com/ibm/rbm/ScanResult.java
@@ -0,0 +1,58 @@
+/*
+ *****************************************************************************
+ * Copyright (C) 2000-2002, International Business Machines Corporation and *
+ * others. All Rights Reserved. *
+ *****************************************************************************
+ *
+ * $Source: /xsrl/Nsvn/icu/unicodetools/com/ibm/rbm/ScanResult.java,v $
+ * $Date: 2002/05/20 18:53:08 $
+ * $Revision: 1.1 $
+ *
+ *****************************************************************************
+ */
+package com.ibm.rbm;
+
+
+import java.util.*;
+
+/**
+ * This class represents the results found for each resource key while
+ * performing the code scan done by RBReporter.
+ *
+ * @author Jared Jackson - Email: jjared@almaden.ibm.com
+ * @see com.ibm.rbm.RBReporter
+ */
+public class ScanResult {
+ BundleItem item;
+ Vector occurances;
+
+ ScanResult(BundleItem item) {
+ this.item = item;
+ occurances = new Vector();
+ }
+
+ BundleItem getItem() {
+ return item;
+ }
+
+ int getNumberOccurances() {
+ return occurances.size();
+ }
+
+ Vector getOccurances() {
+ return occurances;
+ }
+
+ void addOccurance(Occurance o) {
+ occurances.addElement(o);
+ }
+
+ String getName() {
+ return item.getKey();
+ }
+
+ String getGroupName() {
+ if (item.getParentGroup() != null) return item.getParentGroup().getName();
+ return "Unknown";
+ }
+}
\ No newline at end of file
diff --git a/tools/unicodetools/com/ibm/rbm/compile.bat b/tools/unicodetools/com/ibm/rbm/compile.bat
new file mode 100755
index 00000000000..a73cf85e67e
--- /dev/null
+++ b/tools/unicodetools/com/ibm/rbm/compile.bat
@@ -0,0 +1,25 @@
+@echo off
+
+rem *****************************************************************************
+rem * Copyright (C) 2000-2002, International Business Machines Corporation and *
+rem * others. All Rights Reserved. *
+rem *****************************************************************************
+
+cd ..\..\..\
+echo compiling source code %1
+javac -d . -classpath com/ibm/rbm/lib/xerces.jar -deprecation %1 com/ibm/rbm/*.java
+if errorlevel 1 goto error
+
+echo creating jar file
+erase com\ibm\rbm\RBManager.jar
+jar cfm com/ibm/rbm/RBManager.jar com/ibm/rbm/manifest.stub com/ibm/rbm/*.class com/ibm/rbm/images/* com/ibm/rbm/resources/*
+if errorlevel 1 goto error
+
+echo cleaning up class files
+cd com\ibm\rbm
+erase *.class
+goto end
+
+:error
+pause
+:end
\ No newline at end of file
diff --git a/tools/unicodetools/com/ibm/rbm/createdoc.bat b/tools/unicodetools/com/ibm/rbm/createdoc.bat
new file mode 100755
index 00000000000..5a5040a80a5
--- /dev/null
+++ b/tools/unicodetools/com/ibm/rbm/createdoc.bat
@@ -0,0 +1,8 @@
+@rem *****************************************************************************
+@rem * Copyright (C) 2000-2002, International Business Machines Corporation and *
+@rem * others. All Rights Reserved. *
+@rem *****************************************************************************
+mkdir docs\api
+@set DOC_TYPE=-private
+javadoc -d docs/api -classpath lib/xerces.jar -sourcepath ../../../ -windowTitle "RBManager" -bottom "Copyright IBM 2000-2002" %DOC_TYPE% com.ibm.rbm
+@if errorlevel 1 pause
\ No newline at end of file
diff --git a/tools/unicodetools/com/ibm/rbm/install.bat b/tools/unicodetools/com/ibm/rbm/install.bat
new file mode 100755
index 00000000000..dc5eebc30ed
--- /dev/null
+++ b/tools/unicodetools/com/ibm/rbm/install.bat
@@ -0,0 +1,62 @@
+@echo off
+
+rem *****************************************************************************
+rem * Copyright (C) 2000-2002, International Business Machines Corporation and *
+rem * others. All Rights Reserved. *
+rem *****************************************************************************
+
+call compile.bat -O
+
+echo * Making Directories
+
+mkdir zip
+cd zip
+mkdir lib
+mkdir docs
+cd docs
+mkdir Images
+cd Images
+mkdir Screenshots
+cd ..
+mkdir Tutorial
+mkdir Views
+cd ..
+mkdir Reports
+cd ..
+
+echo * Copying Files
+
+echo ** Copying Batch Files and Properties
+
+copy RBManager.bat zip
+copy RBManager.jar zip
+copy RBReporter.bat zip
+copy rbmanager_scanner.xml zip
+copy resources\preferences.properties zip
+attrib -r zip/preferences.properties
+
+echo ** Copying Documentation
+
+cd docs
+copy *.html ..\zip\docs\
+cd Images
+copy *.gif ..\..\zip\docs\Images\
+copy *.jpg ..\..\zip\docs\Images\
+cd Screenshots
+copy *.gif ..\..\..\zip\docs\Images\Screenshots\
+copy *.jpg ..\..\..\zip\docs\Images\Screenshots\
+cd ..\..\Tutorial
+copy *.html ..\..\zip\docs\Tutorial\
+cd ..\Views
+copy *.html ..\..\zip\docs\Views\
+cd ..\..
+
+echo ** Copying Jar Files
+
+cd lib
+copy *.jar ..\zip\lib\
+cd ..
+
+@echo * Directory created: zip
+@echo ** Don't forget to modify preferences.properties
+pause
\ No newline at end of file
diff --git a/tools/unicodetools/com/ibm/rbm/manifest.stub b/tools/unicodetools/com/ibm/rbm/manifest.stub
new file mode 100644
index 00000000000..7eae8978b04
--- /dev/null
+++ b/tools/unicodetools/com/ibm/rbm/manifest.stub
@@ -0,0 +1,12 @@
+Manifest-Version: 1.0
+Specification-Title: Resource Bundle Manager
+Specification-Version: 0.6
+Specification-Vendor: IBM Corporation
+Implementation-Title: Resource Bundle Manager
+Implementation-Version: 0.6
+Implementation-Vendor: IBM Corporation
+Implementation-Vendor-Id: com.ibm
+Main-Class: com.ibm.rbm.RBManager
+Class-Path: lib/xerces.jar
+
+Name: com/ibm/rbm
diff --git a/tools/unicodetools/com/ibm/rbm/preferences.properties b/tools/unicodetools/com/ibm/rbm/preferences.properties
new file mode 100644
index 00000000000..50cfe804fd0
--- /dev/null
+++ b/tools/unicodetools/com/ibm/rbm/preferences.properties
@@ -0,0 +1,33 @@
+#RBManager Preferences
+#Fri May 10 08:57:19 PDT 2002
+reporter_format_html_file=report.html
+username=Unknown
+reporter_format_text_detail=High
+reporter_format_xml_detail=High
+reporter_format_hmtl_enabled=Yes
+reporter_enabled=Yes
+reporter_format_xml_file=report.xml
+reporter_interval_defined_hour=1
+reporter_interval_sequential_value=1
+reporter_interval_sequential_units=Hours
+reporter_perform_scan=Yes
+reporter_format_text_file=report.txt
+reporter_format_xml_enabled=Yes
+reporter_interval_defined_day=Saturday
+locale=en
+reporter_interval=Sequential
+recentfileloc3=
+recentfileloc2=
+recentfileloc1=
+recentfileloc0=
+reporter_scan_file=./rbmanager_scanner.xml
+reporter_format_html_enabled=Yes
+recentfileid3=
+recentfileid2=
+recentfileid1=
+recentfileid0=
+reporter_interval_defined_minute=00
+reporter_format_text_enabled=Yes
+reporter_base_class_file=
+reporter_output_directory=
+reporter_format_html_detail=High
diff --git a/tools/unicodetools/com/ibm/rbm/rbmanager_scanner.xml b/tools/unicodetools/com/ibm/rbm/rbmanager_scanner.xml
new file mode 100644
index 00000000000..73dab295dcd
--- /dev/null
+++ b/tools/unicodetools/com/ibm/rbm/rbmanager_scanner.xml
@@ -0,0 +1,21 @@
+
+