diff
stringlengths 262
553k
| is_single_chunk
bool 2
classes | is_single_function
bool 1
class | buggy_function
stringlengths 20
391k
| fixed_function
stringlengths 0
392k
|
---|---|---|---|---|
diff --git a/src/com/aokp/backup/RestoreFragment.java b/src/com/aokp/backup/RestoreFragment.java
index fabcad2..50295bc 100644
--- a/src/com/aokp/backup/RestoreFragment.java
+++ b/src/com/aokp/backup/RestoreFragment.java
@@ -1,382 +1,382 @@
/*
* Copyright (C) 2012 Roman Birg
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.aokp.backup;
import android.app.Activity;
import android.app.AlertDialog;
import android.app.Dialog;
import android.app.DialogFragment;
import android.app.Fragment;
import android.content.DialogInterface;
import android.content.Intent;
import android.os.AsyncTask;
import android.os.Build;
import android.os.Bundle;
import android.util.Log;
import android.view.LayoutInflater;
import android.view.Menu;
import android.view.MenuInflater;
import android.view.MenuItem;
import android.view.View;
import android.view.ViewGroup;
import android.widget.CheckBox;
import android.widget.LinearLayout;
import android.widget.Toast;
import com.aokp.backup.restore.ICSRestore;
import com.aokp.backup.restore.JBRestore;
import com.aokp.backup.restore.Restore;
import java.io.File;
import java.io.FileFilter;
import java.util.ArrayList;
public class RestoreFragment extends Fragment {
private static final String KEY_CATS = "categories";
private static final String KEY_CHECK_ALL = "checkAll";
public static final String TAG = "RestoreFragment";
String[] cats;
CheckBox[] checkBoxes;
CheckBox restoreAll;
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setHasOptionsMenu(true);
if (Build.VERSION.SDK_INT <= Build.VERSION_CODES.ICE_CREAM_SANDWICH_MR1)
cats = getActivity().getApplicationContext().getResources()
.getStringArray(R.array.categories);
else if (Build.VERSION.SDK_INT >= 16)
// jellybean
cats = getActivity().getApplicationContext().getResources()
.getStringArray(R.array.jbcategories);
checkBoxes = new CheckBox[cats.length];
}
@Override
public void onResume() {
super.onResume();
updateState();
}
@Override
public void onSaveInstanceState(Bundle outState) {
super.onSaveInstanceState(outState);
if (!isDetached()) {
outState.putBooleanArray(KEY_CATS, getCheckedBoxes());
outState.putBoolean(KEY_CHECK_ALL, getShouldRestoreAll());
}
}
@Override
public View onCreateView(LayoutInflater inflater, ViewGroup container,
Bundle savedInstanceState) {
View v = inflater.inflate(R.layout.restore, container, false);
LinearLayout categories = (LinearLayout) v.findViewById(R.id.categories);
for (int i = 0; i < cats.length; i++) {
CheckBox b = new CheckBox(getActivity());
b.setTag(cats[i]);
categories.addView(b);
}
return v;
}
@Override
public void onActivityCreated(Bundle savedInstanceState) {
super.onActivityCreated(savedInstanceState);
restoreAll = (CheckBox) getView().findViewById(R.id.restore_all);
restoreAll.setOnClickListener(mBackupAllListener);
boolean[] checkStates = null;
boolean allChecked;
if (savedInstanceState != null) {
checkStates = savedInstanceState.getBooleanArray(KEY_CATS);
allChecked = savedInstanceState.getBoolean(KEY_CHECK_ALL);
} else {
allChecked = true;
}
// checkStates could have been not commited properly if it was detached
if (savedInstanceState == null || checkStates == null) {
checkStates = new boolean[cats.length];
for (int i = 0; i < checkStates.length; i++) {
checkStates[i] = true;
}
}
for (int i = 0; i < checkBoxes.length; i++) {
checkBoxes[i] = (CheckBox) getView().findViewWithTag(cats[i]);
}
updateState(!allChecked);
restoreAll.setChecked(allChecked);
for (int i = 0; i < checkBoxes.length; i++) {
checkBoxes[i].setText(cats[i]);
checkBoxes[i].setChecked(checkStates[i]);
}
}
@Override
public void onCreateOptionsMenu(Menu menu, MenuInflater inflater) {
inflater.inflate(R.menu.restore, menu);
super.onCreateOptionsMenu(menu, inflater);
}
@Override
public boolean onOptionsItemSelected(MenuItem item) {
switch (item.getItemId()) {
case R.id.menu_restore:
if (!new ShellCommand().canSU(true)) {
Toast.makeText(getActivity(), "Couldn't aquire root! Operation Failed",
Toast.LENGTH_LONG);
return true;
}
RestoreDialog restore = RestoreDialog.newInstance(getCheckedBoxes());
restore.show(getFragmentManager(), "restore");
break;
case R.id.prefs:
Intent p = new Intent(getActivity(), Preferences.class);
getActivity().startActivity(p);
break;
}
return super.onOptionsItemSelected(item);
}
private boolean getShouldRestoreAll() {
if (restoreAll != null)
return restoreAll.isChecked();
return true;
}
private boolean[] getCheckedBoxes() {
boolean[] boxStates = new boolean[cats.length];
for (int i = 0; i < cats.length; i++) {
boxStates[i] = checkBoxes[i].isChecked();
}
return boxStates;
}
View.OnClickListener mBackupAllListener = new View.OnClickListener() {
@Override
public void onClick(View v) {
updateState();
}
};
private void updateState(boolean newState) {
for (CheckBox b : checkBoxes) {
b.setEnabled(newState);
}
}
private void updateState() {
CheckBox box = (CheckBox) getView().findViewById(R.id.restore_all);
boolean newState = !box.isChecked();
for (CheckBox b : checkBoxes) {
b.setEnabled(newState);
}
}
public static class RestoreDialog extends DialogFragment {
static RestoreDialog newInstance() {
return new RestoreDialog();
}
public static RestoreDialog newInstance(boolean[] checkedBoxes) {
RestoreDialog r = new RestoreDialog();
r.catsToBackup = checkedBoxes;
return r;
}
boolean[] catsToBackup;
String[] fileIds;
File[] files;
File backupDir;
ArrayList<String> availableBackups = new ArrayList<String>();
static int fileIndex = 0;
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setRetainInstance(true);
}
@Override
public Dialog onCreateDialog(Bundle savedInstanceState) {
backupDir = Tools.getBackupDirectory(getActivity());
// This filter only returns directories
FileFilter fileFilter = new FileFilter() {
public boolean accept(File file) {
return file.isDirectory();
}
};
files = backupDir.listFiles(fileFilter);
if (files == null) {
files = new File[0];
fileIds = new String[0];
} else {
fileIds = new String[files.length];
for (int i = 0; i < files.length; i++) {
fileIds[i] = files[i].getName();
}
}
if (files.length > 0)
return new AlertDialog.Builder(getActivity())
.setSingleChoiceItems(fileIds, 0, new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface dialog, int which) {
fileIndex = which;
}
})
.setTitle("Restore")
.setNegativeButton("Delete", new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface dialog, int which) {
deleteBackup(fileIds[fileIndex]);
dialog.dismiss();
Toast.makeText(getActivity(),
files[fileIndex].getName() + " deleted!",
Toast.LENGTH_LONG).show();
- fileIndex--;
+ fileIndex = 0;
}
})
.setPositiveButton("Restore", new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface dialog, int which) {
if (fileIndex >= 0)
restore(fileIds[fileIndex]);
}
})
.create();
else
return new AlertDialog.Builder(getActivity())
.setTitle("Restore")
.setMessage("Nothing to restore!")
.setNegativeButton("Ok", new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface dialog, int which) {
dialog.dismiss();
}
})
.create();
}
protected void deleteBackup(String string) {
File deleteMe = new File(backupDir, string);
String command = "rm -r " + deleteMe.getAbsolutePath() + "/";
Log.w(TAG, command);
new ShellCommand().su.runWaitFor(command);
}
private void restore(String name) {
new RestoreTask(getActivity(), catsToBackup, name).execute();
}
public class RestoreTask extends AsyncTask<Void, Void, Integer> {
AlertDialog d;
Activity context;
Restore r;
String name = null;
boolean[] cats = null;
public RestoreTask(Activity context, boolean[] cats, String name) {
this.context = context;
this.name = name;
this.cats = cats;
if (Build.VERSION.SDK_INT <= Build.VERSION_CODES.ICE_CREAM_SANDWICH_MR1)
r = new ICSRestore(context);
else if (Build.VERSION.SDK_INT >= 16)
r = new JBRestore(context);
}
@Override
protected void onPreExecute() {
d = new AlertDialog.Builder(context)
.setMessage("Restore in progress")
.create();
d.show();
Tools.mountRw();
}
protected Integer doInBackground(Void... v) {
return r.restoreSettings(name, cats);
}
protected void onPostExecute(Integer result) {
d.dismiss();
Tools.mountRo();
if (result == 0) {
new AlertDialog.Builder(context)
.setTitle("Restore successful!")
.setMessage("You should reboot right now!")
.setCancelable(false)
.setNeutralButton("I'll reboot later", null)
.setPositiveButton("Reboot", new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface dialog, int which) {
new ShellCommand().su.run("reboot");
}
}).create().show();
} else if (result == 1) {
new AlertDialog.Builder(context)
.setTitle("Restore failed!")
.setMessage("Try again or report this error if it keeps happening.")
.setCancelable(false)
.setNeutralButton("Ok", null)
.create().show();
} else if (result == 2) {
new AlertDialog.Builder(context)
.setTitle("Restore failed!")
.setMessage("Your AOKP version is not supported yet (or is too old)!!")
.setCancelable(false)
.setNeutralButton("Ok", null)
.create().show();
} else if (result == 2) {
new AlertDialog.Builder(context)
.setTitle("Restore failed!")
.setMessage("Are you running AOKP??")
.setCancelable(false)
.setNeutralButton("Ok", null)
.create().show();
} else {
Toast.makeText(context.getApplicationContext(), "Restore failed!!!!",
Toast.LENGTH_SHORT).show();
}
}
}
}
}
| true | true | public Dialog onCreateDialog(Bundle savedInstanceState) {
backupDir = Tools.getBackupDirectory(getActivity());
// This filter only returns directories
FileFilter fileFilter = new FileFilter() {
public boolean accept(File file) {
return file.isDirectory();
}
};
files = backupDir.listFiles(fileFilter);
if (files == null) {
files = new File[0];
fileIds = new String[0];
} else {
fileIds = new String[files.length];
for (int i = 0; i < files.length; i++) {
fileIds[i] = files[i].getName();
}
}
if (files.length > 0)
return new AlertDialog.Builder(getActivity())
.setSingleChoiceItems(fileIds, 0, new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface dialog, int which) {
fileIndex = which;
}
})
.setTitle("Restore")
.setNegativeButton("Delete", new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface dialog, int which) {
deleteBackup(fileIds[fileIndex]);
dialog.dismiss();
Toast.makeText(getActivity(),
files[fileIndex].getName() + " deleted!",
Toast.LENGTH_LONG).show();
fileIndex--;
}
})
.setPositiveButton("Restore", new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface dialog, int which) {
if (fileIndex >= 0)
restore(fileIds[fileIndex]);
}
})
.create();
else
return new AlertDialog.Builder(getActivity())
.setTitle("Restore")
.setMessage("Nothing to restore!")
.setNegativeButton("Ok", new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface dialog, int which) {
dialog.dismiss();
}
})
.create();
}
| public Dialog onCreateDialog(Bundle savedInstanceState) {
backupDir = Tools.getBackupDirectory(getActivity());
// This filter only returns directories
FileFilter fileFilter = new FileFilter() {
public boolean accept(File file) {
return file.isDirectory();
}
};
files = backupDir.listFiles(fileFilter);
if (files == null) {
files = new File[0];
fileIds = new String[0];
} else {
fileIds = new String[files.length];
for (int i = 0; i < files.length; i++) {
fileIds[i] = files[i].getName();
}
}
if (files.length > 0)
return new AlertDialog.Builder(getActivity())
.setSingleChoiceItems(fileIds, 0, new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface dialog, int which) {
fileIndex = which;
}
})
.setTitle("Restore")
.setNegativeButton("Delete", new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface dialog, int which) {
deleteBackup(fileIds[fileIndex]);
dialog.dismiss();
Toast.makeText(getActivity(),
files[fileIndex].getName() + " deleted!",
Toast.LENGTH_LONG).show();
fileIndex = 0;
}
})
.setPositiveButton("Restore", new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface dialog, int which) {
if (fileIndex >= 0)
restore(fileIds[fileIndex]);
}
})
.create();
else
return new AlertDialog.Builder(getActivity())
.setTitle("Restore")
.setMessage("Nothing to restore!")
.setNegativeButton("Ok", new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface dialog, int which) {
dialog.dismiss();
}
})
.create();
}
|
diff --git a/src/com/hexcore/cas/model/ColourRuleSetWriter.java b/src/com/hexcore/cas/model/ColourRuleSetWriter.java
index 85ab132..d07c576 100644
--- a/src/com/hexcore/cas/model/ColourRuleSetWriter.java
+++ b/src/com/hexcore/cas/model/ColourRuleSetWriter.java
@@ -1,60 +1,60 @@
package com.hexcore.cas.model;
import java.util.List;
import com.hexcore.cas.ui.toolkit.Colour;
public class ColourRuleSetWriter
{
public ColourRuleSetWriter()
{
}
public String write(ColourRuleSet colourRuleSet, String name, List<String> properties)
{
String str = "colourset " + name + "\n{\n";
for (int i = 0; i < colourRuleSet.getNumProperties(); i++)
str += writeProperty(colourRuleSet.getColourRule(i), properties.get(i));
return str + "}\n";
}
private String writeProperty(ColourRule colourRule, String name)
{
String str = "\tproperty " + name + "\n\t{\n";
for (ColourRule.Range range : colourRule.ranges)
str += writeRange(range);
return str + "\t}\n";
}
private String writeRange(ColourRule.Range range)
{
String str = "\t\t" + range.from + " - " + range.to + " : ";
switch (range.getType())
{
case SOLID:
str += writeColour(range.getColour(0));
break;
case GRADIENT:
str += writeColour(range.getColour(0)) + " ";
- str += writeColour(range.getColour(0));
+ str += writeColour(range.getColour(1));
break;
}
return str + ";\n";
}
private String writeColour(Colour colour)
{
String str = (colour.a < 1.0) ? "rgba(" : "rgb(";
str += colour.r;
str += ", " + colour.g;
str += ", " + colour.b;
if (colour.a < 1.0) str += ", " + colour.a;
return str + ")";
}
}
| true | true | private String writeRange(ColourRule.Range range)
{
String str = "\t\t" + range.from + " - " + range.to + " : ";
switch (range.getType())
{
case SOLID:
str += writeColour(range.getColour(0));
break;
case GRADIENT:
str += writeColour(range.getColour(0)) + " ";
str += writeColour(range.getColour(0));
break;
}
return str + ";\n";
}
| private String writeRange(ColourRule.Range range)
{
String str = "\t\t" + range.from + " - " + range.to + " : ";
switch (range.getType())
{
case SOLID:
str += writeColour(range.getColour(0));
break;
case GRADIENT:
str += writeColour(range.getColour(0)) + " ";
str += writeColour(range.getColour(1));
break;
}
return str + ";\n";
}
|
diff --git a/FlightGearMap/src/com/juanvvc/flightgear/instruments/CalibratableSurfaceManager.java b/FlightGearMap/src/com/juanvvc/flightgear/instruments/CalibratableSurfaceManager.java
index 5596568..ea27861 100644
--- a/FlightGearMap/src/com/juanvvc/flightgear/instruments/CalibratableSurfaceManager.java
+++ b/FlightGearMap/src/com/juanvvc/flightgear/instruments/CalibratableSurfaceManager.java
@@ -1,98 +1,98 @@
package com.juanvvc.flightgear.instruments;
import java.io.IOException;
import java.util.ArrayList;
import android.content.SharedPreferences;
import com.juanvvc.flightgear.FGFSConnection;
import com.juanvvc.flightgear.FlightGearMap;
import com.juanvvc.flightgear.MyLog;
public class CalibratableSurfaceManager extends Thread {
private ArrayList<Surface> surfaces;
private SharedPreferences sp;
public CalibratableSurfaceManager(SharedPreferences sp) {
this.sp = sp;
surfaces = new ArrayList<Surface>();
}
public void register(Surface sc) {
synchronized(surfaces) {
this.surfaces.add(sc);
}
}
public void empty() {
synchronized(surfaces) {
this.surfaces.clear();
}
}
public void run() {
FGFSConnection conn = null;
boolean cancelled = false;
int waitPeriod = 5000;
int port = 9000;
String fgfsIP = "192.168.1.2";
// read preferences
try {
- waitPeriod = new Integer(sp.getString("update_period", "5000")).intValue();
+ waitPeriod = new Integer(sp.getString("update_period", "500")).intValue();
// check limits
waitPeriod = Math.max(waitPeriod, 500);
} catch (NumberFormatException e) {
MyLog.w(this, "Config error: wrong update_period=" + sp.getString("update_period", "default") +".");
waitPeriod = 5000;
}
try {
port = new Integer(sp.getString("telnet_port", "9000")).intValue();
// check limits
port = Math.max(port, 1);
} catch (ClassCastException e) {
MyLog.w(this, "Config error: wrong port=" + sp.getString("telnet_port", "default"));
port = 9000;
}
fgfsIP = sp.getString("fgfs_ip", "192.168.1.2");
MyLog.i(this, "Telnet: " + fgfsIP + ":" + port + " " + waitPeriod + "ms");
try {
MyLog.e(this, "Trying telnet connection to " + fgfsIP + ":" + port);
conn = new FGFSConnection(fgfsIP, port, FlightGearMap.SOCKET_TIMEOUT);
MyLog.d(this, "Upwards connection ready");
} catch (IOException e) {
MyLog.w(this, e.toString());
conn = null;
return;
}
while (!cancelled) {
try{
synchronized(surfaces) {
for(Surface cs: surfaces) {
if (cs.isDirty()) {
cs.update(conn);
}
}
}
Thread.sleep(waitPeriod);
cancelled = conn.isClosed();
} catch (InterruptedException e) {
cancelled = true;
} catch (IOException e) {
MyLog.w(this, MyLog.stackToString(e));
} catch (NullPointerException e) {
// a null pointer exception usually means that the connection is lost
}
}
try {
conn.close();
} catch (IOException e) {
MyLog.w(this, "Error closing connection: " + e.toString());
}
}
}
| true | true | public void run() {
FGFSConnection conn = null;
boolean cancelled = false;
int waitPeriod = 5000;
int port = 9000;
String fgfsIP = "192.168.1.2";
// read preferences
try {
waitPeriod = new Integer(sp.getString("update_period", "5000")).intValue();
// check limits
waitPeriod = Math.max(waitPeriod, 500);
} catch (NumberFormatException e) {
MyLog.w(this, "Config error: wrong update_period=" + sp.getString("update_period", "default") +".");
waitPeriod = 5000;
}
try {
port = new Integer(sp.getString("telnet_port", "9000")).intValue();
// check limits
port = Math.max(port, 1);
} catch (ClassCastException e) {
MyLog.w(this, "Config error: wrong port=" + sp.getString("telnet_port", "default"));
port = 9000;
}
fgfsIP = sp.getString("fgfs_ip", "192.168.1.2");
MyLog.i(this, "Telnet: " + fgfsIP + ":" + port + " " + waitPeriod + "ms");
try {
MyLog.e(this, "Trying telnet connection to " + fgfsIP + ":" + port);
conn = new FGFSConnection(fgfsIP, port, FlightGearMap.SOCKET_TIMEOUT);
MyLog.d(this, "Upwards connection ready");
} catch (IOException e) {
MyLog.w(this, e.toString());
conn = null;
return;
}
while (!cancelled) {
try{
synchronized(surfaces) {
for(Surface cs: surfaces) {
if (cs.isDirty()) {
cs.update(conn);
}
}
}
Thread.sleep(waitPeriod);
cancelled = conn.isClosed();
} catch (InterruptedException e) {
cancelled = true;
} catch (IOException e) {
MyLog.w(this, MyLog.stackToString(e));
} catch (NullPointerException e) {
// a null pointer exception usually means that the connection is lost
}
}
try {
conn.close();
} catch (IOException e) {
MyLog.w(this, "Error closing connection: " + e.toString());
}
}
| public void run() {
FGFSConnection conn = null;
boolean cancelled = false;
int waitPeriod = 5000;
int port = 9000;
String fgfsIP = "192.168.1.2";
// read preferences
try {
waitPeriod = new Integer(sp.getString("update_period", "500")).intValue();
// check limits
waitPeriod = Math.max(waitPeriod, 500);
} catch (NumberFormatException e) {
MyLog.w(this, "Config error: wrong update_period=" + sp.getString("update_period", "default") +".");
waitPeriod = 5000;
}
try {
port = new Integer(sp.getString("telnet_port", "9000")).intValue();
// check limits
port = Math.max(port, 1);
} catch (ClassCastException e) {
MyLog.w(this, "Config error: wrong port=" + sp.getString("telnet_port", "default"));
port = 9000;
}
fgfsIP = sp.getString("fgfs_ip", "192.168.1.2");
MyLog.i(this, "Telnet: " + fgfsIP + ":" + port + " " + waitPeriod + "ms");
try {
MyLog.e(this, "Trying telnet connection to " + fgfsIP + ":" + port);
conn = new FGFSConnection(fgfsIP, port, FlightGearMap.SOCKET_TIMEOUT);
MyLog.d(this, "Upwards connection ready");
} catch (IOException e) {
MyLog.w(this, e.toString());
conn = null;
return;
}
while (!cancelled) {
try{
synchronized(surfaces) {
for(Surface cs: surfaces) {
if (cs.isDirty()) {
cs.update(conn);
}
}
}
Thread.sleep(waitPeriod);
cancelled = conn.isClosed();
} catch (InterruptedException e) {
cancelled = true;
} catch (IOException e) {
MyLog.w(this, MyLog.stackToString(e));
} catch (NullPointerException e) {
// a null pointer exception usually means that the connection is lost
}
}
try {
conn.close();
} catch (IOException e) {
MyLog.w(this, "Error closing connection: " + e.toString());
}
}
|
diff --git a/src/com/android/phone/SimContacts.java b/src/com/android/phone/SimContacts.java
index f162b116..36f39015 100644
--- a/src/com/android/phone/SimContacts.java
+++ b/src/com/android/phone/SimContacts.java
@@ -1,314 +1,309 @@
/*
* Copyright (C) 2007 The Android Open Source Project
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.android.phone;
import android.app.ProgressDialog;
import android.content.ContentProviderOperation;
import android.content.ContentResolver;
import android.content.ContentValues;
import android.content.DialogInterface;
import android.content.Intent;
import android.content.OperationApplicationException;
import android.content.DialogInterface.OnCancelListener;
import android.content.DialogInterface.OnClickListener;
import android.database.Cursor;
import android.net.Uri;
import android.os.Bundle;
import android.os.RemoteException;
import android.provider.ContactsContract;
import android.provider.ContactsContract.Data;
import android.provider.ContactsContract.RawContacts;
import android.provider.ContactsContract.CommonDataKinds.Email;
import android.provider.ContactsContract.CommonDataKinds.Phone;
import android.provider.ContactsContract.CommonDataKinds.StructuredName;
import android.text.TextUtils;
import android.util.Log;
import android.view.ContextMenu;
import android.view.KeyEvent;
import android.view.Menu;
import android.view.MenuItem;
import android.view.View;
import android.widget.AdapterView;
import android.widget.CursorAdapter;
import android.widget.ListView;
import android.widget.SimpleCursorAdapter;
import android.widget.TextView;
import java.util.ArrayList;
/**
* SIM Address Book UI for the Phone app.
*/
public class SimContacts extends ADNList {
private static final String LOG_TAG = "SimContacts";
static final ContentValues sEmptyContentValues = new ContentValues();
private static final int MENU_IMPORT_ONE = 1;
private static final int MENU_IMPORT_ALL = 2;
private ProgressDialog mProgressDialog;
private static class NamePhoneTypePair {
final String name;
final int phoneType;
public NamePhoneTypePair(String nameWithPhoneType) {
// Look for /W /H /M or /O at the end of the name signifying the type
int nameLen = nameWithPhoneType.length();
if (nameLen - 2 >= 0 && nameWithPhoneType.charAt(nameLen - 2) == '/') {
char c = Character.toUpperCase(nameWithPhoneType.charAt(nameLen - 1));
if (c == 'W') {
phoneType = Phone.TYPE_WORK;
} else if (c == 'M' || c == 'O') {
phoneType = Phone.TYPE_MOBILE;
} else if (c == 'H') {
phoneType = Phone.TYPE_HOME;
} else {
phoneType = Phone.TYPE_OTHER;
}
name = nameWithPhoneType.substring(0, nameLen - 2);
} else {
phoneType = Phone.TYPE_OTHER;
name = nameWithPhoneType;
}
}
}
private class ImportAllSimContactsThread extends Thread
implements OnCancelListener, OnClickListener {
boolean mCanceled = false;
public ImportAllSimContactsThread() {
super("ImportAllSimContactsThread");
}
@Override
public void run() {
final ContentValues emptyContentValues = new ContentValues();
final ContentResolver resolver = getContentResolver();
mCursor.moveToPosition(-1);
while (!mCanceled && mCursor.moveToNext()) {
actuallyImportOneSimContact(mCursor, resolver);
mProgressDialog.incrementProgressBy(1);
}
mProgressDialog.dismiss();
finish();
}
public void onCancel(DialogInterface dialog) {
mCanceled = true;
}
public void onClick(DialogInterface dialog, int which) {
if (which == DialogInterface.BUTTON_NEGATIVE) {
mCanceled = true;
mProgressDialog.dismiss();
} else {
Log.e(LOG_TAG, "Unknown button event has come: " + dialog.toString());
}
}
}
private static void actuallyImportOneSimContact(
final Cursor cursor, final ContentResolver resolver) {
final NamePhoneTypePair namePhoneTypePair =
new NamePhoneTypePair(cursor.getString(NAME_COLUMN));
final String name = namePhoneTypePair.name;
final int phoneType = namePhoneTypePair.phoneType;
final String phoneNumber = cursor.getString(NUMBER_COLUMN);
final String emailAddresses = cursor.getString(EMAIL_COLUMN);
final String[] emailAddressArray;
if (!TextUtils.isEmpty(emailAddresses)) {
emailAddressArray = emailAddresses.split(",");
} else {
emailAddressArray = null;
}
final ArrayList<ContentProviderOperation> operationList =
new ArrayList<ContentProviderOperation>();
ContentProviderOperation.Builder builder =
ContentProviderOperation.newInsert(RawContacts.CONTENT_URI);
// TODO: We need account selection.
builder.withValues(sEmptyContentValues);
operationList.add(builder.build());
builder = ContentProviderOperation.newInsert(Data.CONTENT_URI);
builder.withValueBackReference(StructuredName.RAW_CONTACT_ID, 0);
builder.withValue(Data.MIMETYPE, StructuredName.CONTENT_ITEM_TYPE);
builder.withValue(StructuredName.DISPLAY_NAME, name);
operationList.add(builder.build());
builder = ContentProviderOperation.newInsert(Data.CONTENT_URI);
builder.withValueBackReference(Phone.RAW_CONTACT_ID, 0);
builder.withValue(Data.MIMETYPE, Phone.CONTENT_ITEM_TYPE);
builder.withValue(Phone.TYPE, phoneType);
builder.withValue(Phone.NUMBER, phoneNumber);
builder.withValue(Data.IS_PRIMARY, 1);
operationList.add(builder.build());
if (emailAddresses != null) {
- boolean first = true;
for (String emailAddress : emailAddressArray) {
builder = ContentProviderOperation.newInsert(Data.CONTENT_URI);
builder.withValueBackReference(Email.RAW_CONTACT_ID, 0);
builder.withValue(Data.MIMETYPE, Email.CONTENT_ITEM_TYPE);
builder.withValue(Email.TYPE, Email.TYPE_MOBILE);
builder.withValue(Email.DATA, emailAddress);
- if (first) {
- builder.withValue(Data.IS_PRIMARY, 1);
- first = false;
- }
operationList.add(builder.build());
}
}
// TODO: We should insert this into MyGroups if possible.
try {
resolver.applyBatch(ContactsContract.AUTHORITY, operationList);
} catch (RemoteException e) {
Log.e(LOG_TAG, String.format("%s: %s", e.toString(), e.getMessage()));
} catch (OperationApplicationException e) {
Log.e(LOG_TAG, String.format("%s: %s", e.toString(), e.getMessage()));
}
}
private void importOneSimContact(int position) {
final ContentResolver resolver = getContentResolver();
if (mCursor.moveToPosition(position)) {
actuallyImportOneSimContact(mCursor, resolver);
} else {
Log.e(LOG_TAG, "Failed to move the cursor to the position \"" + position + "\"");
}
}
/* Followings are overridden methods */
@Override
protected void onCreate(Bundle icicle) {
super.onCreate(icicle);
registerForContextMenu(getListView());
}
@Override
protected CursorAdapter newAdapter() {
return new SimpleCursorAdapter(this, R.layout.sim_import_list_entry, mCursor,
new String[] { "name" }, new int[] { android.R.id.text1 });
}
@Override
protected Uri resolveIntent() {
Intent intent = getIntent();
intent.setData(Uri.parse("content://icc/adn"));
if (Intent.ACTION_PICK.equals(intent.getAction())) {
// "index" is 1-based
mInitialSelection = intent.getIntExtra("index", 0) - 1;
}
return intent.getData();
}
@Override
public boolean onCreateOptionsMenu(Menu menu) {
super.onCreateOptionsMenu(menu);
menu.add(0, MENU_IMPORT_ALL, 0, R.string.importAllSimEntries);
return true;
}
@Override
public boolean onOptionsItemSelected(MenuItem item) {
switch (item.getItemId()) {
case MENU_IMPORT_ALL:
CharSequence title = getString(R.string.importAllSimEntries);
CharSequence message = getString(R.string.importingSimContacts);
ImportAllSimContactsThread thread = new ImportAllSimContactsThread();
mProgressDialog = new ProgressDialog(this);
mProgressDialog.setTitle(title);
mProgressDialog.setMessage(message);
mProgressDialog.setProgressStyle(ProgressDialog.STYLE_HORIZONTAL);
mProgressDialog.setButton(DialogInterface.BUTTON_NEGATIVE,
getString(R.string.cancel), thread);
mProgressDialog.setProgress(0);
mProgressDialog.setMax(mCursor.getCount());
mProgressDialog.show();
thread.start();
return true;
}
return super.onOptionsItemSelected(item);
}
@Override
public boolean onContextItemSelected(MenuItem item) {
switch (item.getItemId()) {
case MENU_IMPORT_ONE:
ContextMenu.ContextMenuInfo menuInfo = item.getMenuInfo();
if (menuInfo instanceof AdapterView.AdapterContextMenuInfo) {
int position = ((AdapterView.AdapterContextMenuInfo)menuInfo).position;
importOneSimContact(position);
return true;
}
}
return super.onContextItemSelected(item);
}
@Override
public void onCreateContextMenu(ContextMenu menu, View v,
ContextMenu.ContextMenuInfo menuInfo) {
if (menuInfo instanceof AdapterView.AdapterContextMenuInfo) {
AdapterView.AdapterContextMenuInfo itemInfo =
(AdapterView.AdapterContextMenuInfo) menuInfo;
TextView textView = (TextView) itemInfo.targetView.findViewById(android.R.id.text1);
if (textView != null) {
menu.setHeaderTitle(textView.getText());
}
menu.add(0, MENU_IMPORT_ONE, 0, R.string.importSimEntry);
}
}
@Override
public void onListItemClick(ListView l, View v, int position, long id) {
importOneSimContact(position);
}
@Override
public boolean onKeyDown(int keyCode, KeyEvent event) {
switch (keyCode) {
case KeyEvent.KEYCODE_CALL: {
if (mCursor != null && mCursor.moveToPosition(getSelectedItemPosition())) {
String phoneNumber = mCursor.getString(NUMBER_COLUMN);
if (phoneNumber == null || !TextUtils.isGraphic(phoneNumber)) {
// There is no number entered.
//TODO play error sound or something...
return true;
}
Intent intent = new Intent(Intent.ACTION_CALL_PRIVILEGED,
Uri.fromParts("tel", phoneNumber, null));
intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK
| Intent.FLAG_ACTIVITY_EXCLUDE_FROM_RECENTS);
startActivity(intent);
finish();
return true;
}
}
}
return super.onKeyDown(keyCode, event);
}
}
| false | true | private static void actuallyImportOneSimContact(
final Cursor cursor, final ContentResolver resolver) {
final NamePhoneTypePair namePhoneTypePair =
new NamePhoneTypePair(cursor.getString(NAME_COLUMN));
final String name = namePhoneTypePair.name;
final int phoneType = namePhoneTypePair.phoneType;
final String phoneNumber = cursor.getString(NUMBER_COLUMN);
final String emailAddresses = cursor.getString(EMAIL_COLUMN);
final String[] emailAddressArray;
if (!TextUtils.isEmpty(emailAddresses)) {
emailAddressArray = emailAddresses.split(",");
} else {
emailAddressArray = null;
}
final ArrayList<ContentProviderOperation> operationList =
new ArrayList<ContentProviderOperation>();
ContentProviderOperation.Builder builder =
ContentProviderOperation.newInsert(RawContacts.CONTENT_URI);
// TODO: We need account selection.
builder.withValues(sEmptyContentValues);
operationList.add(builder.build());
builder = ContentProviderOperation.newInsert(Data.CONTENT_URI);
builder.withValueBackReference(StructuredName.RAW_CONTACT_ID, 0);
builder.withValue(Data.MIMETYPE, StructuredName.CONTENT_ITEM_TYPE);
builder.withValue(StructuredName.DISPLAY_NAME, name);
operationList.add(builder.build());
builder = ContentProviderOperation.newInsert(Data.CONTENT_URI);
builder.withValueBackReference(Phone.RAW_CONTACT_ID, 0);
builder.withValue(Data.MIMETYPE, Phone.CONTENT_ITEM_TYPE);
builder.withValue(Phone.TYPE, phoneType);
builder.withValue(Phone.NUMBER, phoneNumber);
builder.withValue(Data.IS_PRIMARY, 1);
operationList.add(builder.build());
if (emailAddresses != null) {
boolean first = true;
for (String emailAddress : emailAddressArray) {
builder = ContentProviderOperation.newInsert(Data.CONTENT_URI);
builder.withValueBackReference(Email.RAW_CONTACT_ID, 0);
builder.withValue(Data.MIMETYPE, Email.CONTENT_ITEM_TYPE);
builder.withValue(Email.TYPE, Email.TYPE_MOBILE);
builder.withValue(Email.DATA, emailAddress);
if (first) {
builder.withValue(Data.IS_PRIMARY, 1);
first = false;
}
operationList.add(builder.build());
}
}
// TODO: We should insert this into MyGroups if possible.
try {
resolver.applyBatch(ContactsContract.AUTHORITY, operationList);
} catch (RemoteException e) {
Log.e(LOG_TAG, String.format("%s: %s", e.toString(), e.getMessage()));
} catch (OperationApplicationException e) {
Log.e(LOG_TAG, String.format("%s: %s", e.toString(), e.getMessage()));
}
}
| private static void actuallyImportOneSimContact(
final Cursor cursor, final ContentResolver resolver) {
final NamePhoneTypePair namePhoneTypePair =
new NamePhoneTypePair(cursor.getString(NAME_COLUMN));
final String name = namePhoneTypePair.name;
final int phoneType = namePhoneTypePair.phoneType;
final String phoneNumber = cursor.getString(NUMBER_COLUMN);
final String emailAddresses = cursor.getString(EMAIL_COLUMN);
final String[] emailAddressArray;
if (!TextUtils.isEmpty(emailAddresses)) {
emailAddressArray = emailAddresses.split(",");
} else {
emailAddressArray = null;
}
final ArrayList<ContentProviderOperation> operationList =
new ArrayList<ContentProviderOperation>();
ContentProviderOperation.Builder builder =
ContentProviderOperation.newInsert(RawContacts.CONTENT_URI);
// TODO: We need account selection.
builder.withValues(sEmptyContentValues);
operationList.add(builder.build());
builder = ContentProviderOperation.newInsert(Data.CONTENT_URI);
builder.withValueBackReference(StructuredName.RAW_CONTACT_ID, 0);
builder.withValue(Data.MIMETYPE, StructuredName.CONTENT_ITEM_TYPE);
builder.withValue(StructuredName.DISPLAY_NAME, name);
operationList.add(builder.build());
builder = ContentProviderOperation.newInsert(Data.CONTENT_URI);
builder.withValueBackReference(Phone.RAW_CONTACT_ID, 0);
builder.withValue(Data.MIMETYPE, Phone.CONTENT_ITEM_TYPE);
builder.withValue(Phone.TYPE, phoneType);
builder.withValue(Phone.NUMBER, phoneNumber);
builder.withValue(Data.IS_PRIMARY, 1);
operationList.add(builder.build());
if (emailAddresses != null) {
for (String emailAddress : emailAddressArray) {
builder = ContentProviderOperation.newInsert(Data.CONTENT_URI);
builder.withValueBackReference(Email.RAW_CONTACT_ID, 0);
builder.withValue(Data.MIMETYPE, Email.CONTENT_ITEM_TYPE);
builder.withValue(Email.TYPE, Email.TYPE_MOBILE);
builder.withValue(Email.DATA, emailAddress);
operationList.add(builder.build());
}
}
// TODO: We should insert this into MyGroups if possible.
try {
resolver.applyBatch(ContactsContract.AUTHORITY, operationList);
} catch (RemoteException e) {
Log.e(LOG_TAG, String.format("%s: %s", e.toString(), e.getMessage()));
} catch (OperationApplicationException e) {
Log.e(LOG_TAG, String.format("%s: %s", e.toString(), e.getMessage()));
}
}
|
diff --git a/src/main/java/org/drools/planner/examples/ras2012/util/GraphVisualizer.java b/src/main/java/org/drools/planner/examples/ras2012/util/GraphVisualizer.java
index 270edfb..1060215 100644
--- a/src/main/java/org/drools/planner/examples/ras2012/util/GraphVisualizer.java
+++ b/src/main/java/org/drools/planner/examples/ras2012/util/GraphVisualizer.java
@@ -1,127 +1,127 @@
package org.drools.planner.examples.ras2012.util;
import java.awt.Dimension;
import java.awt.Image;
import java.awt.geom.Point2D;
import java.awt.image.BufferedImage;
import java.io.IOException;
import java.io.OutputStream;
import java.util.Collection;
import java.util.concurrent.locks.Lock;
import java.util.concurrent.locks.ReentrantLock;
import javax.imageio.ImageIO;
import edu.uci.ics.jung.algorithms.layout.ISOMLayout;
import edu.uci.ics.jung.algorithms.layout.Layout;
import edu.uci.ics.jung.graph.DirectedOrderedSparseMultigraph;
import edu.uci.ics.jung.graph.Graph;
import edu.uci.ics.jung.graph.UndirectedOrderedSparseMultigraph;
import edu.uci.ics.jung.visualization.VisualizationImageServer;
import org.apache.commons.collections15.Transformer;
import org.drools.planner.examples.ras2012.model.Arc;
import org.drools.planner.examples.ras2012.model.Node;
import org.drools.planner.examples.ras2012.model.Route.Direction;
public class GraphVisualizer {
private static class ArcLabeller implements Transformer<Arc, String> {
private String getTrackId(final Arc input) {
switch (input.getTrackType()) {
case MAIN_0:
return "M0";
case MAIN_1:
return "M1";
case MAIN_2:
return "M2";
case SWITCH:
return "SW";
case SIDING:
return "S";
case CROSSOVER:
return "C";
default:
throw new IllegalArgumentException("Unknown track type: "
+ input.getTrackType());
}
}
@Override
public String transform(final Arc input) {
return input.getLengthInMiles() + this.getTrackId(input);
}
}
private static class NodeLabeller implements Transformer<Node, String> {
@Override
public String transform(final Node input) {
return String.valueOf(input.getId());
}
}
private static final int GRAPH_WIDTH = 1920;
private static final int GRAPH_HEIGHT = 1080;
private final Collection<Arc> edges;
private final Direction direction;
private static final Lock l = new ReentrantLock();
public GraphVisualizer(final Collection<Arc> edges) {
this(edges, null);
}
public GraphVisualizer(final Collection<Arc> edges, final Direction direction) {
this.edges = edges;
this.direction = direction;
}
private Graph<Node, Arc> formGraph() {
Graph<Node, Arc> g = null;
if (this.direction != null) {
g = new DirectedOrderedSparseMultigraph<Node, Arc>();
} else {
g = new UndirectedOrderedSparseMultigraph<Node, Arc>();
}
for (final Arc a : this.edges) {
g.addVertex(a.getEastNode());
g.addVertex(a.getWestNode());
if (this.direction == null || this.direction == Direction.EASTBOUND) {
g.addEdge(a, a.getWestNode(), a.getEastNode());
} else {
g.addEdge(a, a.getEastNode(), a.getWestNode());
}
}
return g;
}
public void visualize(final OutputStream visualize) throws IOException {
- final Layout<Node, Arc> layout = new ISOMLayout<>(this.formGraph());
+ final Layout<Node, Arc> layout = new ISOMLayout<Node, Arc>(this.formGraph());
layout.setSize(new Dimension(GraphVisualizer.GRAPH_WIDTH, GraphVisualizer.GRAPH_HEIGHT));
- final VisualizationImageServer<Node, Arc> server = new VisualizationImageServer<>(layout,
- layout.getSize());
+ final VisualizationImageServer<Node, Arc> server = new VisualizationImageServer<Node, Arc>(
+ layout, layout.getSize());
server.getRenderContext().setLabelOffset(30);
server.getRenderContext().setEdgeLabelTransformer(new ArcLabeller());
server.getRenderContext().setVertexLabelTransformer(new NodeLabeller());
Image i = null;
GraphVisualizer.l.lock();
try {
/*
* the call to getImage() causes trouble when running in multiple threads; keep other threads out using a lock.
*/
i = server.getImage(new Point2D.Double(GraphVisualizer.GRAPH_WIDTH / 2,
GraphVisualizer.GRAPH_HEIGHT / 2), layout.getSize());
} finally {
GraphVisualizer.l.unlock();
}
final BufferedImage bi = new BufferedImage(GraphVisualizer.GRAPH_WIDTH,
GraphVisualizer.GRAPH_HEIGHT, BufferedImage.TYPE_INT_RGB);
bi.createGraphics().drawImage(i, null, null);
ImageIO.write(bi, "png", visualize);
}
}
| false | true | public void visualize(final OutputStream visualize) throws IOException {
final Layout<Node, Arc> layout = new ISOMLayout<>(this.formGraph());
layout.setSize(new Dimension(GraphVisualizer.GRAPH_WIDTH, GraphVisualizer.GRAPH_HEIGHT));
final VisualizationImageServer<Node, Arc> server = new VisualizationImageServer<>(layout,
layout.getSize());
server.getRenderContext().setLabelOffset(30);
server.getRenderContext().setEdgeLabelTransformer(new ArcLabeller());
server.getRenderContext().setVertexLabelTransformer(new NodeLabeller());
Image i = null;
GraphVisualizer.l.lock();
try {
/*
* the call to getImage() causes trouble when running in multiple threads; keep other threads out using a lock.
*/
i = server.getImage(new Point2D.Double(GraphVisualizer.GRAPH_WIDTH / 2,
GraphVisualizer.GRAPH_HEIGHT / 2), layout.getSize());
} finally {
GraphVisualizer.l.unlock();
}
final BufferedImage bi = new BufferedImage(GraphVisualizer.GRAPH_WIDTH,
GraphVisualizer.GRAPH_HEIGHT, BufferedImage.TYPE_INT_RGB);
bi.createGraphics().drawImage(i, null, null);
ImageIO.write(bi, "png", visualize);
}
| public void visualize(final OutputStream visualize) throws IOException {
final Layout<Node, Arc> layout = new ISOMLayout<Node, Arc>(this.formGraph());
layout.setSize(new Dimension(GraphVisualizer.GRAPH_WIDTH, GraphVisualizer.GRAPH_HEIGHT));
final VisualizationImageServer<Node, Arc> server = new VisualizationImageServer<Node, Arc>(
layout, layout.getSize());
server.getRenderContext().setLabelOffset(30);
server.getRenderContext().setEdgeLabelTransformer(new ArcLabeller());
server.getRenderContext().setVertexLabelTransformer(new NodeLabeller());
Image i = null;
GraphVisualizer.l.lock();
try {
/*
* the call to getImage() causes trouble when running in multiple threads; keep other threads out using a lock.
*/
i = server.getImage(new Point2D.Double(GraphVisualizer.GRAPH_WIDTH / 2,
GraphVisualizer.GRAPH_HEIGHT / 2), layout.getSize());
} finally {
GraphVisualizer.l.unlock();
}
final BufferedImage bi = new BufferedImage(GraphVisualizer.GRAPH_WIDTH,
GraphVisualizer.GRAPH_HEIGHT, BufferedImage.TYPE_INT_RGB);
bi.createGraphics().drawImage(i, null, null);
ImageIO.write(bi, "png", visualize);
}
|
diff --git a/java/src/com/yahoo/platform/yuitest/coverage/YUITestCoverage.java b/java/src/com/yahoo/platform/yuitest/coverage/YUITestCoverage.java
index b449a9f..47f5a7b 100644
--- a/java/src/com/yahoo/platform/yuitest/coverage/YUITestCoverage.java
+++ b/java/src/com/yahoo/platform/yuitest/coverage/YUITestCoverage.java
@@ -1,188 +1,188 @@
/*
* YUI Test
* Author: Nicholas C. Zakas <[email protected]>
* Copyright (c) 2009, Yahoo! Inc. All rights reserved.
* Code licensed under the BSD License:
* http://developer.yahoo.net/yui/license.txt
*/
package com.yahoo.platform.yuitest.coverage;
import jargs.gnu.CmdLineParser;
import java.io.*;
import java.nio.charset.Charset;
import java.util.Enumeration;
import java.util.HashSet;
import java.util.Set;
import java.util.Vector;
/**
* Main YUI Test Coverage class.
* @author Nicholas C. Zakas
*/
public class YUITestCoverage {
public static void main(String args[]) {
//----------------------------------------------------------------------
// Initialize command line parser
//----------------------------------------------------------------------
CmdLineParser parser = new CmdLineParser();
CmdLineParser.Option verboseOpt = parser.addBooleanOption('v', "verbose");
CmdLineParser.Option helpOpt = parser.addBooleanOption('h', "help");
CmdLineParser.Option charsetOpt = parser.addStringOption("charset");
CmdLineParser.Option outputLocationOpt = parser.addStringOption('o', "output");
CmdLineParser.Option directoryOpt = parser.addBooleanOption('d', "dir");
CmdLineParser.Option excludeOpt = parser.addStringOption('x', "exclude");
CmdLineParser.Option stdinOpt = parser.addBooleanOption("stdin");
CmdLineParser.Option coverFileNameOpt = parser.addStringOption("cover-name");
Reader in = null;
Writer out = null;
try {
parser.parse(args);
//Help option
Boolean help = (Boolean) parser.getOptionValue(helpOpt);
if (help != null && help.booleanValue()) {
usage();
System.exit(0);
}
//Verbose option
boolean verbose = parser.getOptionValue(verboseOpt) != null;
//Use STDIN
boolean useStdin = parser.getOptionValue(stdinOpt) != null;
String coverFileName = (String) parser.getOptionValue(coverFileNameOpt);
//Charset option
String charset = (String) parser.getOptionValue(charsetOpt);
if (charset == null || !Charset.isSupported(charset)) {
charset = System.getProperty("file.encoding");
if (charset == null) {
charset = "UTF-8";
}
if (verbose) {
System.err.println("\n[INFO] Using charset " + charset);
}
}
//get the files to operate on
String[] fileArgs = parser.getRemainingArgs();
if (fileArgs.length == 0) {
if (!useStdin) {
usage();
System.exit(1);
}
}
String outputLocation = (String) parser.getOptionValue(outputLocationOpt);
Boolean directories = parser.getOptionValue(directoryOpt) != null;
if (outputLocation == null){
if (directories){
throw new Exception("-o option is required with -d option.");
}
if (verbose) {
System.err.println("\n[INFO] Preparing to instrument JavaScript file " + fileArgs[0] + ".");
}
if (useStdin) {
in = new InputStreamReader(System.in, charset);
} else {
in = new InputStreamReader(new FileInputStream(fileArgs[0]), charset);
}
String fileName = (coverFileName != null) ? coverFileName : ((fileArgs.length > 0) ? fileArgs[0] : "<stdin>");
- JavaScriptInstrumenter instrumenter = new JavaScriptInstrumenter(in, fileName, charset);
+ JavaScriptInstrumenter instrumenter = new JavaScriptInstrumenter(in, fileName, fileName);
out = new OutputStreamWriter(System.out, charset);
instrumenter.instrument(out, verbose);
} else{
if (directories){
//get exclude values such as filenames, directory names, or regex patterns
Vector<String> excludeValues = (Vector<String>)(parser.getOptionValues(excludeOpt));
Set<String> excludes = new HashSet<String>(); // use a hashset for better lookup performance
//normalize fileArgs[0]
String parentPath = (fileArgs[0].endsWith("/")) ? fileArgs[0] : fileArgs[0] + '/';
String skip = "";
for (Enumeration<String> elems = excludeValues.elements(); elems.hasMoreElements(); ) {
skip = parentPath + elems.nextElement();
if (verbose) {
System.out.println("\n[INFO] Skipping instrumentation for " + skip);
}
excludes.add(skip);
}
DirectoryInstrumenter.setVerbose(verbose);
//in this case fileArgs[0] and outputLocation are directories
DirectoryInstrumenter.instrument(fileArgs[0], outputLocation, (HashSet<String>)excludes);
} else {
FileInstrumenter.setVerbose(verbose);
//in this case fileArgs[0] and outputLocation are files
FileInstrumenter.instrument(fileArgs[0], outputLocation);
}
}
} catch (CmdLineParser.OptionException e) {
usage();
System.exit(1);
} catch (IOException e) {
e.printStackTrace();
System.exit(1);
} catch (Exception e) {
e.printStackTrace();
// Return a special error code used specifically by the web front-end.
System.exit(2);
} finally {
if (in != null) {
try {
in.close();
} catch (IOException e) {
e.printStackTrace();
}
}
if (out != null) {
try {
out.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
}
private static void usage() {
System.out.println(
"\nUsage: java -jar yuitest-coverage-x.y.z.jar [options] [file|dir]\n\n"
+ "Global Options\n"
+ " -h, --help Displays this information.\n"
+ " --charset <charset> Read the input file using <charset>.\n"
+ " --stdin Read input from stdin"
+ " --cover-name When intrumenting, use this name instead of the filename (mainly for stdin)"
+ " -d, --dir Input and output (-o) are both directories.\n"
+ " -v, --verbose Display informational messages and warnings.\n"
+ " -o <file|dir> Place the output into <file|dir>. Defaults to stdout.\n\n");
}
}
| true | true | public static void main(String args[]) {
//----------------------------------------------------------------------
// Initialize command line parser
//----------------------------------------------------------------------
CmdLineParser parser = new CmdLineParser();
CmdLineParser.Option verboseOpt = parser.addBooleanOption('v', "verbose");
CmdLineParser.Option helpOpt = parser.addBooleanOption('h', "help");
CmdLineParser.Option charsetOpt = parser.addStringOption("charset");
CmdLineParser.Option outputLocationOpt = parser.addStringOption('o', "output");
CmdLineParser.Option directoryOpt = parser.addBooleanOption('d', "dir");
CmdLineParser.Option excludeOpt = parser.addStringOption('x', "exclude");
CmdLineParser.Option stdinOpt = parser.addBooleanOption("stdin");
CmdLineParser.Option coverFileNameOpt = parser.addStringOption("cover-name");
Reader in = null;
Writer out = null;
try {
parser.parse(args);
//Help option
Boolean help = (Boolean) parser.getOptionValue(helpOpt);
if (help != null && help.booleanValue()) {
usage();
System.exit(0);
}
//Verbose option
boolean verbose = parser.getOptionValue(verboseOpt) != null;
//Use STDIN
boolean useStdin = parser.getOptionValue(stdinOpt) != null;
String coverFileName = (String) parser.getOptionValue(coverFileNameOpt);
//Charset option
String charset = (String) parser.getOptionValue(charsetOpt);
if (charset == null || !Charset.isSupported(charset)) {
charset = System.getProperty("file.encoding");
if (charset == null) {
charset = "UTF-8";
}
if (verbose) {
System.err.println("\n[INFO] Using charset " + charset);
}
}
//get the files to operate on
String[] fileArgs = parser.getRemainingArgs();
if (fileArgs.length == 0) {
if (!useStdin) {
usage();
System.exit(1);
}
}
String outputLocation = (String) parser.getOptionValue(outputLocationOpt);
Boolean directories = parser.getOptionValue(directoryOpt) != null;
if (outputLocation == null){
if (directories){
throw new Exception("-o option is required with -d option.");
}
if (verbose) {
System.err.println("\n[INFO] Preparing to instrument JavaScript file " + fileArgs[0] + ".");
}
if (useStdin) {
in = new InputStreamReader(System.in, charset);
} else {
in = new InputStreamReader(new FileInputStream(fileArgs[0]), charset);
}
String fileName = (coverFileName != null) ? coverFileName : ((fileArgs.length > 0) ? fileArgs[0] : "<stdin>");
JavaScriptInstrumenter instrumenter = new JavaScriptInstrumenter(in, fileName, charset);
out = new OutputStreamWriter(System.out, charset);
instrumenter.instrument(out, verbose);
} else{
if (directories){
//get exclude values such as filenames, directory names, or regex patterns
Vector<String> excludeValues = (Vector<String>)(parser.getOptionValues(excludeOpt));
Set<String> excludes = new HashSet<String>(); // use a hashset for better lookup performance
//normalize fileArgs[0]
String parentPath = (fileArgs[0].endsWith("/")) ? fileArgs[0] : fileArgs[0] + '/';
String skip = "";
for (Enumeration<String> elems = excludeValues.elements(); elems.hasMoreElements(); ) {
skip = parentPath + elems.nextElement();
if (verbose) {
System.out.println("\n[INFO] Skipping instrumentation for " + skip);
}
excludes.add(skip);
}
DirectoryInstrumenter.setVerbose(verbose);
//in this case fileArgs[0] and outputLocation are directories
DirectoryInstrumenter.instrument(fileArgs[0], outputLocation, (HashSet<String>)excludes);
} else {
FileInstrumenter.setVerbose(verbose);
//in this case fileArgs[0] and outputLocation are files
FileInstrumenter.instrument(fileArgs[0], outputLocation);
}
}
} catch (CmdLineParser.OptionException e) {
usage();
System.exit(1);
} catch (IOException e) {
e.printStackTrace();
System.exit(1);
} catch (Exception e) {
e.printStackTrace();
// Return a special error code used specifically by the web front-end.
System.exit(2);
} finally {
if (in != null) {
try {
in.close();
} catch (IOException e) {
e.printStackTrace();
}
}
if (out != null) {
try {
out.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
}
| public static void main(String args[]) {
//----------------------------------------------------------------------
// Initialize command line parser
//----------------------------------------------------------------------
CmdLineParser parser = new CmdLineParser();
CmdLineParser.Option verboseOpt = parser.addBooleanOption('v', "verbose");
CmdLineParser.Option helpOpt = parser.addBooleanOption('h', "help");
CmdLineParser.Option charsetOpt = parser.addStringOption("charset");
CmdLineParser.Option outputLocationOpt = parser.addStringOption('o', "output");
CmdLineParser.Option directoryOpt = parser.addBooleanOption('d', "dir");
CmdLineParser.Option excludeOpt = parser.addStringOption('x', "exclude");
CmdLineParser.Option stdinOpt = parser.addBooleanOption("stdin");
CmdLineParser.Option coverFileNameOpt = parser.addStringOption("cover-name");
Reader in = null;
Writer out = null;
try {
parser.parse(args);
//Help option
Boolean help = (Boolean) parser.getOptionValue(helpOpt);
if (help != null && help.booleanValue()) {
usage();
System.exit(0);
}
//Verbose option
boolean verbose = parser.getOptionValue(verboseOpt) != null;
//Use STDIN
boolean useStdin = parser.getOptionValue(stdinOpt) != null;
String coverFileName = (String) parser.getOptionValue(coverFileNameOpt);
//Charset option
String charset = (String) parser.getOptionValue(charsetOpt);
if (charset == null || !Charset.isSupported(charset)) {
charset = System.getProperty("file.encoding");
if (charset == null) {
charset = "UTF-8";
}
if (verbose) {
System.err.println("\n[INFO] Using charset " + charset);
}
}
//get the files to operate on
String[] fileArgs = parser.getRemainingArgs();
if (fileArgs.length == 0) {
if (!useStdin) {
usage();
System.exit(1);
}
}
String outputLocation = (String) parser.getOptionValue(outputLocationOpt);
Boolean directories = parser.getOptionValue(directoryOpt) != null;
if (outputLocation == null){
if (directories){
throw new Exception("-o option is required with -d option.");
}
if (verbose) {
System.err.println("\n[INFO] Preparing to instrument JavaScript file " + fileArgs[0] + ".");
}
if (useStdin) {
in = new InputStreamReader(System.in, charset);
} else {
in = new InputStreamReader(new FileInputStream(fileArgs[0]), charset);
}
String fileName = (coverFileName != null) ? coverFileName : ((fileArgs.length > 0) ? fileArgs[0] : "<stdin>");
JavaScriptInstrumenter instrumenter = new JavaScriptInstrumenter(in, fileName, fileName);
out = new OutputStreamWriter(System.out, charset);
instrumenter.instrument(out, verbose);
} else{
if (directories){
//get exclude values such as filenames, directory names, or regex patterns
Vector<String> excludeValues = (Vector<String>)(parser.getOptionValues(excludeOpt));
Set<String> excludes = new HashSet<String>(); // use a hashset for better lookup performance
//normalize fileArgs[0]
String parentPath = (fileArgs[0].endsWith("/")) ? fileArgs[0] : fileArgs[0] + '/';
String skip = "";
for (Enumeration<String> elems = excludeValues.elements(); elems.hasMoreElements(); ) {
skip = parentPath + elems.nextElement();
if (verbose) {
System.out.println("\n[INFO] Skipping instrumentation for " + skip);
}
excludes.add(skip);
}
DirectoryInstrumenter.setVerbose(verbose);
//in this case fileArgs[0] and outputLocation are directories
DirectoryInstrumenter.instrument(fileArgs[0], outputLocation, (HashSet<String>)excludes);
} else {
FileInstrumenter.setVerbose(verbose);
//in this case fileArgs[0] and outputLocation are files
FileInstrumenter.instrument(fileArgs[0], outputLocation);
}
}
} catch (CmdLineParser.OptionException e) {
usage();
System.exit(1);
} catch (IOException e) {
e.printStackTrace();
System.exit(1);
} catch (Exception e) {
e.printStackTrace();
// Return a special error code used specifically by the web front-end.
System.exit(2);
} finally {
if (in != null) {
try {
in.close();
} catch (IOException e) {
e.printStackTrace();
}
}
if (out != null) {
try {
out.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
}
|
diff --git a/src/com/woopra/tracking/android/WoopraTracker.java b/src/com/woopra/tracking/android/WoopraTracker.java
index f8a2698..2bd2c0d 100755
--- a/src/com/woopra/tracking/android/WoopraTracker.java
+++ b/src/com/woopra/tracking/android/WoopraTracker.java
@@ -1,227 +1,227 @@
/*
* Copyright 2014 Woopra, Inc.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.woopra.tracking.android;
import java.net.URLEncoder;
import java.util.Map;
import java.util.Map.Entry;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
import java.util.concurrent.ScheduledExecutorService;
import java.util.concurrent.TimeUnit;
import org.apache.http.HttpResponse;
import org.apache.http.client.HttpClient;
import org.apache.http.client.methods.HttpGet;
import org.apache.http.impl.client.DefaultHttpClient;
import org.apache.http.params.CoreProtocolPNames;
import org.apache.http.util.EntityUtils;
import android.util.Log;
/**
* @author Woopra on 1/26/2013
*
*/
public class WoopraTracker {
private static final String TAG = WoopraTracker.class.getName();
private static final String W_EVENT_ENDPOINT = "http://www.woopra.com/track/ce/";
private ScheduledExecutorService pingScheduler;
private final ExecutorService executor;
private final String domain;
private final WoopraClientInfo clientInfo;
// default timeout value for Woopra service
private long idleTimeoutMs = 30000;
private boolean pingEnabled = false;
//
private String referer = null, deviceType=null;
private WoopraVisitor visitor = null;
WoopraTracker(ExecutorService executor, String domain, WoopraVisitor vistor, WoopraClientInfo clientInfo) {
this.executor = executor;
this.visitor = WoopraVisitor.getAnonymousVisitor();
this.clientInfo = clientInfo;
this.domain = domain;
}
public boolean trackEvent(WoopraEvent event) {
EventRunner runner = new EventRunner(event);
try {
executor.execute(runner);
} catch (Exception e) {
return false;
}
return true;
}
private boolean trackEventImpl(WoopraEvent event) {
// generate request url
StringBuilder urlBuilder = new StringBuilder();
urlBuilder.append(W_EVENT_ENDPOINT)
.append("?host=")
.append(encodeUriComponent(getDomain()))
.append("&cookie=")
.append(encodeUriComponent(getVisitor().getCookie()))
.append("&screen=")
.append(encodeUriComponent(clientInfo.getScreenResolution()))
.append("&language=")
.append(encodeUriComponent(clientInfo.getLanguage()))
.append("&browser=")
.append(encodeUriComponent(clientInfo.getClient()))
.append("&app=android&response=xml&os=android&timeout=").append(idleTimeoutMs);
if (referer != null) {
urlBuilder.append("&referer=").append(encodeUriComponent(referer));
}
if(deviceType != null){
- urlBuilder.append("&device=").append(encodeURIComponent(deviceType));
+ urlBuilder.append("&device=").append(encodeUriComponent(deviceType));
}
//
// Add visitors properties
for (Entry<String, String> entry : visitor.getProperties().entrySet()) {
urlBuilder.append("&cv_").append(encodeUriComponent(entry.getKey()))
.append("=")
.append(encodeUriComponent(entry.getValue()));
}
// Add Event properties
for (Entry<String, String> entry : event.getProperties().entrySet()) {
urlBuilder.append("&ce_").append(encodeUriComponent(entry.getKey()))
.append("=")
.append(encodeUriComponent(entry.getValue()));
}
Log.d(TAG, "Final url:" + urlBuilder.toString());
HttpClient httpClient = new DefaultHttpClient();
HttpGet httpGet = new HttpGet(urlBuilder.toString());
httpGet.setHeader(CoreProtocolPNames.USER_AGENT, clientInfo.getUserAgent());
try {
HttpResponse response = httpClient.execute(httpGet);
Log.d(TAG,
"Response:" + EntityUtils.toString(response.getEntity()));
} catch (Exception e) {
Log.e(TAG, "Got error!", e);
return false;
}
return true;
}
public String getDomain() {
return domain;
}
public long getIdleTimeout() {
return idleTimeoutMs / 1000L;
}
public void setIdleTimeout(long idleTimeout) {
this.idleTimeoutMs = idleTimeout * 1000L;
}
public boolean isPingEnabled() {
return pingEnabled;
}
public void setPingEnabled(boolean enabled) {
this.pingEnabled = enabled;
if (enabled) {
if (pingScheduler == null) {
long interval = idleTimeoutMs - 5000L;
if (interval < 0) {
interval /= 2;
}
pingScheduler = Executors.newScheduledThreadPool(1);
pingScheduler.scheduleAtFixedRate(new Runnable() {
@Override
public void run() {
try {
WoopraPing ping = new WoopraPing(domain, getVisitor().getCookie(), clientInfo,
idleTimeoutMs);
ping.ping();
} catch (Throwable t) {
Log.e(TAG, "unknown ping error", t);
}
}
}, interval, interval, TimeUnit.MILLISECONDS);
}
} else {
if (pingScheduler != null) {
pingScheduler.shutdown();
pingScheduler = null;
}
}
}
public static String encodeUriComponent(String param) {
try {
return URLEncoder.encode(param, "utf-8");
} catch (Exception e) {
// will not throw an exception since utf-8 is supported.
}
return param;
}
public WoopraVisitor getVisitor() {
return visitor;
}
public void setVisitor(WoopraVisitor visitor) {
this.visitor = visitor;
}
public String getReferer() {
return referer;
}
public void setReferer(String referer) {
this.referer = referer;
}
public void setDeviceType(String deviceType){
this.deviceType=deviceType;
}
public String getDeviceType(){
return this.deviceType;
}
public void setVisitorProperty(String key, String value) {
if (value != null) {
getVisitor().setProperty(key, value);
}
}
public void setVisitorProperties(Map<String,String> newProperties) {
getVisitor().setProperties(newProperties);
}
class EventRunner implements Runnable {
WoopraEvent event = null;
public EventRunner(WoopraEvent event) {
this.event = event;
}
@Override
public void run() {
// send track event
trackEventImpl(event);
}
}
}
| true | true | private boolean trackEventImpl(WoopraEvent event) {
// generate request url
StringBuilder urlBuilder = new StringBuilder();
urlBuilder.append(W_EVENT_ENDPOINT)
.append("?host=")
.append(encodeUriComponent(getDomain()))
.append("&cookie=")
.append(encodeUriComponent(getVisitor().getCookie()))
.append("&screen=")
.append(encodeUriComponent(clientInfo.getScreenResolution()))
.append("&language=")
.append(encodeUriComponent(clientInfo.getLanguage()))
.append("&browser=")
.append(encodeUriComponent(clientInfo.getClient()))
.append("&app=android&response=xml&os=android&timeout=").append(idleTimeoutMs);
if (referer != null) {
urlBuilder.append("&referer=").append(encodeUriComponent(referer));
}
if(deviceType != null){
urlBuilder.append("&device=").append(encodeURIComponent(deviceType));
}
//
// Add visitors properties
for (Entry<String, String> entry : visitor.getProperties().entrySet()) {
urlBuilder.append("&cv_").append(encodeUriComponent(entry.getKey()))
.append("=")
.append(encodeUriComponent(entry.getValue()));
}
// Add Event properties
for (Entry<String, String> entry : event.getProperties().entrySet()) {
urlBuilder.append("&ce_").append(encodeUriComponent(entry.getKey()))
.append("=")
.append(encodeUriComponent(entry.getValue()));
}
Log.d(TAG, "Final url:" + urlBuilder.toString());
HttpClient httpClient = new DefaultHttpClient();
HttpGet httpGet = new HttpGet(urlBuilder.toString());
httpGet.setHeader(CoreProtocolPNames.USER_AGENT, clientInfo.getUserAgent());
try {
HttpResponse response = httpClient.execute(httpGet);
Log.d(TAG,
"Response:" + EntityUtils.toString(response.getEntity()));
} catch (Exception e) {
Log.e(TAG, "Got error!", e);
return false;
}
return true;
}
| private boolean trackEventImpl(WoopraEvent event) {
// generate request url
StringBuilder urlBuilder = new StringBuilder();
urlBuilder.append(W_EVENT_ENDPOINT)
.append("?host=")
.append(encodeUriComponent(getDomain()))
.append("&cookie=")
.append(encodeUriComponent(getVisitor().getCookie()))
.append("&screen=")
.append(encodeUriComponent(clientInfo.getScreenResolution()))
.append("&language=")
.append(encodeUriComponent(clientInfo.getLanguage()))
.append("&browser=")
.append(encodeUriComponent(clientInfo.getClient()))
.append("&app=android&response=xml&os=android&timeout=").append(idleTimeoutMs);
if (referer != null) {
urlBuilder.append("&referer=").append(encodeUriComponent(referer));
}
if(deviceType != null){
urlBuilder.append("&device=").append(encodeUriComponent(deviceType));
}
//
// Add visitors properties
for (Entry<String, String> entry : visitor.getProperties().entrySet()) {
urlBuilder.append("&cv_").append(encodeUriComponent(entry.getKey()))
.append("=")
.append(encodeUriComponent(entry.getValue()));
}
// Add Event properties
for (Entry<String, String> entry : event.getProperties().entrySet()) {
urlBuilder.append("&ce_").append(encodeUriComponent(entry.getKey()))
.append("=")
.append(encodeUriComponent(entry.getValue()));
}
Log.d(TAG, "Final url:" + urlBuilder.toString());
HttpClient httpClient = new DefaultHttpClient();
HttpGet httpGet = new HttpGet(urlBuilder.toString());
httpGet.setHeader(CoreProtocolPNames.USER_AGENT, clientInfo.getUserAgent());
try {
HttpResponse response = httpClient.execute(httpGet);
Log.d(TAG,
"Response:" + EntityUtils.toString(response.getEntity()));
} catch (Exception e) {
Log.e(TAG, "Got error!", e);
return false;
}
return true;
}
|
diff --git a/src/cytoscape/view/CyMenus.java b/src/cytoscape/view/CyMenus.java
index a9fce5b7f..e6cd0eca0 100644
--- a/src/cytoscape/view/CyMenus.java
+++ b/src/cytoscape/view/CyMenus.java
@@ -1,853 +1,853 @@
/** Copyright (c) 2002 Institute for Systems Biology and the Whitehead Institute
**
** This library is free software; you can redistribute it and/or modify it
** under the terms of the GNU Lesser General Public License as published
** by the Free Software Foundation; either version 2.1 of the License, or
** any later version.
**
** This library is distributed in the hope that it will be useful, but
** WITHOUT ANY WARRANTY, WITHOUT EVEN THE IMPLIED WARRANTY OF
** MERCHANTABILITY OR FITNESS FOR A PARTICULAR PURPOSE. The software and
** documentation provided hereunder is on an "as is" basis, and the
** Institute for Systems Biology and the Whitehead Institute
** have no obligations to provide maintenance, support,
** updates, enhancements or modifications. In no event shall the
** Institute for Systems Biology and the Whitehead Institute
** be liable to any party for direct, indirect, special,
** incidental or consequential damages, including lost profits, arising
** out of the use of this software and its documentation, even if the
** Institute for Systems Biology and the Whitehead Institute
** have been advised of the possibility of such damage. See
** the GNU Lesser General Public License for more details.
**
** You should have received a copy of the GNU Lesser General Public License
** along with this library; if not, write to the Free Software Foundation,
** Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA.
**/
//------------------------------------------------------------------------------
package cytoscape.view;
//------------------------------------------------------------------------------
import java.awt.event.*;
import javax.swing.*;
import javax.swing.event.MenuListener;
import javax.swing.event.MenuEvent;
import javax.help.HelpBroker;
import javax.help.CSH.*;
import javax.help.CSH; // Context Sensitive Help convenience object...
import javax.swing.KeyStroke;
import cytoscape.Cytoscape;
import cytoscape.CyNetwork;
import cytoscape.view.CyNetworkView;
import cytoscape.plugin.AbstractPlugin;
import cytoscape.actions.*;
import cytoscape.data.annotation.AnnotationGui;
import cytoscape.util.CytoscapeMenuBar;
import cytoscape.util.CytoscapeToolBar;
import cytoscape.util.CytoscapeAction;
import cytoscape.util.CreditScreen;
import cytoscape.visual.ui.VizMapUI;
import giny.view.GraphViewChangeListener;
import giny.view.GraphViewChangeEvent;
import cytoscape.view.cytopanels.CytoPanel;
//------------------------------------------------------------------------------
/**
* This class creates the menu and tool bars for a Cytoscape window object. It
* also provides access to individual menus and items.
*/
public class CyMenus implements GraphViewChangeListener {
boolean menusInitialized = false;
CytoscapeMenuBar menuBar;
JMenu fileMenu, loadSubMenu, saveSubMenu;
JMenu editMenu;
// JMenuItem undoMenuItem, redoMenuItem;
JMenuItem deleteSelectionMenuItem;
JMenu dataMenu;
JMenu selectMenu;
JMenu displayNWSubMenu;
JMenu layoutMenu;
JMenu vizMenu;
JMenu helpMenu;
JMenu cytoPanelMenu;
CytoscapeAction menuPrintAction, menuExportAction;
JMenuItem vizMenuItem, vizMapperItem;
JCheckBoxMenuItem cytoPanelWestItem, cytoPanelEastItem, cytoPanelSouthItem;
JMenuItem helpContentsMenuItem, helpContextSensitiveMenuItem,
helpAboutMenuItem;
JButton loadButton, saveButton, zoomInButton, zoomOutButton,
zoomSelectedButton, zoomDisplayAllButton, showAllButton,
hideSelectedButton, annotationButton, vizButton;
JMenu opsMenu;
CytoscapeToolBar toolBar;
boolean nodesRequiredItemsEnabled;
public CyMenus() {
// the following methods construct the basic bar objects, but
// don't fill them with menu items and associated action listeners
createMenuBar();
toolBar = new CytoscapeToolBar();
}
/**
* Returns the main menu bar constructed by this object.
*/
public CytoscapeMenuBar getMenuBar() {
return menuBar;
}
/**
* Returns the menu with items related to file operations.
*/
public JMenu getFileMenu() {
return fileMenu;
}
/**
* Returns the submenu with items related to loading objects.
*/
public JMenu getLoadSubMenu() {
return loadSubMenu;
}
/**
* Returns the submenu with items related to saving objects.
*/
public JMenu getSaveSubMenu() {
return saveSubMenu;
}
/**
* returns the menu with items related to editing the graph.
*/
public JMenu getEditMenu() {
return editMenu;
}
/**
* Returns the menu with items related to data operations.
*/
public JMenu getDataMenu() {
return dataMenu;
}
/**
* Returns the menu with items related to selecting nodes and edges in the
* graph.
*/
public JMenu getSelectMenu() {
return selectMenu;
}
/**
* Returns the menu with items realted to layout actions.
*/
public JMenu getLayoutMenu() {
return layoutMenu;
}
/**
* Returns the menu with items related to visualiation.
*/
public JMenu getVizMenu() {
return vizMenu;
}
/**
* Returns the help menu.
*/
public JMenu getHelpMenu() {
return helpMenu;
}
/**
* Returns the menu with items associated with plug-ins. Most plug-ins grab
* this menu and add their menu option. The plugins should then call
* refreshOperationsMenu to update the menu.
*/
public JMenu getOperationsMenu() {
return opsMenu;
}
/**
* @deprecated This method is no longer needed now that we don't use the
* NO_OPERATIONS menu placeholder.
*
* This method does nothing.
*/
public void refreshOperationsMenu() {
}
/**
* Returns the toolbar object constructed by this class.
*/
public CytoscapeToolBar getToolBar() {
return toolBar;
}
public void addAction(CytoscapeAction action) {
addCytoscapeAction(action);
}
/**
* Takes a CytoscapeAction and will add it to the MenuBar or the Toolbar as
* is appropriate.
*/
public void addCytoscapeAction(CytoscapeAction action) {
if (action.isInMenuBar()) {
getMenuBar().addAction(action);
}
if (action.isInToolBar()) {
getToolBar().addAction(action);
}
}
/**
* Called when the window switches to edit mode, enabling the menu option
* for deleting selected objects.
*
* Again, the keeper of the edit modes should probably get a reference to
* the menu item and manage its state.
*/
public void enableDeleteSelectionMenuItem() {
if (deleteSelectionMenuItem != null) {
deleteSelectionMenuItem.setEnabled(true);
}
}
/**
* Called when the window switches to read-only mode, disabling the menu
* option for deleting selected objects.
*
* Again, the keeper of the edit modes should probably get a reference to
* the menu item and manage its state.
*/
public void disableDeleteSelectionMenuItem() {
if (deleteSelectionMenuItem != null) {
deleteSelectionMenuItem.setEnabled(false);
}
}
/**
* Enables the menu items related to the visual mapper if the argument is
* true, else disables them. This method should only be called from the
* window that holds this menu.
*/
public void setVisualMapperItemsEnabled(boolean newState) {
vizMenuItem.setEnabled(newState);
vizButton.setEnabled(newState);
vizMapperItem.setText(newState ? "Disable Visual Mapper"
: "Enable Visual Mapper");
}
/**
* Enables or disables save, print, and display nodes in new window GUI
* functions, based on the number of nodes in this window's graph
* perspective. This function should be called after every operation which
* adds or removes nodes from the current window.
*/
public void setNodesRequiredItemsEnabled() {
boolean newState = Cytoscape.getCurrentNetwork().getNodeCount() > 0;
newState = true; // TODO: remove this once the
// GraphViewChangeListener system is working
if (newState == nodesRequiredItemsEnabled)
return;
saveButton.setEnabled(newState);
saveSubMenu.setEnabled(newState);
menuPrintAction.setEnabled(newState);
menuExportAction.setEnabled(newState);
displayNWSubMenu.setEnabled(newState);
nodesRequiredItemsEnabled = newState;
}
/**
* Update the UI menus and buttons. When the graph view is changed, this
* method is the listener which will update the UI items, enabling or
* disabling items which are only available when the graph view is
* non-empty.
*
* @param e
*/
public void graphViewChanged(GraphViewChangeEvent e) {
// Do this in the GUI Event Dispatch thread...
SwingUtilities.invokeLater(new Runnable() {
public void run() {
setNodesRequiredItemsEnabled();
}
});
}
/**
* Returns the cytopanels menu.
*/
public JMenu getCytoPanelMenu() {
return cytoPanelMenu;
}
/*
* Sets up the CytoPanelMenu items. This is put into its own public method
* so it can be called from CytoscapeInit.Init(), because we need the
* CytoscapeDesktop to be instantiated first.
*/
public void initCytoPanelMenus() {
CytoPanel cytoPanel;
// setup cytopanel west (enabled/shown by default)
cytoPanel = Cytoscape.getDesktop().getCytoPanel(SwingConstants.WEST);
cytoPanelWestItem = new JCheckBoxMenuItem(cytoPanel.getTitle());
initCytoPanelMenuItem(cytoPanel, cytoPanelWestItem, true, true,
"cytoPanelWest", KeyEvent.VK_1);
// setup cytopanel east (disabled/hidden by default)
cytoPanel = Cytoscape.getDesktop().getCytoPanel(SwingConstants.EAST);
cytoPanelEastItem = new JCheckBoxMenuItem(cytoPanel.getTitle());
initCytoPanelMenuItem(cytoPanel, cytoPanelEastItem, false, false,
"cytoPanelEast", KeyEvent.VK_3);
// setup cytopanel south (disabled/hidden by default)
cytoPanel = Cytoscape.getDesktop().getCytoPanel(SwingConstants.SOUTH);
cytoPanelSouthItem = new JCheckBoxMenuItem(cytoPanel.getTitle());
initCytoPanelMenuItem(cytoPanel, cytoPanelSouthItem, false, false,
"cytoPanelSouth", KeyEvent.VK_2);
// add cytopanel menu items to CytoPanels Menu
menuBar.getMenu("CytoPanels").add(cytoPanelWestItem);
menuBar.getMenu("CytoPanels").add(cytoPanelSouthItem);
menuBar.getMenu("CytoPanels").add(cytoPanelEastItem);
}
private void initCytoPanelMenuItem(CytoPanel cytoPanel,
JCheckBoxMenuItem menuItem, boolean selected, boolean enabled,
String mapObject, int keyCode) {
// setup action
CytoPanelAction cytoPanelAction = new CytoPanelAction(menuItem,
cytoPanel);
menuItem.addActionListener(cytoPanelAction);
// enabled/disabled - shown/hidden
menuItem.setSelected(selected);
menuItem.setEnabled(enabled);
// setup menu item key accel
KeyStroke accel = KeyStroke.getKeyStroke(keyCode,
java.awt.event.InputEvent.CTRL_MASK);
menuItem.setAccelerator(accel);
// setup global key accel
menuItem.getInputMap(JComponent.WHEN_ANCESTOR_OF_FOCUSED_COMPONENT)
.put(accel, mapObject);
menuItem.getActionMap().put(mapObject, cytoPanelAction);
}
/**
* Creates the menu bar and the various menus and submenus, but defers
* filling those menus with items until later.
*/
private void createMenuBar() {
menuBar = new CytoscapeMenuBar();
fileMenu = menuBar.getMenu("File");
final JMenu f_fileMenu = fileMenu;
fileMenu.addMenuListener(new MenuListener() {
public void menuCanceled(MenuEvent e) {
}
public void menuDeselected(MenuEvent e) {
}
public void menuSelected(MenuEvent e) {
CyNetworkView graphView = Cytoscape.getCurrentNetworkView();
CyNetwork graph = Cytoscape.getCurrentNetwork();
boolean inactive = false;
if (graphView == null || graphView.nodeCount() == 0)
inactive = true;
boolean networkExists = (graph != null);
MenuElement[] popup = f_fileMenu.getSubElements();
if (popup[0] instanceof JPopupMenu) {
MenuElement[] submenus = ((JPopupMenu) popup[0])
.getSubElements();
for (int i = 0; i < submenus.length; i++) {
if (submenus[i] instanceof JMenuItem) {
JMenuItem item = (JMenuItem) submenus[i];
if (item.getText().equals(ExportAction.MENU_LABEL)
|| item.getText().equals(
PrintAction.MENU_LABEL)) {
item.setEnabled(!inactive);
} else if (item.getText().equals("Save")) {
item.setEnabled(networkExists);
}
}
}
}
}
});
loadSubMenu = menuBar.getMenu("File.Load");
saveSubMenu = menuBar.getMenu("File.Save");
editMenu = menuBar.getMenu("Edit");
final JMenu f_editMenu = editMenu;
editMenu.addMenuListener(new MenuListener() {
public void menuCanceled(MenuEvent e) {
}
public void menuDeselected(MenuEvent e) {
}
public void menuSelected(MenuEvent e) {
CyNetworkView graphView = Cytoscape.getCurrentNetworkView();
boolean inactive = false;
if (graphView == null || graphView.nodeCount() == 0)
inactive = true;
MenuElement[] popup = f_editMenu.getSubElements();
if (popup[0] instanceof JPopupMenu) {
MenuElement[] submenus = ((JPopupMenu) popup[0])
.getSubElements();
for (int i = 0; i < submenus.length; i++) {
if (submenus[i] instanceof JMenuItem) {
JMenuItem item = (JMenuItem) submenus[i];
- if (!item.getText().equals(
- PreferenceAction.MENU_LABEL)) {
- if (inactive)
- item.setEnabled(false);
- else
- item.setEnabled(true);
+ if (inactive &&
+ item.getText().equals
+ ("Delete Selected Nodes/Edges")) {
+ item.setEnabled(false); }
+ else {
+ item.setEnabled(true);
}
}
}
}
}
});
//
// Data menu. disabled by default.
//
dataMenu = menuBar.getMenu("Data");
final JMenu f_dataMenu = dataMenu;
dataMenu.setEnabled(false);
dataMenu.addMenuListener(new MenuListener() {
public void menuCanceled(MenuEvent e) {
}
public void menuDeselected(MenuEvent e) {
}
public void menuSelected(MenuEvent e) {
// CyNetworkView graphView = Cytoscape.getCurrentNetworkView();
// boolean inactive = false;
// if (graphView == null || graphView.nodeCount() == 0) inactive
// = true;
// CyNetwork graph = Cytoscape.getCurrentNetwork();
// boolean inactive = false;
// if (graph == null || graph.getNodeCount() == 0)
// inactive = true;
// MenuElement[] popup = f_dataMenu.getSubElements();
// if (popup[0] instanceof JPopupMenu) {
// MenuElement[] submenus = ((JPopupMenu) popup[0])
// .getSubElements();
// for (int i = 0; i < submenus.length; i++) {
// if (submenus[i] instanceof JMenuItem) {
// if (inactive)
// ((JMenuItem) submenus[i]).setEnabled(false);
// else
// ((JMenuItem) submenus[i]).setEnabled(true);
// }
// }
// }
}
});
selectMenu = menuBar.getMenu("Select");
final JMenu f_selectMenu = selectMenu;
selectMenu.addMenuListener(new MenuListener() {
public void menuCanceled(MenuEvent e) {
}
public void menuDeselected(MenuEvent e) {
}
public void menuSelected(MenuEvent e) {
CyNetwork graph = Cytoscape.getCurrentNetwork();
boolean inactive = false;
if (graph == null || graph.getNodeCount() == 0)
inactive = true;
MenuElement[] popup = f_selectMenu.getSubElements();
if (popup[0] instanceof JPopupMenu) {
MenuElement[] submenus = ((JPopupMenu) popup[0])
.getSubElements();
for (int i = 0; i < submenus.length; i++) {
if (submenus[i] instanceof JMenuItem) {
if (inactive)
((JMenuItem) submenus[i]).setEnabled(false);
else
((JMenuItem) submenus[i]).setEnabled(true);
}
}
}
}
});
layoutMenu = menuBar.getMenu("Layout");
final JMenu f_layoutMenu = layoutMenu;
layoutMenu.addMenuListener(new MenuListener() {
public void menuCanceled(MenuEvent e) {
}
public void menuDeselected(MenuEvent e) {
}
public void menuSelected(MenuEvent e) {
CyNetworkView graphView = Cytoscape.getCurrentNetworkView();
boolean inactive = false;
if (graphView == null || graphView.nodeCount() == 0)
inactive = true;
MenuElement[] popup = f_layoutMenu.getSubElements();
if (popup[0] instanceof JPopupMenu) {
MenuElement[] submenus = ((JPopupMenu) popup[0])
.getSubElements();
for (int i = 0; i < submenus.length; i++) {
if (submenus[i] instanceof JMenuItem) {
if (inactive)
((JMenuItem) submenus[i]).setEnabled(false);
else
((JMenuItem) submenus[i]).setEnabled(true);
}
}
}
}
});
vizMenu = menuBar.getMenu("Visualization");
opsMenu = menuBar.getMenu("Plugins");
cytoPanelMenu = menuBar.getMenu("CytoPanels");
helpMenu = menuBar.getMenu("Help");
}
/**
* This method should be called by the creator of this object after the
* constructor has finished. It fills the previously created menu and tool
* bars with items and action listeners that respond when those items are
* activated. This needs to come after the constructor is done, because some
* of the listeners try to access this object in their constructors.
*
* Any calls to this method after the first will do nothing.
*/
public void initializeMenus() {
if (!menusInitialized) {
menusInitialized = true;
fillMenuBar();
fillToolBar();
nodesRequiredItemsEnabled = false;
saveButton.setEnabled(false);
saveSubMenu.setEnabled(false);
menuPrintAction.setEnabled(false);
menuExportAction.setEnabled(false);
displayNWSubMenu.setEnabled(false);
setNodesRequiredItemsEnabled();
}
}
/**
* Fills the previously created menu bar with a large number of items with
* attached action listener objects.
*/
private void fillMenuBar() {
// fill the Load submenu
addAction(new LoadGraphFileAction(this));
addAction(new LoadNodeAttributesAction());
addAction(new LoadEdgeAttributesAction());
addAction(new LoadExpressionMatrixAction());
addAction(new LoadBioDataServerAction());
// fill the Save submenu
addAction(new SaveAsGMLAction());
addAction(new SaveAsInteractionsAction());
addAction(new SaveNodeAttributesAction());
addAction(new SaveEdgeAttributesAction());
// Print Actions
menuPrintAction = new PrintAction();
menuExportAction = new ExportAction();
addAction(menuPrintAction);
addAction(menuExportAction);
// Exit
addAction(new ExitAction());
// fill the Edit menu
// TODO: make the Squiggle Stuff be better
editMenu.add(new SquiggleAction());
addAction(new CreateNetworkViewAction());
addAction(new DestroyNetworkViewAction());
addAction(new DestroyNetworkAction());
addAction(new DestroySelectedAction());
// add Preferences...
editMenu.add(new JSeparator());
addAction(new PreferenceAction());
// fill the Data menu --> moved to the browser plugin.
//addAction(new DisplayBrowserAction());
// addAction( new GraphObjectSelectionAction() );
// fill the Select menu
selectMenu.add(new SelectionModeAction());
displayNWSubMenu = menuBar.getMenu("Select.To New Network");
addAction(new InvertSelectedNodesAction());
addAction(new HideSelectedNodesAction());
addAction(new UnHideSelectedNodesAction());
addAction(new SelectAllNodesAction());
addAction(new DeSelectAllNodesAction());
addAction(new SelectFirstNeighborsAction());
addAction(new AlphabeticalSelectionAction());
addAction(new ListFromFileSelectionAction());
addAction(new InvertSelectedEdgesAction());
addAction(new HideSelectedEdgesAction());
addAction(new UnHideSelectedEdgesAction());
addAction(new SelectAllEdgesAction());
addAction(new DeSelectAllEdgesAction());
addAction(new NewWindowSelectedNodesOnlyAction());
addAction(new NewWindowSelectedNodesEdgesAction());
addAction(new CloneGraphInNewWindowAction());
addAction(new SelectAllAction());
addAction(new DeselectAllAction());
layoutMenu.add(new SpringEmbeddedLayoutMenu());
addAction(new RotationScaleLayoutAction());
layoutMenu.addSeparator();
// fill the Visualization menu
// TODO: move to a plugin, and/or fix
addAction(new BirdsEyeViewAction());
addAction(new BackgroundColorAction());
vizMenuItem = new JMenuItem(new SetVisualPropertiesAction());
vizMapperItem = new JMenuItem(new ToggleVisualMapperAction());
menuBar.getMenu("Visualization").add(vizMenuItem);
menuBar.getMenu("Visualization").add(vizMapperItem);
// Help menu
// use the usual *Action class for menu entries which have static
// actions
helpAboutMenuItem = new JMenuItem(new HelpAboutAction());
// for Contents and Context Sensitive help, don't use *Action class
// since actions encapsulated by HelpBroker and need run-time data
helpContentsMenuItem = new JMenuItem("Contents...", KeyEvent.VK_C);
helpContentsMenuItem.setAccelerator(KeyStroke.getKeyStroke("F1"));
ImageIcon contextSensitiveHelpIcon = new ImageIcon(
"images/contextSensitiveHelp.gif");
helpContextSensitiveMenuItem = new JMenuItem("Context Sensitive...",
contextSensitiveHelpIcon);
helpContextSensitiveMenuItem.setAccelerator(KeyStroke
.getKeyStroke("shift F1"));
helpMenu.add(helpContentsMenuItem);
helpMenu.add(helpContextSensitiveMenuItem);
helpMenu.addSeparator();
helpMenu.add(helpAboutMenuItem);
}
/**
* Fills the toolbar for easy access to commonly used actions.
*/
private void fillToolBar() {
loadButton = toolBar.add(new LoadGraphFileAction(this, false));
loadButton.setIcon(new ImageIcon(getClass().getResource(
"images/new/load36.gif")));
loadButton.setToolTipText("Load Network");
loadButton.setBorderPainted(false);
loadButton.setRolloverEnabled(true);
saveButton = toolBar.add(new SaveAsGMLAction(false));
saveButton.setIcon(new ImageIcon(getClass().getResource(
"images/new/save36.gif")));
saveButton.setToolTipText("Save Network as GML");
saveButton.setBorderPainted(false);
saveButton.setRolloverEnabled(true);
saveButton.setEnabled(false);
toolBar.addSeparator();
final ZoomAction zoom_in = new ZoomAction(1.1);
zoomInButton = new JButton();
zoomInButton.setIcon(new ImageIcon(getClass().getResource(
"images/new/zoom_in36.gif")));
zoomInButton.setToolTipText("Zoom In");
zoomInButton.setBorderPainted(false);
zoomInButton.setRolloverEnabled(true);
zoomInButton.addMouseListener(new MouseListener() {
public void mouseClicked(MouseEvent e) {
zoom_in.zoom();
}
public void mouseEntered(MouseEvent e) {
}
public void mouseExited(MouseEvent e) {
}
public void mousePressed(MouseEvent e) {
zoomInButton.setSelected(true);
}
public void mouseReleased(MouseEvent e) {
zoomInButton.setSelected(false);
}
});
final ZoomAction zoom_out = new ZoomAction(0.9);
zoomOutButton = new JButton();
zoomOutButton.setIcon(new ImageIcon(getClass().getResource(
"images/new/zoom_out36.gif")));
zoomOutButton.setToolTipText("Zoom Out");
zoomOutButton.setBorderPainted(false);
zoomOutButton.setRolloverEnabled(true);
zoomOutButton.addMouseListener(new MouseListener() {
public void mouseClicked(MouseEvent e) {
zoom_out.zoom();
}
public void mouseEntered(MouseEvent e) {
}
public void mouseExited(MouseEvent e) {
}
public void mousePressed(MouseEvent e) {
zoomOutButton.setSelected(true);
}
public void mouseReleased(MouseEvent e) {
zoomOutButton.setSelected(false);
}
});
zoomOutButton.addMouseWheelListener(new MouseWheelListener() {
public void mouseWheelMoved(MouseWheelEvent e) {
if (e.getWheelRotation() < 0) {
zoom_in.zoom();
} else {
zoom_out.zoom();
}
}
});
zoomInButton.addMouseWheelListener(new MouseWheelListener() {
public void mouseWheelMoved(MouseWheelEvent e) {
if (e.getWheelRotation() < 0) {
zoom_in.zoom();
} else {
zoom_out.zoom();
}
}
});
toolBar.add(zoomOutButton);
toolBar.add(zoomInButton);
zoomSelectedButton = toolBar.add(new ZoomSelectedAction());
zoomSelectedButton.setIcon(new ImageIcon(getClass().getResource(
"images/new/crop36.gif")));
zoomSelectedButton.setToolTipText("Zoom Selected Region");
zoomSelectedButton.setBorderPainted(false);
zoomDisplayAllButton = toolBar.add(new FitContentAction());
zoomDisplayAllButton.setIcon(new ImageIcon(getClass().getResource(
"images/new/fit36.gif")));
zoomDisplayAllButton
.setToolTipText("Zoom out to display all of current Network");
zoomDisplayAllButton.setBorderPainted(false);
// toolBar.addSeparator();
showAllButton = toolBar.add(new ShowAllAction());
showAllButton.setIcon(new ImageIcon(getClass().getResource(
"images/new/add36.gif")));
showAllButton
.setToolTipText("Show all Nodes and Edges (unhiding as necessary)");
showAllButton.setBorderPainted(false);
hideSelectedButton = toolBar.add(new HideSelectedAction(false));
hideSelectedButton.setIcon(new ImageIcon(getClass().getResource(
"images/new/delete36.gif")));
hideSelectedButton.setToolTipText("Hide Selected Region");
hideSelectedButton.setBorderPainted(false);
toolBar.addSeparator();
annotationButton = toolBar.add(new AnnotationGui());
annotationButton.setIcon(new ImageIcon(getClass().getResource(
"images/new/ontology36.gif")));
annotationButton.setToolTipText("Add Annotation Ontology to Nodes");
annotationButton.setBorderPainted(false);
toolBar.addSeparator();
vizButton = toolBar.add(new SetVisualPropertiesAction(false));
vizButton.setIcon(new ImageIcon(getClass().getResource(
"images/new/color_wheel36.gif")));
vizButton.setToolTipText("Set Visual Style");
vizButton.setBorderPainted(false);
}// createToolBar
/**
* Register the help set and help broker with the various components
*/
void initializeHelp(HelpBroker hb) {
hb.enableHelp(helpContentsMenuItem, "intro", null);
helpContentsMenuItem
.addActionListener(new CSH.DisplayHelpFromSource(hb));
helpContextSensitiveMenuItem
.addActionListener(new CSH.DisplayHelpAfterTracking(hb));
// add Help support for toolbar
hb.enableHelp(toolBar, "toolbar", null);
// add Help support for toolbar buttons
hb.enableHelp(loadButton, "toolbar-load", null);
hb.enableHelp(saveButton, "toolbar-load", null);
hb.enableHelp(zoomInButton, "toolbar-zoom", null);
hb.enableHelp(zoomOutButton, "toolbar-zoom", null);
hb.enableHelp(zoomSelectedButton, "toolbar-zoom", null);
hb.enableHelp(zoomDisplayAllButton, "toolbar-zoom", null);
hb.enableHelp(showAllButton, "toolbar-hide", null);
hb.enableHelp(hideSelectedButton, "toolbar-hide", null);
hb.enableHelp(annotationButton, "toolbar-annotate", null);
hb.enableHelp(vizButton, "toolbar-setVisProps", null);
// add Help support for visual properties combo box created elsewhere
// but in this toolbar
/*
* MDA - can't get this to work... can't get access to public method?
* VizMapUI vizMapUI = Cytoscape.getDesktop().getVizMapUI();
* hb.enableHelp(vizMapUI.getToolbarComboBox(),
* "toolbar-setVisProps",null);
*/
}
}
| true | true | private void createMenuBar() {
menuBar = new CytoscapeMenuBar();
fileMenu = menuBar.getMenu("File");
final JMenu f_fileMenu = fileMenu;
fileMenu.addMenuListener(new MenuListener() {
public void menuCanceled(MenuEvent e) {
}
public void menuDeselected(MenuEvent e) {
}
public void menuSelected(MenuEvent e) {
CyNetworkView graphView = Cytoscape.getCurrentNetworkView();
CyNetwork graph = Cytoscape.getCurrentNetwork();
boolean inactive = false;
if (graphView == null || graphView.nodeCount() == 0)
inactive = true;
boolean networkExists = (graph != null);
MenuElement[] popup = f_fileMenu.getSubElements();
if (popup[0] instanceof JPopupMenu) {
MenuElement[] submenus = ((JPopupMenu) popup[0])
.getSubElements();
for (int i = 0; i < submenus.length; i++) {
if (submenus[i] instanceof JMenuItem) {
JMenuItem item = (JMenuItem) submenus[i];
if (item.getText().equals(ExportAction.MENU_LABEL)
|| item.getText().equals(
PrintAction.MENU_LABEL)) {
item.setEnabled(!inactive);
} else if (item.getText().equals("Save")) {
item.setEnabled(networkExists);
}
}
}
}
}
});
loadSubMenu = menuBar.getMenu("File.Load");
saveSubMenu = menuBar.getMenu("File.Save");
editMenu = menuBar.getMenu("Edit");
final JMenu f_editMenu = editMenu;
editMenu.addMenuListener(new MenuListener() {
public void menuCanceled(MenuEvent e) {
}
public void menuDeselected(MenuEvent e) {
}
public void menuSelected(MenuEvent e) {
CyNetworkView graphView = Cytoscape.getCurrentNetworkView();
boolean inactive = false;
if (graphView == null || graphView.nodeCount() == 0)
inactive = true;
MenuElement[] popup = f_editMenu.getSubElements();
if (popup[0] instanceof JPopupMenu) {
MenuElement[] submenus = ((JPopupMenu) popup[0])
.getSubElements();
for (int i = 0; i < submenus.length; i++) {
if (submenus[i] instanceof JMenuItem) {
JMenuItem item = (JMenuItem) submenus[i];
if (!item.getText().equals(
PreferenceAction.MENU_LABEL)) {
if (inactive)
item.setEnabled(false);
else
item.setEnabled(true);
}
}
}
}
}
});
//
// Data menu. disabled by default.
//
dataMenu = menuBar.getMenu("Data");
final JMenu f_dataMenu = dataMenu;
dataMenu.setEnabled(false);
dataMenu.addMenuListener(new MenuListener() {
public void menuCanceled(MenuEvent e) {
}
public void menuDeselected(MenuEvent e) {
}
public void menuSelected(MenuEvent e) {
// CyNetworkView graphView = Cytoscape.getCurrentNetworkView();
// boolean inactive = false;
// if (graphView == null || graphView.nodeCount() == 0) inactive
// = true;
// CyNetwork graph = Cytoscape.getCurrentNetwork();
// boolean inactive = false;
// if (graph == null || graph.getNodeCount() == 0)
// inactive = true;
// MenuElement[] popup = f_dataMenu.getSubElements();
// if (popup[0] instanceof JPopupMenu) {
// MenuElement[] submenus = ((JPopupMenu) popup[0])
// .getSubElements();
// for (int i = 0; i < submenus.length; i++) {
// if (submenus[i] instanceof JMenuItem) {
// if (inactive)
// ((JMenuItem) submenus[i]).setEnabled(false);
// else
// ((JMenuItem) submenus[i]).setEnabled(true);
// }
// }
// }
}
});
selectMenu = menuBar.getMenu("Select");
final JMenu f_selectMenu = selectMenu;
selectMenu.addMenuListener(new MenuListener() {
public void menuCanceled(MenuEvent e) {
}
public void menuDeselected(MenuEvent e) {
}
public void menuSelected(MenuEvent e) {
CyNetwork graph = Cytoscape.getCurrentNetwork();
boolean inactive = false;
if (graph == null || graph.getNodeCount() == 0)
inactive = true;
MenuElement[] popup = f_selectMenu.getSubElements();
if (popup[0] instanceof JPopupMenu) {
MenuElement[] submenus = ((JPopupMenu) popup[0])
.getSubElements();
for (int i = 0; i < submenus.length; i++) {
if (submenus[i] instanceof JMenuItem) {
if (inactive)
((JMenuItem) submenus[i]).setEnabled(false);
else
((JMenuItem) submenus[i]).setEnabled(true);
}
}
}
}
});
layoutMenu = menuBar.getMenu("Layout");
final JMenu f_layoutMenu = layoutMenu;
layoutMenu.addMenuListener(new MenuListener() {
public void menuCanceled(MenuEvent e) {
}
public void menuDeselected(MenuEvent e) {
}
public void menuSelected(MenuEvent e) {
CyNetworkView graphView = Cytoscape.getCurrentNetworkView();
boolean inactive = false;
if (graphView == null || graphView.nodeCount() == 0)
inactive = true;
MenuElement[] popup = f_layoutMenu.getSubElements();
if (popup[0] instanceof JPopupMenu) {
MenuElement[] submenus = ((JPopupMenu) popup[0])
.getSubElements();
for (int i = 0; i < submenus.length; i++) {
if (submenus[i] instanceof JMenuItem) {
if (inactive)
((JMenuItem) submenus[i]).setEnabled(false);
else
((JMenuItem) submenus[i]).setEnabled(true);
}
}
}
}
});
vizMenu = menuBar.getMenu("Visualization");
opsMenu = menuBar.getMenu("Plugins");
cytoPanelMenu = menuBar.getMenu("CytoPanels");
helpMenu = menuBar.getMenu("Help");
}
| private void createMenuBar() {
menuBar = new CytoscapeMenuBar();
fileMenu = menuBar.getMenu("File");
final JMenu f_fileMenu = fileMenu;
fileMenu.addMenuListener(new MenuListener() {
public void menuCanceled(MenuEvent e) {
}
public void menuDeselected(MenuEvent e) {
}
public void menuSelected(MenuEvent e) {
CyNetworkView graphView = Cytoscape.getCurrentNetworkView();
CyNetwork graph = Cytoscape.getCurrentNetwork();
boolean inactive = false;
if (graphView == null || graphView.nodeCount() == 0)
inactive = true;
boolean networkExists = (graph != null);
MenuElement[] popup = f_fileMenu.getSubElements();
if (popup[0] instanceof JPopupMenu) {
MenuElement[] submenus = ((JPopupMenu) popup[0])
.getSubElements();
for (int i = 0; i < submenus.length; i++) {
if (submenus[i] instanceof JMenuItem) {
JMenuItem item = (JMenuItem) submenus[i];
if (item.getText().equals(ExportAction.MENU_LABEL)
|| item.getText().equals(
PrintAction.MENU_LABEL)) {
item.setEnabled(!inactive);
} else if (item.getText().equals("Save")) {
item.setEnabled(networkExists);
}
}
}
}
}
});
loadSubMenu = menuBar.getMenu("File.Load");
saveSubMenu = menuBar.getMenu("File.Save");
editMenu = menuBar.getMenu("Edit");
final JMenu f_editMenu = editMenu;
editMenu.addMenuListener(new MenuListener() {
public void menuCanceled(MenuEvent e) {
}
public void menuDeselected(MenuEvent e) {
}
public void menuSelected(MenuEvent e) {
CyNetworkView graphView = Cytoscape.getCurrentNetworkView();
boolean inactive = false;
if (graphView == null || graphView.nodeCount() == 0)
inactive = true;
MenuElement[] popup = f_editMenu.getSubElements();
if (popup[0] instanceof JPopupMenu) {
MenuElement[] submenus = ((JPopupMenu) popup[0])
.getSubElements();
for (int i = 0; i < submenus.length; i++) {
if (submenus[i] instanceof JMenuItem) {
JMenuItem item = (JMenuItem) submenus[i];
if (inactive &&
item.getText().equals
("Delete Selected Nodes/Edges")) {
item.setEnabled(false); }
else {
item.setEnabled(true);
}
}
}
}
}
});
//
// Data menu. disabled by default.
//
dataMenu = menuBar.getMenu("Data");
final JMenu f_dataMenu = dataMenu;
dataMenu.setEnabled(false);
dataMenu.addMenuListener(new MenuListener() {
public void menuCanceled(MenuEvent e) {
}
public void menuDeselected(MenuEvent e) {
}
public void menuSelected(MenuEvent e) {
// CyNetworkView graphView = Cytoscape.getCurrentNetworkView();
// boolean inactive = false;
// if (graphView == null || graphView.nodeCount() == 0) inactive
// = true;
// CyNetwork graph = Cytoscape.getCurrentNetwork();
// boolean inactive = false;
// if (graph == null || graph.getNodeCount() == 0)
// inactive = true;
// MenuElement[] popup = f_dataMenu.getSubElements();
// if (popup[0] instanceof JPopupMenu) {
// MenuElement[] submenus = ((JPopupMenu) popup[0])
// .getSubElements();
// for (int i = 0; i < submenus.length; i++) {
// if (submenus[i] instanceof JMenuItem) {
// if (inactive)
// ((JMenuItem) submenus[i]).setEnabled(false);
// else
// ((JMenuItem) submenus[i]).setEnabled(true);
// }
// }
// }
}
});
selectMenu = menuBar.getMenu("Select");
final JMenu f_selectMenu = selectMenu;
selectMenu.addMenuListener(new MenuListener() {
public void menuCanceled(MenuEvent e) {
}
public void menuDeselected(MenuEvent e) {
}
public void menuSelected(MenuEvent e) {
CyNetwork graph = Cytoscape.getCurrentNetwork();
boolean inactive = false;
if (graph == null || graph.getNodeCount() == 0)
inactive = true;
MenuElement[] popup = f_selectMenu.getSubElements();
if (popup[0] instanceof JPopupMenu) {
MenuElement[] submenus = ((JPopupMenu) popup[0])
.getSubElements();
for (int i = 0; i < submenus.length; i++) {
if (submenus[i] instanceof JMenuItem) {
if (inactive)
((JMenuItem) submenus[i]).setEnabled(false);
else
((JMenuItem) submenus[i]).setEnabled(true);
}
}
}
}
});
layoutMenu = menuBar.getMenu("Layout");
final JMenu f_layoutMenu = layoutMenu;
layoutMenu.addMenuListener(new MenuListener() {
public void menuCanceled(MenuEvent e) {
}
public void menuDeselected(MenuEvent e) {
}
public void menuSelected(MenuEvent e) {
CyNetworkView graphView = Cytoscape.getCurrentNetworkView();
boolean inactive = false;
if (graphView == null || graphView.nodeCount() == 0)
inactive = true;
MenuElement[] popup = f_layoutMenu.getSubElements();
if (popup[0] instanceof JPopupMenu) {
MenuElement[] submenus = ((JPopupMenu) popup[0])
.getSubElements();
for (int i = 0; i < submenus.length; i++) {
if (submenus[i] instanceof JMenuItem) {
if (inactive)
((JMenuItem) submenus[i]).setEnabled(false);
else
((JMenuItem) submenus[i]).setEnabled(true);
}
}
}
}
});
vizMenu = menuBar.getMenu("Visualization");
opsMenu = menuBar.getMenu("Plugins");
cytoPanelMenu = menuBar.getMenu("CytoPanels");
helpMenu = menuBar.getMenu("Help");
}
|
diff --git a/src/controllers/NewsController.java b/src/controllers/NewsController.java
index df0ebe7..974dba1 100644
--- a/src/controllers/NewsController.java
+++ b/src/controllers/NewsController.java
@@ -1,155 +1,155 @@
package controllers;
import java.util.Date;
import javax.servlet.http.HttpServletRequest;
import org.nutz.dao.Cnd;
import org.nutz.dao.Dao;
import org.nutz.lang.Lang;
import org.nutz.lang.Strings;
import org.nutz.lang.util.Context;
import org.nutz.mvc.annotation.Ok;
import org.nutz.mvc.annotation.Param;
import utils.CV;
import utils.PluginUtil;
import utils.form.PageForm;
import domains.Comment;
import domains.News;
public class NewsController {
@Ok(">>:/news/list")
public void index(){
}
/**
* params: offset,max
* @return
*/
public Object list(@Param("offset")int offset ,@Param("max") int max ) {
PageForm<News> pf = PageForm.getPaper(dao, News.class,Cnd.orderBy().desc("id"),null, offset, max);
for(News news : pf.getResults()){
dao.fetchLinks(news, "tags");
dao.fetchLinks(news, "categorys");
}
Context ctx = Lang.context();
ctx.set("obj", pf);
PluginUtil.getAllCount(dao,ctx);
return ctx;
}
/**
* params: offset,max,tag
* @return
*/
public Object listByTag(@Param("offset")int offset , @Param("max")int max,@Param("id")int id) {
if(id == 0){
return CV.redirect("/news/list","标签不能为空");
}
PageForm<News> pf = PageForm.getPaper(dao, News.class,Cnd.format("id in (select news_id from t_news_tag where tag_id = %d) order by id desc",id ),Cnd.format("id in (select news_id from t_news_tag where tag_id = %d)",id ), offset, max);
for(News news : pf.getResults()){
dao.fetchLinks(news, "tags");
dao.fetchLinks(news, "categorys");
}
Context ctx = Lang.context();
ctx.set("obj", pf);
ctx.set("tagId", id);
PluginUtil.getAllCount(dao,ctx);
return ctx;
}
/**
* params: offset,max,tag
* @return
*/
public Object listByMonth(@Param("offset")int offset ,@Param("max")int max,@Param("month")String month) {
if(Strings.isEmpty(month)){
return CV.redirect("/news/list","日期归档不能为空");
}
PageForm<News> pf = PageForm.getPaper(dao, News.class,Cnd.where("concat(year(create_time),'-',month(create_time))","=", month).desc("id"),Cnd.where("concat(year(create_time),'-',month(create_time))","=", month), offset, max);
for(News news : pf.getResults()){
dao.fetchLinks(news, "tags");
dao.fetchLinks(news, "categorys");
}
Context ctx = Lang.context();
ctx.set("obj", pf);
ctx.set("month", month);
PluginUtil.getAllCount(dao,ctx);
return ctx;
}
/**
* params: offset,max,category
* @return
*/
public Object listByCategory(@Param("offset")int offset , @Param("max")int max,@Param("id")int id) {
if(id == 0){
return CV.redirect("/news/list","分类不能为空");
}
PageForm<News> pf = PageForm.getPaper(dao, News.class,Cnd.format("id in (select news_id from t_news_tag where category_id = %d) order by id desc",id ),Cnd.format("id in (select news_id from t_news_tag where tag_id = %d)",id ), offset, max);
for(News news : pf.getResults()){
dao.fetchLinks(news, "tags");
dao.fetchLinks(news, "categorys");
}
Context ctx = Lang.context();
ctx.set("obj", pf);
ctx.set("catId", id);
PluginUtil.getAllCount(dao,ctx);
return ctx;
}
/**
* params: offset,max,keyword
* @return
*/
public Object search(@Param("offset")int offset , @Param("max")int max,@Param("p")String p) {
if(Strings.isEmpty(p)){
return CV.redirect("/news/list","搜索字段不能为空");
}
PageForm<News> pf = PageForm.getPaper(dao, News.class,Cnd.where("title","like","%"+p+"%").or("content", "like", "%"+p+"%").desc("id"),Cnd.where("title","like","%"+p+"%").or("content", "like", "%"+p+"%"), offset, max);
for(News news : pf.getResults()){
dao.fetchLinks(news, "tags");
dao.fetchLinks(news, "categorys");
}
Context ctx = Lang.context();
ctx.set("obj", pf);
ctx.set("p", p);
PluginUtil.getAllCount(dao,ctx);
return ctx;
}
public Object show(@Param("id")long id){
News news = dao.fetch(News.class,id);
if(news == null){
return CV.redirect("/news/list", "此文章不存在");
}else{
dao.fetchLinks(news, null);
Context ctx = Lang.context();
ctx.set("obj", news);
PluginUtil.getAllCount(dao, ctx);
return ctx;
}
}
@Ok("raw")
public Object saveComment(HttpServletRequest req,@Param("username")String username,@Param("code")String code,@Param("content")String content,@Param("newsId")long newsId){
if(Strings.isEmpty(username)){
username = req.getRemoteHost();
}
if(Strings.isEmpty(code)){
- return "{result:false,msg:'暗号不能为空'}";
+ return "{\"result\":false,\"msg\":\"暗号不能为空\"}";
}
if(newsId ==0){
- return "{result:false,msg:'你丫干毛呢'}";
+ return "{\"result\":false,\"msg\":\"你丫干毛呢\"}";
}
if(! "宝塔镇河妖".equals(code)){
- return "{result:false,msg:'真笨,暗号都猜不对'}";
+ return "{\"result\":false,\"msg\":\"真笨,暗号都猜不对\"}";
}
Comment comment = new Comment();
comment.setUsername(username);
comment.setCreateTime(new Date());
comment.setNewsId(newsId);
comment.setContent(content);
dao.insert(comment);
- return "{result:true,msg:'评论插入成功'}";
+ return "{\"result\":true,\"msg\":\"评论插入成功\"}";
}
private Dao dao;
public void setDao(Dao dao){
this.dao = dao;
}
}
| false | true | public Object saveComment(HttpServletRequest req,@Param("username")String username,@Param("code")String code,@Param("content")String content,@Param("newsId")long newsId){
if(Strings.isEmpty(username)){
username = req.getRemoteHost();
}
if(Strings.isEmpty(code)){
return "{result:false,msg:'暗号不能为空'}";
}
if(newsId ==0){
return "{result:false,msg:'你丫干毛呢'}";
}
if(! "宝塔镇河妖".equals(code)){
return "{result:false,msg:'真笨,暗号都猜不对'}";
}
Comment comment = new Comment();
comment.setUsername(username);
comment.setCreateTime(new Date());
comment.setNewsId(newsId);
comment.setContent(content);
dao.insert(comment);
return "{result:true,msg:'评论插入成功'}";
}
| public Object saveComment(HttpServletRequest req,@Param("username")String username,@Param("code")String code,@Param("content")String content,@Param("newsId")long newsId){
if(Strings.isEmpty(username)){
username = req.getRemoteHost();
}
if(Strings.isEmpty(code)){
return "{\"result\":false,\"msg\":\"暗号不能为空\"}";
}
if(newsId ==0){
return "{\"result\":false,\"msg\":\"你丫干毛呢\"}";
}
if(! "宝塔镇河妖".equals(code)){
return "{\"result\":false,\"msg\":\"真笨,暗号都猜不对\"}";
}
Comment comment = new Comment();
comment.setUsername(username);
comment.setCreateTime(new Date());
comment.setNewsId(newsId);
comment.setContent(content);
dao.insert(comment);
return "{\"result\":true,\"msg\":\"评论插入成功\"}";
}
|
diff --git a/src/com/tzapps/tzpalette/ui/PaletteListFragment.java b/src/com/tzapps/tzpalette/ui/PaletteListFragment.java
index a1f3baf..202180d 100644
--- a/src/com/tzapps/tzpalette/ui/PaletteListFragment.java
+++ b/src/com/tzapps/tzpalette/ui/PaletteListFragment.java
@@ -1,283 +1,287 @@
package com.tzapps.tzpalette.ui;
import java.lang.ref.WeakReference;
import java.util.ArrayList;
import java.util.List;
import android.app.Activity;
import android.content.Context;
import android.graphics.Bitmap;
import android.os.AsyncTask;
import android.os.Bundle;
import android.text.format.DateUtils;
import android.util.Log;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.view.animation.Animation;
import android.view.animation.AnimationUtils;
import android.widget.AdapterView;
import android.widget.AdapterView.OnItemClickListener;
import android.widget.AdapterView.OnItemLongClickListener;
import android.widget.ArrayAdapter;
import android.widget.ImageView;
import android.widget.TextView;
import com.tzapps.common.ui.BaseListFragment;
import com.tzapps.tzpalette.R;
import com.tzapps.tzpalette.data.PaletteData;
import com.tzapps.tzpalette.data.PaletteDataHelper;
import com.tzapps.tzpalette.data.PaletteDataComparator;
public class PaletteListFragment extends BaseListFragment implements OnItemClickListener, OnItemLongClickListener
{
private static final String TAG = "PaletteListFragment";
private PaletteDataAdapter<PaletteData> mAdapter;
private OnClickPaletteItemListener mCallback;
public interface OnClickPaletteItemListener
{
void onPaletteItemClick(int position, long dataId, PaletteData data);
void onPaletteItemLongClick(int position, long dataId, PaletteData data);
}
@Override
public void onAttach(Activity activity)
{
super.onAttach(activity);
// This makes sure the container activity has implemented
// the callback interface. If not, it throws an exception
try
{
mCallback = (OnClickPaletteItemListener) activity;
}
catch (ClassCastException e)
{
throw new ClassCastException(activity.toString()
+ " must implement OnClickPaletteItemListener");
}
List<PaletteData> items = new ArrayList<PaletteData>();
if (mAdapter == null)
mAdapter = new PaletteDataAdapter<PaletteData>(activity,
R.layout.palette_list_view_item, items);
}
@Override
public void onActivityCreated(Bundle savedInstanceState)
{
super.onActivityCreated(savedInstanceState);
setListAdapter(mAdapter);
}
public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState)
{
super.onCreateView(inflater, container, savedInstanceState);
// Inflate the layout for this fragment
View view = inflater.inflate(R.layout.palette_list_view, container, false);
return view;
}
public void onViewCreated(View view, Bundle savedInstanceState)
{
super.onViewCreated(view, savedInstanceState);
getListView().setOnItemClickListener(this);
getListView().setOnItemLongClickListener(this);
}
@Override
public void onItemClick(AdapterView<?> parent, View view, int position, long id)
{
PaletteData data = mAdapter.getItem(position);
mCallback.onPaletteItemClick(position, data.getId(), data);
}
@Override
public boolean onItemLongClick(AdapterView<?> parent, View view, int position, long id)
{
PaletteData data = mAdapter.getItem(position);
mCallback.onPaletteItemLongClick(position, data.getId(), data);
return true;
}
public void refresh()
{
mAdapter.sort(new PaletteDataComparator.UpdatedTime());
mAdapter.notifyDataSetChanged();
}
public void removeAll()
{
mAdapter.clear();
}
public void addAll(List<PaletteData> dataList)
{
mAdapter.addAll(dataList);
}
public void add(PaletteData data)
{
mAdapter.add(data);
Log.d(TAG, "palette data " + data.getId() + " added");
mAdapter.sort(new PaletteDataComparator.UpdatedTime());
mAdapter.notifyDataSetChanged();
}
public void remove(PaletteData data)
{
for (int i = 0; i < mAdapter.getCount(); i++)
{
PaletteData d = mAdapter.getItem(i);
if (d.getId() == data.getId())
{
mAdapter.remove(d);
break;
}
}
Log.d(TAG, "palette data " + data.getId() + " removed");
mAdapter.notifyDataSetChanged();
}
public void update(PaletteData data)
{
for (int i = 0; i < mAdapter.getCount(); i++)
{
PaletteData d = mAdapter.getItem(i);
if (d.getId() == data.getId())
{
d.copy(data);
break;
}
}
mAdapter.sort(new PaletteDataComparator.UpdatedTime());
mAdapter.notifyDataSetChanged();
}
public PaletteData getItem(int position)
{
return mAdapter.getItem(position);
}
public class PaletteDataAdapter<T> extends ArrayAdapter<T>
{
private Context mContext;
public PaletteDataAdapter(Context context, int resource, List<T> objects)
{
super(context, resource, objects);
mContext = context;
}
@Override
public View getView(int position, View convertView, ViewGroup parent)
{
View itemView = convertView;
PaletteData data = (PaletteData) getItem(position);
LayoutInflater inflater = (LayoutInflater) mContext
.getSystemService(Context.LAYOUT_INFLATER_SERVICE);
if (itemView == null)
{
itemView = inflater.inflate(R.layout.palette_list_view_item, parent, false);
}
/*
* TODO: currently we will update/refresh all palette data in the visible range
* when notifyDataSetChanged() is called. Which is inefficient and causes
* the incorrect flash fade in/out effect on the existing palette item. So the
* following updateViewByData() needs to modify/refine to fix this issue
* later, it needs to have some kind of flag to check whether the current
* palette data matches the current palette item and refresh it if necessary...
*/
updateViewByData(itemView, data, position);
return itemView;
}
private void updateViewByData(View itemView, PaletteData data, int position)
{
ImageView thumb = (ImageView)itemView.findViewById(R.id.palette_item_thumb);
TextView title = (TextView)itemView.findViewById(R.id.palette_item_title);
TextView updated = (TextView)itemView.findViewById(R.id.palette_item_updated);
PaletteColorGrid colors = (PaletteColorGrid)itemView.findViewById(R.id.palette_item_colors);
ImageView options = (ImageView)itemView.findViewById(R.id.palette_item_options);
/* set PaletteData id and position info into the options button, so that
* we could retrieve it when we need to do perform operations on the palette item
*/
options.setTag(R.id.TAG_PALETTE_ITEM_POSITION, position);
options.setTag(R.id.TAG_PALETTE_DATA_ID, data.getId());
if (data.getTitle() != null)
title.setText(data.getTitle());
else
title.setText(mContext.getResources().getString(R.string.palette_title_default));
String dateStr = DateUtils.formatDateTime(mContext, data.getUpdated(), DateUtils.FORMAT_SHOW_TIME |
DateUtils.FORMAT_SHOW_DATE |
DateUtils.FORMAT_NUMERIC_DATE);
updated.setText(dateStr);
//disable the colors grid to make it not clickable
colors.setColors(data.getColors());
colors.setFocusable(false);
colors.setEnabled(false);
- // clean up the current thumb and reload it in thumb update task
- thumb.setImageBitmap(null);
- new PaletteThumbUpdateTask(mContext, thumb).execute(data);
+ if (!data.getImageUrl().equals((String)thumb.getTag()))
+ {
+ // clean up the current thumb and reload it in thumb update task
+ thumb.setImageBitmap(null);
+ thumb.setTag(data.getImageUrl());
+ new PaletteThumbUpdateTask(mContext, thumb).execute(data);
+ }
}
}
class PaletteThumbUpdateTask extends AsyncTask<PaletteData, Void, Bitmap>
{
private Context mContext;
private final WeakReference<ImageView> imageViewRef;
public PaletteThumbUpdateTask(Context context, ImageView imageView)
{
mContext = context;
imageViewRef = new WeakReference<ImageView>(imageView);
}
@Override
protected Bitmap doInBackground(PaletteData...dataArray)
{
PaletteData data = dataArray[0];
return PaletteDataHelper.getInstance(mContext).getThumb(data.getId());
}
@Override
protected void onPostExecute(Bitmap bitmap)
{
if (imageViewRef != null)
{
ImageView imageView = imageViewRef.get();
if (imageView != null)
{
imageView.setImageBitmap(bitmap);
Animation fadeInAnim = AnimationUtils.loadAnimation(mContext, R.anim.fade_in_anim);
imageView.startAnimation(fadeInAnim);
}
}
}
}
}
| true | true | private void updateViewByData(View itemView, PaletteData data, int position)
{
ImageView thumb = (ImageView)itemView.findViewById(R.id.palette_item_thumb);
TextView title = (TextView)itemView.findViewById(R.id.palette_item_title);
TextView updated = (TextView)itemView.findViewById(R.id.palette_item_updated);
PaletteColorGrid colors = (PaletteColorGrid)itemView.findViewById(R.id.palette_item_colors);
ImageView options = (ImageView)itemView.findViewById(R.id.palette_item_options);
/* set PaletteData id and position info into the options button, so that
* we could retrieve it when we need to do perform operations on the palette item
*/
options.setTag(R.id.TAG_PALETTE_ITEM_POSITION, position);
options.setTag(R.id.TAG_PALETTE_DATA_ID, data.getId());
if (data.getTitle() != null)
title.setText(data.getTitle());
else
title.setText(mContext.getResources().getString(R.string.palette_title_default));
String dateStr = DateUtils.formatDateTime(mContext, data.getUpdated(), DateUtils.FORMAT_SHOW_TIME |
DateUtils.FORMAT_SHOW_DATE |
DateUtils.FORMAT_NUMERIC_DATE);
updated.setText(dateStr);
//disable the colors grid to make it not clickable
colors.setColors(data.getColors());
colors.setFocusable(false);
colors.setEnabled(false);
// clean up the current thumb and reload it in thumb update task
thumb.setImageBitmap(null);
new PaletteThumbUpdateTask(mContext, thumb).execute(data);
}
| private void updateViewByData(View itemView, PaletteData data, int position)
{
ImageView thumb = (ImageView)itemView.findViewById(R.id.palette_item_thumb);
TextView title = (TextView)itemView.findViewById(R.id.palette_item_title);
TextView updated = (TextView)itemView.findViewById(R.id.palette_item_updated);
PaletteColorGrid colors = (PaletteColorGrid)itemView.findViewById(R.id.palette_item_colors);
ImageView options = (ImageView)itemView.findViewById(R.id.palette_item_options);
/* set PaletteData id and position info into the options button, so that
* we could retrieve it when we need to do perform operations on the palette item
*/
options.setTag(R.id.TAG_PALETTE_ITEM_POSITION, position);
options.setTag(R.id.TAG_PALETTE_DATA_ID, data.getId());
if (data.getTitle() != null)
title.setText(data.getTitle());
else
title.setText(mContext.getResources().getString(R.string.palette_title_default));
String dateStr = DateUtils.formatDateTime(mContext, data.getUpdated(), DateUtils.FORMAT_SHOW_TIME |
DateUtils.FORMAT_SHOW_DATE |
DateUtils.FORMAT_NUMERIC_DATE);
updated.setText(dateStr);
//disable the colors grid to make it not clickable
colors.setColors(data.getColors());
colors.setFocusable(false);
colors.setEnabled(false);
if (!data.getImageUrl().equals((String)thumb.getTag()))
{
// clean up the current thumb and reload it in thumb update task
thumb.setImageBitmap(null);
thumb.setTag(data.getImageUrl());
new PaletteThumbUpdateTask(mContext, thumb).execute(data);
}
}
|
diff --git a/src/pt/webdetails/cda/cache/HazelcastQueryCache.java b/src/pt/webdetails/cda/cache/HazelcastQueryCache.java
index e1f37113..e36cefd6 100644
--- a/src/pt/webdetails/cda/cache/HazelcastQueryCache.java
+++ b/src/pt/webdetails/cda/cache/HazelcastQueryCache.java
@@ -1,455 +1,454 @@
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this file,
* You can obtain one at http://mozilla.org/MPL/2.0/. */
package pt.webdetails.cda.cache;
import java.io.IOException;
import java.util.Map.Entry;
import java.util.concurrent.Callable;
import java.util.concurrent.ExecutionException;
import java.util.concurrent.Future;
import java.util.concurrent.TimeoutException;
import javax.swing.table.TableModel;
import org.apache.commons.logging.Log;
import org.apache.commons.logging.LogFactory;
import org.pentaho.platform.engine.core.system.PentahoSystem;
import pt.webdetails.cda.CdaContentGenerator;
import pt.webdetails.cda.CdaPropertiesHelper;
import pt.webdetails.cda.cache.monitor.CacheElementInfo;
import pt.webdetails.cda.cache.monitor.ExtraCacheInfo;
import pt.webdetails.cda.cache.IQueryCache;
import pt.webdetails.cda.cache.TableCacheKey;
import com.hazelcast.core.EntryEvent;
import com.hazelcast.core.EntryListener;
import com.hazelcast.core.Hazelcast;
import com.hazelcast.core.IMap;
import com.hazelcast.core.MapEntry;
import com.hazelcast.impl.base.DataRecordEntry;
import com.hazelcast.query.SqlPredicate;
import java.util.concurrent.TimeUnit;
/**
*
* Hazelcast implementation of CDA query cache
*
*/
public class HazelcastQueryCache extends ClassLoaderAwareCaller implements IQueryCache {
private static final Log logger = LogFactory.getLog(HazelcastQueryCache.class);
public static final String MAP_NAME = "cdaCache";
public static final String AUX_MAP_NAME = "cdaCacheStats";
private static final String PLUGIN_PATH = "system/" + CdaContentGenerator.PLUGIN_NAME + "/";
private static final String CACHE_CFG_FILE_HAZELCAST = "hazelcast.xml";
private static long getTimeout = CdaPropertiesHelper.getIntProperty("pt.webdetails.cda.cache.getTimeout", 5);
private static long putTimeout = CdaPropertiesHelper.getIntProperty("pt.webdetails.cda.cache.putTimeout", 5);
private static TimeUnit timeoutUnit = TimeUnit.SECONDS;
private static int maxTimeouts = CdaPropertiesHelper.getIntProperty("pt.webdetails.cda.cache.maxTimeouts", 4);//max consecutive timeouts
private static long cacheDisablePeriod = CdaPropertiesHelper.getIntProperty("pt.webdetails.cda.cache.disablePeriod", 5);
private static boolean debugCache = CdaPropertiesHelper.getBoolProperty("pt.webdetails.cda.cache.debug", true);
private static int timeoutsReached = 0;
private static boolean active=true;
/**
* @return main cache (will hold actual values)
*/
private static IMap<TableCacheKey, TableModel> getCache(){
return Hazelcast.getMap(MAP_NAME);
}
/**
* @return used for holding extra info
*/
private static IMap<TableCacheKey, ExtraCacheInfo> getCacheStats(){
return Hazelcast.getMap(AUX_MAP_NAME);
}
public HazelcastQueryCache(){
this(PentahoSystem.getApplicationContext().getSolutionPath(PLUGIN_PATH + CACHE_CFG_FILE_HAZELCAST),true);
}
private HazelcastQueryCache(String cfgFile, boolean superClient){
super(Thread.currentThread().getContextClassLoader());
init();
}
private static int incrTimeouts(){
return ++timeoutsReached;
}
//no problem if unsynched
private static int resetTimeouts(){
return timeoutsReached=0;
}
private static void init()
{
logger.info("CDA CDC Hazelcast INIT");
//sync cache removals with cacheStats
ClassLoader cdaPluginClassLoader = Thread.currentThread().getContextClassLoader();
SyncRemoveStatsEntryListener syncRemoveStats = new SyncRemoveStatsEntryListener( cdaPluginClassLoader );
IMap<TableCacheKey, TableModel> cache = getCache();
cache.removeEntryListener(syncRemoveStats);
cache.addEntryListener(syncRemoveStats, false);
if(debugCache){
logger.debug("Added logging entry listener");
cache.addEntryListener(new LoggingEntryListener(cdaPluginClassLoader), false);
}
}
public void shutdownIfRunning()
{
if(Hazelcast.getLifecycleService().isRunning()){
logger.debug("Shutting down Hazelcast...");
Hazelcast.getLifecycleService().shutdown();
}
}
public void putTableModel(TableCacheKey key, TableModel table, int ttlSec, ExtraCacheInfo info) {
getCache().putAsync(key, table);
info.setEntryTime(System.currentTimeMillis());
info.setTimeToLive(ttlSec*1000);
getCacheStats().putAsync(key, info);
}
private <K,V> V getWithTimeout(K key, IMap<K,V> map){
if(!active) return null;
Future<V> future = map.getAsync(key);
try{
V result = future.get(getTimeout, timeoutUnit);
return result;
}
catch(TimeoutException e){
int nbrTimeouts = incrTimeouts();
checkNbrTimeouts(nbrTimeouts);
logger.error("Timeout " + getTimeout + " " + timeoutUnit + " expired fetching from " + map.getName() + " (timeout#" + nbrTimeouts + ")" );
} catch (InterruptedException e) {
logger.error(e);
} catch (ExecutionException e) {
logger.error(e);
}
return null;
}
private <K,V> boolean putWithTimeout(K key, V value, IMap<K,V> map){
if(!active) return false;
try{
Future<V> future = map.putAsync(key, value);
future.get(putTimeout, TimeUnit.SECONDS);
return true;
}
catch(TimeoutException e){
int nbrTimeouts = incrTimeouts();
checkNbrTimeouts(nbrTimeouts);
logger.error("Timeout " + putTimeout + " " + timeoutUnit + " expired inserting into " +map.getName() + " (timeout#" + nbrTimeouts + ")" );
} catch (Exception e) {
logger.error(e);
}
return false;
}
private void checkNbrTimeouts(int nbrTimeouts){
if(nbrTimeouts > 0 && nbrTimeouts % maxTimeouts == 0){
logger.error("Too many timeouts, disabling for " + cacheDisablePeriod + " seconds.");
resetTimeouts();
active = false;
new Thread(new Runnable(){
@Override
public void run() {
try {
Thread.sleep(cacheDisablePeriod * 1000);
} catch (InterruptedException e) {
logger.error(e);
} catch (Exception e){
logger.error(e);
}
active = true;
}
}).start();
}
}
@Override
public TableModel getTableModel(TableCacheKey key) {
try
{
ExtraCacheInfo info = getWithTimeout(key, getCacheStats());
if(info != null)
{
//per instance ttl not supported by hazelcast, need to check manually
if(info.getTimeToLive() > 0 && (info.getTimeToLive() + info.getEntryTime()) < System.currentTimeMillis())
{
logger.info("Cache element expired, removing from cache.");
getCache().removeAsync(key);
return null;
}
else {
TableModel tm = getWithTimeout(key, getCache());
- if(tm == null) return null;
+ if(tm == null) {
+ logger.error("Cache stats out of sync! Removing element.");
+ getCacheStats().removeAsync(key);
+ return null;
+ }
logger.info("Table found in cache. Returning.");
return tm;
}
- }
- else
- {//no stats found; may be out of time to live, best to remove
- logger.error("Cache info not found! Removing element.");
- getCache().removeAsync(key);
- return null;
}
+ return null;
}
catch(ClassCastException e)
{//handle issue when map would return a dataRecordEntry instead of element type//TODO: hasn't been caught in a while, maybe we can drop this
Object obj = getCache().get(key);
logger.error("Expected TableModel in cache, found " + obj.getClass().getCanonicalName() + " instead.");
if(obj instanceof DataRecordEntry)
{
DataRecordEntry drEntry = (DataRecordEntry) obj;
logger.info("Cache holding DataRecordEntry, attempting recovery");
Object val = drEntry.getValue();
if(val instanceof TableModel)
{
TableModel tm = (TableModel) val;
logger.warn("TableModel found in record, attempting to replace cache entry..");
getCache().replace(key, tm);
logger.info("Cache entry replaced.");
return tm;
}
else {
logger.error("DataRecordEntry in cache has value of unexpected type " + obj.getClass().getCanonicalName());
logger.warn("Removing incompatible cache entry.");
getCache().remove(key);
}
}
return null;
}
catch (Exception e){
if(e.getCause() instanceof IOException)
{//most likely a StreamCorruptedException
logger.error("IO error while attempting to get key " + key + "(" + e.getCause().getMessage() + "), removing from cache!", e);
getCache().removeAsync(key);
return null;
}
else logger.error("Unexpected exception ", e);
return null;
}
}
@Override
public void clearCache() {
getCache().clear();
getCacheStats().clear();
}
@Override
public boolean remove(TableCacheKey key) {
return getCache().remove(key) != null;
}
@Override
public Iterable<TableCacheKey> getKeys() {
return getCache().keySet();
}
public Iterable<TableCacheKey> getKeys(String cdaSettingsId, String dataAccessId)
{
return getCacheStats().keySet(new SqlPredicate("cdaSettingsId = " + cdaSettingsId + " AND dataAccessId = " + dataAccessId));
}
@Override
public ExtraCacheInfo getCacheEntryInfo(TableCacheKey key){
return getCacheStats().get(key);
}
/**
*
* Synchronizes both maps' removals and evictions
*
*
*/
private static final class SyncRemoveStatsEntryListener extends ClassLoaderAwareCaller implements EntryListener<TableCacheKey, TableModel> {
public SyncRemoveStatsEntryListener(ClassLoader classLoader){
super(classLoader);
}
@Override
public void entryAdded(EntryEvent<TableCacheKey, TableModel> event) {}//ignore
@Override
public void entryUpdated(EntryEvent<TableCacheKey, TableModel> event) {}//ignore
@Override
public void entryRemoved(final EntryEvent<TableCacheKey, TableModel> event)
{
runInClassLoader(new Runnable(){
public void run(){
TableCacheKey key = event.getKey();
logger.debug("entry removed, removing stats for query " + key);
getCacheStats().remove(key);
}
});
}
@Override
public void entryEvicted(final EntryEvent<TableCacheKey, TableModel> event) {
runInClassLoader(new Runnable(){
public void run(){
TableCacheKey key = event.getKey();
logger.debug("entry evicted, removing stats for query " + key);
getCacheStats().remove(key);
}
});
}
//used for listener removal
@Override
public boolean equals(Object other){
return other instanceof SyncRemoveStatsEntryListener;
}
}
static class LoggingEntryListener extends ClassLoaderAwareCaller implements EntryListener<TableCacheKey, TableModel> {
private static final Log logger = LogFactory.getLog(HazelcastQueryCache.class);
public LoggingEntryListener(ClassLoader classLoader){
super(classLoader);
}
@Override
public void entryAdded(final EntryEvent<TableCacheKey, TableModel> event) {
runInClassLoader(new Runnable() {
public void run() {
logger.debug("CDA ENTRY ADDED " + event);
}
});
}
@Override
public void entryRemoved(final EntryEvent<TableCacheKey, TableModel> event) {
runInClassLoader(new Runnable() {
public void run() {
logger.debug("CDA ENTRY REMOVED " + event);
}
});
}
@Override
public void entryUpdated(final EntryEvent<TableCacheKey, TableModel> event) {
runInClassLoader(new Runnable() {
public void run() {
logger.debug("CDA ENTRY UPDATED " + event);
}
});
}
@Override
public void entryEvicted(final EntryEvent<TableCacheKey, TableModel> event) {
runInClassLoader(new Runnable() {
public void run() {
logger.debug("CDA ENTRY EVICTED " + event);
}
});
}
}
@Override
public int removeAll(final String cdaSettingsId, final String dataAccessId) {
if(cdaSettingsId == null){
int size = getCache().size();
getCache().clear();
return size;
}
try {
return callInClassLoader(new Callable<Integer>(){
public Integer call(){
int size=0;
Iterable<Entry<TableCacheKey, ExtraCacheInfo>> entries = getCacheStatsEntries(cdaSettingsId, dataAccessId);
if(entries != null) for(Entry<TableCacheKey, ExtraCacheInfo> entry: entries){
getCache().remove(entry.getKey());
size++;
}
return size;
}
});
} catch (Exception e) {
logger.error("Error calling removeAll", e);
return -1;
}
}
@Override
public CacheElementInfo getElementInfo(TableCacheKey key) {
ExtraCacheInfo info = getCacheStats().get(key);
MapEntry<TableCacheKey,TableModel> entry = getCache().getMapEntry(key);
CacheElementInfo ceInfo = new CacheElementInfo();
ceInfo.setAccessTime(entry.getLastAccessTime());
ceInfo.setByteSize(entry.getCost());
ceInfo.setInsertTime(entry.getLastUpdateTime());// getCreationTime()
ceInfo.setKey(key);
ceInfo.setHits(entry.getHits());
ceInfo.setRows(info.getNbrRows());
ceInfo.setDuration(info.getQueryDurationMs());
return ceInfo;
}
/**
* (Make sure right class loader is set when accessing the iterator)
* @param cdaSettingsId
* @param dataAccessId
* @return
*/
public Iterable<ExtraCacheInfo> getCacheEntryInfo(String cdaSettingsId, String dataAccessId)
{
return getCacheStats().values(new SqlPredicate("cdaSettingsId = " + cdaSettingsId + ((dataAccessId != null)? " AND dataAccessId = " + dataAccessId : "")));
}
/**
* (Make sure right class loader is set when accessing the iterator)
* @param cdaSettingsId
* @param dataAccessId
* @return
*/
public Iterable<Entry<TableCacheKey, ExtraCacheInfo>> getCacheStatsEntries(final String cdaSettingsId,final String dataAccessId)
{
return getCacheStats().entrySet(new SqlPredicate("cdaSettingsId = " + cdaSettingsId + ((dataAccessId != null)? " AND dataAccessId = " + dataAccessId : "")));
}
}
| false | true | public TableModel getTableModel(TableCacheKey key) {
try
{
ExtraCacheInfo info = getWithTimeout(key, getCacheStats());
if(info != null)
{
//per instance ttl not supported by hazelcast, need to check manually
if(info.getTimeToLive() > 0 && (info.getTimeToLive() + info.getEntryTime()) < System.currentTimeMillis())
{
logger.info("Cache element expired, removing from cache.");
getCache().removeAsync(key);
return null;
}
else {
TableModel tm = getWithTimeout(key, getCache());
if(tm == null) return null;
logger.info("Table found in cache. Returning.");
return tm;
}
}
else
{//no stats found; may be out of time to live, best to remove
logger.error("Cache info not found! Removing element.");
getCache().removeAsync(key);
return null;
}
}
catch(ClassCastException e)
{//handle issue when map would return a dataRecordEntry instead of element type//TODO: hasn't been caught in a while, maybe we can drop this
Object obj = getCache().get(key);
logger.error("Expected TableModel in cache, found " + obj.getClass().getCanonicalName() + " instead.");
if(obj instanceof DataRecordEntry)
{
DataRecordEntry drEntry = (DataRecordEntry) obj;
logger.info("Cache holding DataRecordEntry, attempting recovery");
Object val = drEntry.getValue();
if(val instanceof TableModel)
{
TableModel tm = (TableModel) val;
logger.warn("TableModel found in record, attempting to replace cache entry..");
getCache().replace(key, tm);
logger.info("Cache entry replaced.");
return tm;
}
else {
logger.error("DataRecordEntry in cache has value of unexpected type " + obj.getClass().getCanonicalName());
logger.warn("Removing incompatible cache entry.");
getCache().remove(key);
}
}
return null;
}
catch (Exception e){
if(e.getCause() instanceof IOException)
{//most likely a StreamCorruptedException
logger.error("IO error while attempting to get key " + key + "(" + e.getCause().getMessage() + "), removing from cache!", e);
getCache().removeAsync(key);
return null;
}
else logger.error("Unexpected exception ", e);
return null;
}
}
| public TableModel getTableModel(TableCacheKey key) {
try
{
ExtraCacheInfo info = getWithTimeout(key, getCacheStats());
if(info != null)
{
//per instance ttl not supported by hazelcast, need to check manually
if(info.getTimeToLive() > 0 && (info.getTimeToLive() + info.getEntryTime()) < System.currentTimeMillis())
{
logger.info("Cache element expired, removing from cache.");
getCache().removeAsync(key);
return null;
}
else {
TableModel tm = getWithTimeout(key, getCache());
if(tm == null) {
logger.error("Cache stats out of sync! Removing element.");
getCacheStats().removeAsync(key);
return null;
}
logger.info("Table found in cache. Returning.");
return tm;
}
}
return null;
}
catch(ClassCastException e)
{//handle issue when map would return a dataRecordEntry instead of element type//TODO: hasn't been caught in a while, maybe we can drop this
Object obj = getCache().get(key);
logger.error("Expected TableModel in cache, found " + obj.getClass().getCanonicalName() + " instead.");
if(obj instanceof DataRecordEntry)
{
DataRecordEntry drEntry = (DataRecordEntry) obj;
logger.info("Cache holding DataRecordEntry, attempting recovery");
Object val = drEntry.getValue();
if(val instanceof TableModel)
{
TableModel tm = (TableModel) val;
logger.warn("TableModel found in record, attempting to replace cache entry..");
getCache().replace(key, tm);
logger.info("Cache entry replaced.");
return tm;
}
else {
logger.error("DataRecordEntry in cache has value of unexpected type " + obj.getClass().getCanonicalName());
logger.warn("Removing incompatible cache entry.");
getCache().remove(key);
}
}
return null;
}
catch (Exception e){
if(e.getCause() instanceof IOException)
{//most likely a StreamCorruptedException
logger.error("IO error while attempting to get key " + key + "(" + e.getCause().getMessage() + "), removing from cache!", e);
getCache().removeAsync(key);
return null;
}
else logger.error("Unexpected exception ", e);
return null;
}
}
|
diff --git a/editor/tools/plugins/com.google.dart.tools.core/src/com/google/dart/tools/core/internal/operation/DartModelOperation.java b/editor/tools/plugins/com.google.dart.tools.core/src/com/google/dart/tools/core/internal/operation/DartModelOperation.java
index 10893a00..2c3f1d52 100644
--- a/editor/tools/plugins/com.google.dart.tools.core/src/com/google/dart/tools/core/internal/operation/DartModelOperation.java
+++ b/editor/tools/plugins/com.google.dart.tools.core/src/com/google/dart/tools/core/internal/operation/DartModelOperation.java
@@ -1,1027 +1,1026 @@
/*
* Copyright (c) 2011, the Dart project authors.
*
* Licensed under the Eclipse Public License v1.0 (the "License"); you may not use this file except
* in compliance with the License. You may obtain a copy of the License at
*
* http://www.eclipse.org/legal/epl-v10.html
*
* Unless required by applicable law or agreed to in writing, software distributed under the License
* is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express
* or implied. See the License for the specific language governing permissions and limitations under
* the License.
*/
package com.google.dart.tools.core.internal.operation;
import com.google.dart.tools.core.DartCore;
import com.google.dart.tools.core.buffer.Buffer;
import com.google.dart.tools.core.internal.buffer.DocumentAdapter;
import com.google.dart.tools.core.internal.model.DartElementImpl;
import com.google.dart.tools.core.internal.model.DartModelManager;
import com.google.dart.tools.core.internal.model.DartModelStatusImpl;
import com.google.dart.tools.core.internal.model.delta.DartElementDeltaImpl;
import com.google.dart.tools.core.internal.model.delta.DeltaProcessor;
import com.google.dart.tools.core.internal.util.Messages;
import com.google.dart.tools.core.model.CompilationUnit;
import com.google.dart.tools.core.model.DartElement;
import com.google.dart.tools.core.model.DartElementDelta;
import com.google.dart.tools.core.model.DartModel;
import com.google.dart.tools.core.model.DartModelException;
import com.google.dart.tools.core.model.DartModelStatus;
import com.google.dart.tools.core.model.DartModelStatusConstants;
import org.eclipse.core.resources.IContainer;
import org.eclipse.core.resources.IFile;
import org.eclipse.core.resources.IFolder;
import org.eclipse.core.resources.IResource;
import org.eclipse.core.resources.IResourceStatus;
import org.eclipse.core.resources.IWorkspace;
import org.eclipse.core.resources.IWorkspaceRoot;
import org.eclipse.core.resources.IWorkspaceRunnable;
import org.eclipse.core.resources.ResourcesPlugin;
import org.eclipse.core.runtime.CoreException;
import org.eclipse.core.runtime.IPath;
import org.eclipse.core.runtime.IProgressMonitor;
import org.eclipse.core.runtime.OperationCanceledException;
import org.eclipse.core.runtime.Path;
import org.eclipse.core.runtime.SubProgressMonitor;
import org.eclipse.core.runtime.jobs.ISchedulingRule;
import org.eclipse.jface.text.BadLocationException;
import org.eclipse.jface.text.IDocument;
import org.eclipse.text.edits.TextEdit;
import java.io.InputStream;
import java.util.ArrayList;
import java.util.HashMap;
/**
* The class <code>DartModelOperation</code> defines the behavior common to all Dart Model
* operations
*/
public abstract class DartModelOperation implements IWorkspaceRunnable, IProgressMonitor {
protected interface IPostAction {
/*
* Returns the id of this action.
*
* @see DartModelOperation#postAction
*/
String getID();
/*
* Run this action.
*/
void run() throws DartModelException;
}
/*
* Constants controlling the insertion mode of an action.
*
* @see DartModelOperation#postAction
*/
// insert at the end
protected static final int APPEND = 1;
// remove all existing ones with same ID, and add new one at the end
protected static final int REMOVEALL_APPEND = 2;
// do not insert if already existing with same ID
protected static final int KEEP_EXISTING = 3;
/*
* Whether tracing post actions is enabled.
*/
protected static boolean POST_ACTION_VERBOSE;
/**
* Return the attribute registered at the given key with the top level operation. Returns
* <code>null</code> if no such attribute is found.
*
* @return the attribute registered at the given key with the top level operation
*/
protected static Object getAttribute(Object key) {
ArrayList<DartModelOperation> stack = getCurrentOperationStack();
if (stack.size() == 0) {
return null;
}
DartModelOperation topLevelOp = stack.get(0);
if (topLevelOp.attributes == null) {
return null;
} else {
return topLevelOp.attributes.get(key);
}
}
/**
* Return the stack of operations running in the current thread. Returns an empty stack if no
* operations are currently running in this thread.
*
* @return the stack of operations running in the current thread
*/
protected static ArrayList<DartModelOperation> getCurrentOperationStack() {
ArrayList<DartModelOperation> stack = OPERATION_STACKS.get();
if (stack == null) {
stack = new ArrayList<DartModelOperation>();
OPERATION_STACKS.set(stack);
}
return stack;
}
/**
* Register the given attribute at the given key with the top level operation.
*
* @param key the key with which the attribute is to be registered
* @param attribute the attribute to be registered
*/
protected static void setAttribute(String key, String attribute) {
ArrayList<DartModelOperation> operationStack = getCurrentOperationStack();
if (operationStack.size() == 0) {
return;
}
DartModelOperation topLevelOp = operationStack.get(0);
if (topLevelOp.attributes == null) {
topLevelOp.attributes = new HashMap<String, String>();
}
topLevelOp.attributes.put(key, attribute);
}
/*
* A list of IPostActions.
*/
protected IPostAction[] actions;
protected int actionsStart = 0;
protected int actionsEnd = -1;
/*
* A HashMap of attributes that can be used by operations.
*/
// This used to be <Object, Object>
protected HashMap<String, String> attributes;
public static final String HAS_MODIFIED_RESOURCE_ATTR = "hasModifiedResource"; //$NON-NLS-1$
public static final String TRUE = "true"; // DartModelManager.TRUE;
// public static final String FALSE = "false";
/**
* The elements this operation operates on, or <code>null</code> if this operation does not
* operate on specific elements.
*/
protected DartElement[] elementsToProcess;
/**
* The parent elements this operation operates with or <code>null</code> if this operation does
* not operate with specific parent elements.
*/
protected DartElement[] parentElements;
/**
* An empty collection of <code>DartElement</code>s - the common empty result if no elements are
* created, or if this operation is not actually executed.
*/
protected static final DartElement[] NO_ELEMENTS = new DartElement[] {};
/**
* The elements created by this operation - empty until the operation actually creates elements.
*/
protected DartElement[] resultElements = NO_ELEMENTS;
/**
* The progress monitor passed into this operation
*/
public IProgressMonitor progressMonitor = null;
/**
* A flag indicating whether this operation is nested.
*/
protected boolean isNested = false;
/**
* Conflict resolution policy - by default do not force (fail on a conflict).
*/
protected boolean force = false;
/*
* A per thread stack of Dart model operations.
*/
protected static final ThreadLocal<ArrayList<DartModelOperation>> OPERATION_STACKS = new ThreadLocal<ArrayList<DartModelOperation>>();
protected DartModelOperation() {
// default constructor used in subclasses
}
/**
* Common constructor for all Dart Model operations.
*/
protected DartModelOperation(DartElement element) {
this.elementsToProcess = new DartElement[] {element};
}
/**
* A common constructor for all Dart Model operations.
*/
protected DartModelOperation(DartElement[] elements) {
this.elementsToProcess = elements;
}
/**
* A common constructor for all Dart Model operations.
*/
protected DartModelOperation(DartElement[] elements, boolean force) {
this.elementsToProcess = elements;
this.force = force;
}
/**
* Common constructor for all Dart Model operations.
*/
protected DartModelOperation(DartElement[] elementsToProcess, DartElement[] parentElements) {
this.elementsToProcess = elementsToProcess;
this.parentElements = parentElements;
}
/**
* A common constructor for all Dart Model operations.
*/
protected DartModelOperation(DartElement[] elementsToProcess, DartElement[] parentElements,
boolean force) {
this.elementsToProcess = elementsToProcess;
this.parentElements = parentElements;
this.force = force;
}
@Override
public void beginTask(String name, int totalWork) {
if (progressMonitor != null) {
progressMonitor.beginTask(name, totalWork);
}
}
@Override
public void done() {
if (progressMonitor != null) {
progressMonitor.done();
}
}
/**
* Convenience method to run an operation within this operation.
*/
public void executeNestedOperation(DartModelOperation operation, int subWorkAmount)
throws DartModelException {
DartModelStatus status = operation.verify();
if (!status.isOK()) {
throw new DartModelException(status);
}
IProgressMonitor subProgressMonitor = getSubProgressMonitor(subWorkAmount);
// fix for 1FW7IKC, part (1)
try {
operation.setNested(true);
operation.run(subProgressMonitor);
} catch (CoreException ce) {
if (ce instanceof DartModelException) {
throw (DartModelException) ce;
} else {
// translate the core exception to a Dart model exception
if (ce.getStatus().getCode() == IResourceStatus.OPERATION_FAILED) {
Throwable e = ce.getStatus().getException();
if (e instanceof DartModelException) {
throw (DartModelException) e;
}
}
throw new DartModelException(ce);
}
}
}
/**
* Return the Dart Model this operation is operating in.
*
* @return the Dart Model this operation is operating in
*/
public DartModel getDartModel() {
return DartModelManager.getInstance().getDartModel();
}
/**
* Return the elements created by this operation.
*
* @return the elements created by this operation
*/
public DartElement[] getResultElements() {
return resultElements;
}
/**
* Return <code>true</code> if this operation has performed any resource modifications. Return
* <code>false</code> if this operation has not been executed yet.
*/
public boolean hasModifiedResource() {
return !isReadOnly() && getAttribute(HAS_MODIFIED_RESOURCE_ATTR) == TRUE;
}
@Override
public void internalWorked(double work) {
if (progressMonitor != null) {
progressMonitor.internalWorked(work);
}
}
@Override
public boolean isCanceled() {
if (progressMonitor != null) {
return progressMonitor.isCanceled();
}
return false;
}
/**
* Return <code>true</code> if this operation performs no resource modifications, otherwise
* <code>false</code>. Subclasses must override.
*/
public boolean isReadOnly() {
return false;
}
/**
* Create and return a new delta on the Dart Model.
*
* @return the delta that was created
*/
public DartElementDeltaImpl newDartElementDelta() {
return new DartElementDeltaImpl(getDartModel());
}
/**
* Run this operation and register any deltas created.
*
* @throws CoreException if the operation fails
*/
@Override
public void run(IProgressMonitor monitor) throws CoreException {
DartCore.notYetImplemented();
DartModelManager manager = DartModelManager.getInstance();
DeltaProcessor deltaProcessor = manager.getDeltaProcessor();
int previousDeltaCount = deltaProcessor.dartModelDeltas.size();
try {
progressMonitor = monitor;
pushOperation(this);
try {
if (canModifyRoots()) {
// // computes the root infos before executing the operation
// // noop if already initialized
// DartModelManager.getInstance().getDeltaState().initializeRoots(false);
}
executeOperation();
} finally {
if (isTopLevelOperation()) {
runPostActions();
}
}
} finally {
try {
// re-acquire delta processor as it can have been reset during
// executeOperation()
deltaProcessor = manager.getDeltaProcessor();
// update DartModel using deltas that were recorded during this
// operation
for (int i = previousDeltaCount, size = deltaProcessor.dartModelDeltas.size(); i < size; i++) {
deltaProcessor.updateDartModel(deltaProcessor.dartModelDeltas.get(i));
}
// // close the parents of the created elements and reset their
// // project's cache (in case we are in an IWorkspaceRunnable and the
// // clients wants to use the created element's parent)
// // see https://bugs.eclipse.org/bugs/show_bug.cgi?id=83646
// for (int i = 0, length = resultElements.length; i < length; i++)
// {
// DartElement element = resultElements[i];
// Openable openable = (Openable) element.getOpenable();
// if (!(openable instanceof CompilationUnit) || !((CompilationUnit)
// openable).isWorkingCopy()) { // a working copy must remain a child of
// its parent even after a move
// ((DartElementImpl) openable.getParent()).close();
// }
// switch (element.getElementType()) {
// case DartElement.PACKAGE_FRAGMENT_ROOT:
// case DartElement.PACKAGE_FRAGMENT:
// deltaProcessor.projectCachesToReset.add(element.getDartProject());
// break;
// }
// }
deltaProcessor.resetProjectCaches();
// fire only iff:
// - the operation is a top level operation
// - the operation did produce some delta(s)
// - but the operation has not modified any resource
if (isTopLevelOperation()) {
- // if ((deltaProcessor.dartModelDeltas.size() > previousDeltaCount ||
- // !deltaProcessor.reconcileDeltas.isEmpty())
- // && !hasModifiedResource()) {
- // deltaProcessor.fire(null, DeltaProcessor.DEFAULT_CHANGE_EVENT);
- // } // else deltas are fired while processing the resource delta
+ if ((deltaProcessor.dartModelDeltas.size() > previousDeltaCount || !deltaProcessor.reconcileDeltas.isEmpty())
+ && !hasModifiedResource()) {
+ deltaProcessor.fire(null, DeltaProcessor.DEFAULT_CHANGE_EVENT);
+ } // else deltas are fired while processing the resource delta
}
} finally {
popOperation();
}
}
}
/**
* Main entry point for Dart Model operations. Runs a Dart Model Operation as an
* IWorkspaceRunnable if not read-only.
*/
public void runOperation(IProgressMonitor monitor) throws DartModelException {
DartModelStatus status = verify();
if (!status.isOK()) {
throw new DartModelException(status);
}
try {
if (isReadOnly()) {
run(monitor);
} else {
// Use IWorkspace.run(...) to ensure that resource changes are batched
// Note that if the tree is locked, this will throw a CoreException, but
// this is ok as this operation is modifying the tree (not read-only)
// and a CoreException will be thrown anyway.
ResourcesPlugin.getWorkspace().run(this, getSchedulingRule(), IWorkspace.AVOID_UPDATE,
monitor);
}
} catch (CoreException ce) {
if (ce instanceof DartModelException) {
throw (DartModelException) ce;
} else {
if (ce.getStatus().getCode() == IResourceStatus.OPERATION_FAILED) {
Throwable e = ce.getStatus().getException();
if (e instanceof DartModelException) {
throw (DartModelException) e;
}
}
throw new DartModelException(ce);
}
}
}
@Override
public void setCanceled(boolean b) {
if (progressMonitor != null) {
progressMonitor.setCanceled(b);
}
}
@Override
public void setTaskName(String name) {
if (progressMonitor != null) {
progressMonitor.setTaskName(name);
}
}
@Override
public void subTask(String name) {
if (progressMonitor != null) {
progressMonitor.subTask(name);
}
}
@Override
public void worked(int work) {
if (progressMonitor != null) {
progressMonitor.worked(work);
checkCanceled();
}
}
/**
* Register the given action at the end of the list of actions to run.
*/
protected void addAction(IPostAction action) {
int length = actions.length;
if (length == ++actionsEnd) {
System.arraycopy(actions, 0, actions = new IPostAction[length * 2], 0, length);
}
actions[actionsEnd] = action;
}
/**
* Register the given delta with the Dart Model Manager.
*/
protected void addDelta(DartElementDelta delta) {
DartModelManager.getInstance().getDeltaProcessor().registerDartModelDelta(delta);
}
/**
* Register the given reconcile delta with the Dart Model Manager.
*
* @param workingCopy the working copy with which the delta is to be associated
* @param delta the delta to be added
*/
protected void addReconcileDelta(CompilationUnit workingCopy, DartElementDeltaImpl delta) {
HashMap<CompilationUnit, DartElementDelta> reconcileDeltas = DartModelManager.getInstance().getDeltaProcessor().reconcileDeltas;
DartElementDeltaImpl previousDelta = (DartElementDeltaImpl) reconcileDeltas.get(workingCopy);
if (previousDelta != null) {
DartElementDelta[] children = delta.getAffectedChildren();
for (int i = 0, length = children.length; i < length; i++) {
DartElementDeltaImpl child = (DartElementDeltaImpl) children[i];
previousDelta.insertDeltaTree(child.getElement(), child);
}
// note that the last delta's AST always takes precedence over the
// existing delta's AST since it is the result of the last reconcile
// operation
if ((delta.getFlags() & DartElementDelta.F_AST_AFFECTED) != 0) {
previousDelta.changedAST(delta.getCompilationUnitAST());
}
} else {
reconcileDeltas.put(workingCopy, delta);
}
}
protected void applyTextEdit(CompilationUnit cu, TextEdit edits) throws DartModelException {
try {
edits.apply(getDocument(cu));
} catch (BadLocationException e) {
// content changed under us
throw new DartModelException(e, DartModelStatusConstants.INVALID_CONTENTS);
}
}
/**
* Return <code>true</code> if this operation can modify the package fragment roots.
*
* @return <code>true</code> if this operation can modify the package fragment roots
*/
protected boolean canModifyRoots() {
return false;
}
/**
* Checks with the progress monitor to see whether this operation should be canceled. An operation
* should regularly call this method during its operation so that the user can cancel it.
*
* @throws OperationCanceledException if cancelling the operation has been requested
*/
protected void checkCanceled() {
if (isCanceled()) {
throw new OperationCanceledException(Messages.operation_cancelled);
}
}
/**
* Common code used to verify the elements this operation is processing.
*/
protected DartModelStatus commonVerify() {
if (elementsToProcess == null || elementsToProcess.length == 0) {
return new DartModelStatusImpl(DartModelStatusConstants.NO_ELEMENTS_TO_PROCESS);
}
for (int i = 0; i < elementsToProcess.length; i++) {
if (elementsToProcess[i] == null) {
return new DartModelStatusImpl(DartModelStatusConstants.NO_ELEMENTS_TO_PROCESS);
}
}
return DartModelStatusImpl.VERIFIED_OK;
}
/**
* Convenience method to copy resources.
*/
protected void copyResources(IResource[] resources, IPath container) throws DartModelException {
IProgressMonitor subProgressMonitor = getSubProgressMonitor(resources.length);
IWorkspaceRoot root = ResourcesPlugin.getWorkspace().getRoot();
try {
for (int i = 0, length = resources.length; i < length; i++) {
IResource resource = resources[i];
IPath destination = container.append(resource.getName());
if (root.findMember(destination) == null) {
resource.copy(destination, false, subProgressMonitor);
}
}
setAttribute(HAS_MODIFIED_RESOURCE_ATTR, TRUE);
} catch (CoreException e) {
throw new DartModelException(e);
}
}
/**
* Convenience method to create a file.
*/
protected void createFile(IContainer folder, String name, InputStream contents, boolean forceFlag)
throws DartModelException {
IFile file = folder.getFile(new Path(name));
try {
file.create(contents, forceFlag ? IResource.FORCE | IResource.KEEP_HISTORY
: IResource.KEEP_HISTORY, getSubProgressMonitor(1));
setAttribute(HAS_MODIFIED_RESOURCE_ATTR, TRUE);
} catch (CoreException e) {
throw new DartModelException(e);
}
}
/**
* Convenience method to create a folder.
*/
protected void createFolder(IContainer parentFolder, String name, boolean forceFlag)
throws DartModelException {
IFolder folder = parentFolder.getFolder(new Path(name));
try {
// we should use true to create the file locally. Only VCM should use
// true/false
folder.create(forceFlag ? IResource.FORCE | IResource.KEEP_HISTORY : IResource.KEEP_HISTORY,
true, // local
getSubProgressMonitor(1));
setAttribute(HAS_MODIFIED_RESOURCE_ATTR, TRUE);
} catch (CoreException e) {
throw new DartModelException(e);
}
}
/**
* Convenience method to delete an empty package fragment.
*/
// protected void deleteEmptyPackageFragment(
// IPackageFragment fragment,
// boolean forceFlag,
// IResource rootResource)
// throws DartModelException {
// IContainer resource = (IContainer) ((DartElementImpl)fragment).resource();
// try {
// resource.delete(
// forceFlag ? IResource.FORCE | IResource.KEEP_HISTORY :
// IResource.KEEP_HISTORY,
// getSubProgressMonitor(1));
// setAttribute(HAS_MODIFIED_RESOURCE_ATTR, TRUE);
// while (resource instanceof IFolder) {
// // deleting a package: delete the parent if it is empty (e.g. deleting x.y
// where folder x doesn't have resources but y)
// // without deleting the package fragment root
// resource = resource.getParent();
// if (!resource.equals(rootResource) && resource.members().length == 0) {
// resource.delete(
// forceFlag ? IResource.FORCE | IResource.KEEP_HISTORY :
// IResource.KEEP_HISTORY,
// getSubProgressMonitor(1));
// setAttribute(HAS_MODIFIED_RESOURCE_ATTR, TRUE);
// }
// }
// } catch (CoreException e) {
// throw new DartModelException(e);
// }
// }
/**
* Convenience method to delete a single resource.
*/
protected void deleteResource(IResource resource, int flags) throws DartModelException {
try {
resource.delete(flags, getSubProgressMonitor(1));
setAttribute(HAS_MODIFIED_RESOURCE_ATTR, TRUE);
} catch (CoreException e) {
throw new DartModelException(e);
}
}
/**
* Convenience method to delete resources.
*/
protected void deleteResources(IResource[] resources, boolean forceFlag)
throws DartModelException {
if (resources == null || resources.length == 0) {
return;
}
IProgressMonitor subProgressMonitor = getSubProgressMonitor(resources.length);
IWorkspace workspace = resources[0].getWorkspace();
try {
workspace.delete(resources, forceFlag ? IResource.FORCE | IResource.KEEP_HISTORY
: IResource.KEEP_HISTORY, subProgressMonitor);
setAttribute(HAS_MODIFIED_RESOURCE_ATTR, TRUE);
} catch (CoreException e) {
throw new DartModelException(e);
}
}
/**
* Return <code>true</code> if the given path is equals to one of the given other paths.
*/
protected boolean equalsOneOf(IPath path, IPath[] otherPaths) {
for (int i = 0, length = otherPaths.length; i < length; i++) {
if (path.equals(otherPaths[i])) {
return true;
}
}
return false;
}
/**
* Perform the operation specific behavior. Subclasses must override.
*/
protected abstract void executeOperation() throws DartModelException;
/**
* Return the index of the first registered action with the given id, starting from a given
* position, or -1 if not found.
*
* @return the index of the first registered action with the given id
*/
protected int firstActionWithID(String id, int start) {
for (int i = start; i <= actionsEnd; i++) {
if (actions[i].getID().equals(id)) {
return i;
}
}
return -1;
}
/**
* Return the compilation unit the given element is contained in, or the element itself (if it is
* a compilation unit), otherwise <code>null</code>.
*
* @return the compilation unit the given element is contained in
*/
protected CompilationUnit getCompilationUnitFor(DartElement element) {
return ((DartElementImpl) element).getCompilationUnit();
}
/**
* Return the existing document for the given compilation unit, or a DocumentAdapter if none.
*
* @return the existing document for the given compilation unit
*/
protected IDocument getDocument(CompilationUnit cu) throws DartModelException {
Buffer buffer = cu.getBuffer();
if (buffer instanceof IDocument) {
return (IDocument) buffer;
}
return new DocumentAdapter(buffer);
}
/**
* Return the element to which this operation applies, or <code>null</code> if not applicable.
*
* @return the element to which this operation applies
*/
protected DartElement getElementToProcess() {
if (elementsToProcess == null || elementsToProcess.length == 0) {
return null;
}
return elementsToProcess[0];
}
// protected IPath[] getNestedFolders(IPackageFragmentRoot root) throws
// DartModelException {
// IPath rootPath = root.getPath();
// IClasspathEntry[] classpath = root.getDartProject().getRawClasspath();
// int length = classpath.length;
// IPath[] result = new IPath[length];
// int index = 0;
// for (int i = 0; i < length; i++) {
// IPath path = classpath[i].getPath();
// if (rootPath.isPrefixOf(path) && !rootPath.equals(path)) {
// result[index++] = path;
// }
// }
// if (index < length) {
// System.arraycopy(result, 0, result = new IPath[index], 0, index);
// }
// return result;
// }
/**
* Return the parent element to which this operation applies, or <code>null</code> if not
* applicable.
*
* @return the parent element to which this operation applies
*/
protected DartElement getParentElement() {
if (parentElements == null || parentElements.length == 0) {
return null;
}
return parentElements[0];
}
/**
* Return the parent elements to which this operation applies, or <code>null</code> if not
* applicable.
*
* @return the parent elements to which this operation applies
*/
protected DartElement[] getParentElements() {
return parentElements;
}
/**
* Return the scheduling rule for this operation (i.e. the resource that needs to be locked while
* this operation is running). Subclasses can override.
*
* @return the scheduling rule for this operation
*/
protected ISchedulingRule getSchedulingRule() {
return ResourcesPlugin.getWorkspace().getRoot();
}
/**
* Create and return a sub-progress monitor if appropriate.
*
* @return the sub-progress monitor that was created
*/
protected IProgressMonitor getSubProgressMonitor(int workAmount) {
IProgressMonitor sub = null;
if (progressMonitor != null) {
sub = new SubProgressMonitor(progressMonitor, workAmount,
SubProgressMonitor.PREPEND_MAIN_LABEL_TO_SUBTASK);
}
return sub;
}
/**
* Return <code>true</code> if this operation is the first operation to run in the current thread.
*
* @return <code>true</code> if this operation is the first operation to run in the current thread
*/
protected boolean isTopLevelOperation() {
ArrayList<DartModelOperation> stack = getCurrentOperationStack();
return stack.size() > 0 && stack.get(0) == this;
}
/**
* Convenience method to move resources.
*/
protected void moveResources(IResource[] resources, IPath container) throws DartModelException {
IProgressMonitor subProgressMonitor = null;
if (progressMonitor != null) {
subProgressMonitor = new SubProgressMonitor(progressMonitor, resources.length,
SubProgressMonitor.PREPEND_MAIN_LABEL_TO_SUBTASK);
}
IWorkspaceRoot root = ResourcesPlugin.getWorkspace().getRoot();
try {
for (int i = 0, length = resources.length; i < length; i++) {
IResource resource = resources[i];
IPath destination = container.append(resource.getName());
if (root.findMember(destination) == null) {
resource.move(destination, false, subProgressMonitor);
}
}
setAttribute(HAS_MODIFIED_RESOURCE_ATTR, TRUE);
} catch (CoreException exception) {
throw new DartModelException(exception);
}
}
/**
* Remove the last pushed operation from the stack of running operations. Return the popped
* operation, or <code>null<code> if the stack was empty.
*
* @return the popped operation
*/
protected DartModelOperation popOperation() {
ArrayList<DartModelOperation> stack = getCurrentOperationStack();
int size = stack.size();
if (size > 0) {
if (size == 1) { // top level operation
// release reference (see
// http://bugs.eclipse.org/bugs/show_bug.cgi?id=33927)
OPERATION_STACKS.set(null);
}
return stack.remove(size - 1);
} else {
return null;
}
}
/**
* Register the given action to be run when the outer most Dart model operation has finished. The
* insertion mode controls whether: - the action should discard all existing actions with the same
* id, and be queued at the end (REMOVEALL_APPEND), - the action should be ignored if there is
* already an action with the same id (KEEP_EXISTING), - the action should be queued at the end
* without looking at existing actions (APPEND)
*/
protected void postAction(IPostAction action, int insertionMode) {
if (POST_ACTION_VERBOSE) {
System.out.print("(" + Thread.currentThread() + ") [DartModelOperation.postAction(IPostAction, int)] Posting action " + action.getID()); //$NON-NLS-1$ //$NON-NLS-2$
switch (insertionMode) {
case REMOVEALL_APPEND:
System.out.println(" (REMOVEALL_APPEND)"); //$NON-NLS-1$
break;
case KEEP_EXISTING:
System.out.println(" (KEEP_EXISTING)"); //$NON-NLS-1$
break;
case APPEND:
System.out.println(" (APPEND)"); //$NON-NLS-1$
break;
}
}
DartModelOperation topLevelOp = getCurrentOperationStack().get(0);
IPostAction[] postActions = topLevelOp.actions;
if (postActions == null) {
topLevelOp.actions = postActions = new IPostAction[1];
postActions[0] = action;
topLevelOp.actionsEnd = 0;
} else {
String id = action.getID();
switch (insertionMode) {
case REMOVEALL_APPEND:
int index = actionsStart - 1;
while ((index = topLevelOp.firstActionWithID(id, index + 1)) >= 0) {
// remove action[index]
System.arraycopy(postActions, index + 1, postActions, index, topLevelOp.actionsEnd
- index);
postActions[topLevelOp.actionsEnd--] = null;
}
topLevelOp.addAction(action);
break;
case KEEP_EXISTING:
if (topLevelOp.firstActionWithID(id, 0) < 0) {
topLevelOp.addAction(action);
}
break;
case APPEND:
topLevelOp.addAction(action);
break;
}
}
}
/**
* Return <code>true</code> if the given path is the prefix of one of the given other paths.
*
* @return <code>true</code> if the given path is the prefix of one of the given other paths
*/
protected boolean prefixesOneOf(IPath path, IPath[] otherPaths) {
for (int i = 0, length = otherPaths.length; i < length; i++) {
if (path.isPrefixOf(otherPaths[i])) {
return true;
}
}
return false;
}
/**
* Push the given operation on the stack of operations currently running in this thread.
*
* @param operation the operation to be pushed
*/
protected void pushOperation(DartModelOperation operation) {
getCurrentOperationStack().add(operation);
}
/**
* Remove all actions with the given id from the queue of post actions. Does nothing if no such
* action is in the queue.
*
* @param actionID the id of the actions to be removed
*/
protected void removeAllPostAction(String actionID) {
if (POST_ACTION_VERBOSE) {
System.out.println("(" + Thread.currentThread() + ") [DartModelOperation.removeAllPostAction(String)] Removing actions " + actionID); //$NON-NLS-1$ //$NON-NLS-2$
}
DartModelOperation topLevelOp = getCurrentOperationStack().get(0);
IPostAction[] postActions = topLevelOp.actions;
if (postActions == null) {
return;
}
int index = actionsStart - 1;
while ((index = topLevelOp.firstActionWithID(actionID, index + 1)) >= 0) {
// remove action[index]
System.arraycopy(postActions, index + 1, postActions, index, topLevelOp.actionsEnd - index);
postActions[topLevelOp.actionsEnd--] = null;
}
}
/**
* Unregister the reconcile delta for the given working copy.
*
* @param workingCopy the working copy whose delta is to be removed
*/
protected void removeReconcileDelta(CompilationUnit workingCopy) {
DartCore.notYetImplemented();
// DartModelManager.getInstance().getDeltaProcessor().reconcileDeltas.remove(workingCopy);
}
protected void runPostActions() throws DartModelException {
while (actionsStart <= actionsEnd) {
IPostAction postAction = actions[actionsStart++];
if (POST_ACTION_VERBOSE) {
System.out.println("(" + Thread.currentThread() + ") [DartModelOperation.runPostActions()] Running action " + postAction.getID()); //$NON-NLS-1$ //$NON-NLS-2$
}
postAction.run();
}
}
/**
* Set whether this operation is nested or not.
*
* @see CreateElementInCUOperation#checkCanceled
*/
protected void setNested(boolean nested) {
isNested = nested;
}
/**
* Return a status indicating whether there is any known reason this operation will fail.
* Operations are verified before they are run.
* <p>
* Subclasses must override if they have any conditions to verify before this operation executes.
*/
protected DartModelStatus verify() {
return commonVerify();
}
}
| true | true | public void run(IProgressMonitor monitor) throws CoreException {
DartCore.notYetImplemented();
DartModelManager manager = DartModelManager.getInstance();
DeltaProcessor deltaProcessor = manager.getDeltaProcessor();
int previousDeltaCount = deltaProcessor.dartModelDeltas.size();
try {
progressMonitor = monitor;
pushOperation(this);
try {
if (canModifyRoots()) {
// // computes the root infos before executing the operation
// // noop if already initialized
// DartModelManager.getInstance().getDeltaState().initializeRoots(false);
}
executeOperation();
} finally {
if (isTopLevelOperation()) {
runPostActions();
}
}
} finally {
try {
// re-acquire delta processor as it can have been reset during
// executeOperation()
deltaProcessor = manager.getDeltaProcessor();
// update DartModel using deltas that were recorded during this
// operation
for (int i = previousDeltaCount, size = deltaProcessor.dartModelDeltas.size(); i < size; i++) {
deltaProcessor.updateDartModel(deltaProcessor.dartModelDeltas.get(i));
}
// // close the parents of the created elements and reset their
// // project's cache (in case we are in an IWorkspaceRunnable and the
// // clients wants to use the created element's parent)
// // see https://bugs.eclipse.org/bugs/show_bug.cgi?id=83646
// for (int i = 0, length = resultElements.length; i < length; i++)
// {
// DartElement element = resultElements[i];
// Openable openable = (Openable) element.getOpenable();
// if (!(openable instanceof CompilationUnit) || !((CompilationUnit)
// openable).isWorkingCopy()) { // a working copy must remain a child of
// its parent even after a move
// ((DartElementImpl) openable.getParent()).close();
// }
// switch (element.getElementType()) {
// case DartElement.PACKAGE_FRAGMENT_ROOT:
// case DartElement.PACKAGE_FRAGMENT:
// deltaProcessor.projectCachesToReset.add(element.getDartProject());
// break;
// }
// }
deltaProcessor.resetProjectCaches();
// fire only iff:
// - the operation is a top level operation
// - the operation did produce some delta(s)
// - but the operation has not modified any resource
if (isTopLevelOperation()) {
// if ((deltaProcessor.dartModelDeltas.size() > previousDeltaCount ||
// !deltaProcessor.reconcileDeltas.isEmpty())
// && !hasModifiedResource()) {
// deltaProcessor.fire(null, DeltaProcessor.DEFAULT_CHANGE_EVENT);
// } // else deltas are fired while processing the resource delta
}
} finally {
popOperation();
}
}
}
| public void run(IProgressMonitor monitor) throws CoreException {
DartCore.notYetImplemented();
DartModelManager manager = DartModelManager.getInstance();
DeltaProcessor deltaProcessor = manager.getDeltaProcessor();
int previousDeltaCount = deltaProcessor.dartModelDeltas.size();
try {
progressMonitor = monitor;
pushOperation(this);
try {
if (canModifyRoots()) {
// // computes the root infos before executing the operation
// // noop if already initialized
// DartModelManager.getInstance().getDeltaState().initializeRoots(false);
}
executeOperation();
} finally {
if (isTopLevelOperation()) {
runPostActions();
}
}
} finally {
try {
// re-acquire delta processor as it can have been reset during
// executeOperation()
deltaProcessor = manager.getDeltaProcessor();
// update DartModel using deltas that were recorded during this
// operation
for (int i = previousDeltaCount, size = deltaProcessor.dartModelDeltas.size(); i < size; i++) {
deltaProcessor.updateDartModel(deltaProcessor.dartModelDeltas.get(i));
}
// // close the parents of the created elements and reset their
// // project's cache (in case we are in an IWorkspaceRunnable and the
// // clients wants to use the created element's parent)
// // see https://bugs.eclipse.org/bugs/show_bug.cgi?id=83646
// for (int i = 0, length = resultElements.length; i < length; i++)
// {
// DartElement element = resultElements[i];
// Openable openable = (Openable) element.getOpenable();
// if (!(openable instanceof CompilationUnit) || !((CompilationUnit)
// openable).isWorkingCopy()) { // a working copy must remain a child of
// its parent even after a move
// ((DartElementImpl) openable.getParent()).close();
// }
// switch (element.getElementType()) {
// case DartElement.PACKAGE_FRAGMENT_ROOT:
// case DartElement.PACKAGE_FRAGMENT:
// deltaProcessor.projectCachesToReset.add(element.getDartProject());
// break;
// }
// }
deltaProcessor.resetProjectCaches();
// fire only iff:
// - the operation is a top level operation
// - the operation did produce some delta(s)
// - but the operation has not modified any resource
if (isTopLevelOperation()) {
if ((deltaProcessor.dartModelDeltas.size() > previousDeltaCount || !deltaProcessor.reconcileDeltas.isEmpty())
&& !hasModifiedResource()) {
deltaProcessor.fire(null, DeltaProcessor.DEFAULT_CHANGE_EVENT);
} // else deltas are fired while processing the resource delta
}
} finally {
popOperation();
}
}
}
|
diff --git a/src/com/cianmcgovern/giveit/GiveMe.java b/src/com/cianmcgovern/giveit/GiveMe.java
index f5ca86f..aacd398 100644
--- a/src/com/cianmcgovern/giveit/GiveMe.java
+++ b/src/com/cianmcgovern/giveit/GiveMe.java
@@ -1,81 +1,81 @@
package com.cianmcgovern.giveit;
import org.bukkit.command.CommandSender;
import org.bukkit.entity.Player;
import org.bukkit.ChatColor;
import org.bukkit.inventory.ItemStack;
import org.bukkit.inventory.PlayerInventory;
/**
* This class deals with the /giveme command
*
* @author [email protected]
* @version 1.3
*
*
*/
public class GiveMe {
// Use the values defined in GiveIt
public String name = GiveIt.name;
public int amount = GiveIt.amount;
private IdChange idchange = new IdChange();
private final LogToFile log = new LogToFile();
// Carry out checks and give player requested items
public boolean giveme(CommandSender sender, String[] trimmedArgs){
if ((trimmedArgs[0] == null) || (trimmedArgs[1]== null)) {
return false;
}
Player player = (Player)sender;
PlayerInventory inventory = player.getInventory();
String item = idchange.idChange(trimmedArgs[0]);
// Check to see if the player requested an item that isn't allowed
if(GiveIt.prop.getProperty(item)==null){
player.sendMessage(ChatColor.DARK_RED+ "GiveIt: Sorry but it is not possible to spawn that item");
return true;
}
else if(GiveIt.prop.getProperty(item).contains(".")==true){
// Parse the player's name from the allowed.txt file
String in = GiveIt.prop.getProperty(item);
int position = in.indexOf(".");
amount = Integer.parseInt(in.substring(0, position));
name = in.substring(position+1,in.length());
if(Integer.parseInt(trimmedArgs[1])<=amount && name.equalsIgnoreCase(player.getName())){
amount = Integer.parseInt(GiveIt.prop.getProperty(item));
ItemStack itemstack = new ItemStack(Integer.valueOf(item));
itemstack.setAmount(Integer.parseInt(trimmedArgs[1]));
inventory.addItem(itemstack);
// Log the player's requested items to log file
log.writeOut(player, item, trimmedArgs[1]);
player.sendMessage(ChatColor.BLUE+ "GiveIt: Item added to your inventory");
}
// Send a message to the player telling them to choose a lower amount
else if(Integer.parseInt(trimmedArgs[1])>amount && name.equalsIgnoreCase(player.getName()))
player.sendMessage(ChatColor.DARK_RED+ "GiveIt: Sorry, please choose a lower amount");
else if(!name.equalsIgnoreCase(player.getName()))
player.sendMessage(ChatColor.DARK_RED+ "GiveIt: Sorry, but you are not allowed to spawn that item");
return true;
}
else if(GiveIt.prop.getProperty(item).contains(".")==false){
amount = Integer.parseInt(GiveIt.prop.getProperty(item));
ItemStack itemstack = new ItemStack(Integer.valueOf(item));
itemstack.setAmount(Integer.parseInt(trimmedArgs[1]));
inventory.addItem(itemstack);
player.sendMessage(ChatColor.BLUE+ "GiveIt: Item added to your inventory");
// Log the player's requested items to log file
log.writeOut(player, item, trimmedArgs[1]);
- return true;
+ //return true;
}
// Send a message to the player telling them to choose a lower amount
else if(Integer.parseInt(trimmedArgs[1])>amount){
player.sendMessage(ChatColor.DARK_RED+ "GiveIt: Sorry, please choose a lower amount");
- return true;
+ //return true;
}
return true;
}
}
| false | true | public boolean giveme(CommandSender sender, String[] trimmedArgs){
if ((trimmedArgs[0] == null) || (trimmedArgs[1]== null)) {
return false;
}
Player player = (Player)sender;
PlayerInventory inventory = player.getInventory();
String item = idchange.idChange(trimmedArgs[0]);
// Check to see if the player requested an item that isn't allowed
if(GiveIt.prop.getProperty(item)==null){
player.sendMessage(ChatColor.DARK_RED+ "GiveIt: Sorry but it is not possible to spawn that item");
return true;
}
else if(GiveIt.prop.getProperty(item).contains(".")==true){
// Parse the player's name from the allowed.txt file
String in = GiveIt.prop.getProperty(item);
int position = in.indexOf(".");
amount = Integer.parseInt(in.substring(0, position));
name = in.substring(position+1,in.length());
if(Integer.parseInt(trimmedArgs[1])<=amount && name.equalsIgnoreCase(player.getName())){
amount = Integer.parseInt(GiveIt.prop.getProperty(item));
ItemStack itemstack = new ItemStack(Integer.valueOf(item));
itemstack.setAmount(Integer.parseInt(trimmedArgs[1]));
inventory.addItem(itemstack);
// Log the player's requested items to log file
log.writeOut(player, item, trimmedArgs[1]);
player.sendMessage(ChatColor.BLUE+ "GiveIt: Item added to your inventory");
}
// Send a message to the player telling them to choose a lower amount
else if(Integer.parseInt(trimmedArgs[1])>amount && name.equalsIgnoreCase(player.getName()))
player.sendMessage(ChatColor.DARK_RED+ "GiveIt: Sorry, please choose a lower amount");
else if(!name.equalsIgnoreCase(player.getName()))
player.sendMessage(ChatColor.DARK_RED+ "GiveIt: Sorry, but you are not allowed to spawn that item");
return true;
}
else if(GiveIt.prop.getProperty(item).contains(".")==false){
amount = Integer.parseInt(GiveIt.prop.getProperty(item));
ItemStack itemstack = new ItemStack(Integer.valueOf(item));
itemstack.setAmount(Integer.parseInt(trimmedArgs[1]));
inventory.addItem(itemstack);
player.sendMessage(ChatColor.BLUE+ "GiveIt: Item added to your inventory");
// Log the player's requested items to log file
log.writeOut(player, item, trimmedArgs[1]);
return true;
}
// Send a message to the player telling them to choose a lower amount
else if(Integer.parseInt(trimmedArgs[1])>amount){
player.sendMessage(ChatColor.DARK_RED+ "GiveIt: Sorry, please choose a lower amount");
return true;
}
return true;
}
| public boolean giveme(CommandSender sender, String[] trimmedArgs){
if ((trimmedArgs[0] == null) || (trimmedArgs[1]== null)) {
return false;
}
Player player = (Player)sender;
PlayerInventory inventory = player.getInventory();
String item = idchange.idChange(trimmedArgs[0]);
// Check to see if the player requested an item that isn't allowed
if(GiveIt.prop.getProperty(item)==null){
player.sendMessage(ChatColor.DARK_RED+ "GiveIt: Sorry but it is not possible to spawn that item");
return true;
}
else if(GiveIt.prop.getProperty(item).contains(".")==true){
// Parse the player's name from the allowed.txt file
String in = GiveIt.prop.getProperty(item);
int position = in.indexOf(".");
amount = Integer.parseInt(in.substring(0, position));
name = in.substring(position+1,in.length());
if(Integer.parseInt(trimmedArgs[1])<=amount && name.equalsIgnoreCase(player.getName())){
amount = Integer.parseInt(GiveIt.prop.getProperty(item));
ItemStack itemstack = new ItemStack(Integer.valueOf(item));
itemstack.setAmount(Integer.parseInt(trimmedArgs[1]));
inventory.addItem(itemstack);
// Log the player's requested items to log file
log.writeOut(player, item, trimmedArgs[1]);
player.sendMessage(ChatColor.BLUE+ "GiveIt: Item added to your inventory");
}
// Send a message to the player telling them to choose a lower amount
else if(Integer.parseInt(trimmedArgs[1])>amount && name.equalsIgnoreCase(player.getName()))
player.sendMessage(ChatColor.DARK_RED+ "GiveIt: Sorry, please choose a lower amount");
else if(!name.equalsIgnoreCase(player.getName()))
player.sendMessage(ChatColor.DARK_RED+ "GiveIt: Sorry, but you are not allowed to spawn that item");
return true;
}
else if(GiveIt.prop.getProperty(item).contains(".")==false){
amount = Integer.parseInt(GiveIt.prop.getProperty(item));
ItemStack itemstack = new ItemStack(Integer.valueOf(item));
itemstack.setAmount(Integer.parseInt(trimmedArgs[1]));
inventory.addItem(itemstack);
player.sendMessage(ChatColor.BLUE+ "GiveIt: Item added to your inventory");
// Log the player's requested items to log file
log.writeOut(player, item, trimmedArgs[1]);
//return true;
}
// Send a message to the player telling them to choose a lower amount
else if(Integer.parseInt(trimmedArgs[1])>amount){
player.sendMessage(ChatColor.DARK_RED+ "GiveIt: Sorry, please choose a lower amount");
//return true;
}
return true;
}
|
diff --git a/examples/call-controller2/profile-spec/src/main/java/org/mobicents/slee/examples/callcontrol/profile/ProfileCreator.java b/examples/call-controller2/profile-spec/src/main/java/org/mobicents/slee/examples/callcontrol/profile/ProfileCreator.java
index da3f3490b..73baf58a0 100644
--- a/examples/call-controller2/profile-spec/src/main/java/org/mobicents/slee/examples/callcontrol/profile/ProfileCreator.java
+++ b/examples/call-controller2/profile-spec/src/main/java/org/mobicents/slee/examples/callcontrol/profile/ProfileCreator.java
@@ -1,232 +1,232 @@
package org.mobicents.slee.examples.callcontrol.profile;
import java.util.Hashtable;
import java.util.Iterator;
import java.util.Map;
import java.util.Properties;
import java.util.Set;
import java.util.concurrent.Callable;
import java.util.concurrent.ExecutionException;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
import javax.management.Attribute;
import javax.management.ObjectName;
import javax.naming.Context;
import javax.naming.InitialContext;
import javax.slee.Address;
import javax.slee.AddressPlan;
import org.apache.log4j.Logger;
import org.jboss.jmx.adaptor.rmi.RMIAdaptor;
import org.mobicents.slee.container.management.jmx.SleeCommandInterface;
import org.jboss.security.SecurityAssociation;
import org.jboss.security.SimplePrincipal;
public class ProfileCreator {
private static final String CONF="credential.properties";
private static ExecutorService executor = Executors.newSingleThreadExecutor();
private static Logger log = Logger.getLogger(ProfileCreator.class);
public static final String CC2_TABLE = "CallControl";
public static final String CC2_ProfileSpecID = "ProfileSpecificationID[name=CallControlProfileCMP,vendor=org.mobicents,version=0.1]";
public static void createProfiles() {
try {
executor.submit(new Callable<Object>() {
public Object call() throws Exception {
_createProfiles();
return null;
}
}).get();
} catch (InterruptedException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (ExecutionException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
public static void removeProfiles() {
try {
executor.submit(new Callable<Object>() {
public Object call() throws Exception {
_removeProfiles();
return null;
}
}).get();
} catch (InterruptedException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} catch (ExecutionException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
private static void setCallPrincipials(String user, String password) {
if (user != null) {
// Set a security context using the SecurityAssociation
SecurityAssociation.setPrincipal(new SimplePrincipal(user));
// Set password
SecurityAssociation.setCredential(password);
} else {
}
}
private static void _removeProfiles() {
//This cannot be done in Sbb, so we have to cleanup by hand.
try {
String user=null;
String password = null;
Properties props = new Properties();
props.load(Thread.currentThread().getContextClassLoader().getResourceAsStream(CONF));
Iterator<Object> credentialsKeys = props.keySet().iterator();
if(credentialsKeys.hasNext())
{
user = (String) credentialsKeys.next();
password = props.getProperty(user);
}
String jbossBindAddress = System.getProperty("jboss.bind.address");
Hashtable env = new Hashtable();
env.put("java.naming.factory.initial","org.jnp.interfaces.NamingContextFactory");
env.put("java.naming.provider.url", "jnp://"+jbossBindAddress);
env.put("java.naming.factory.url.pkgs","org.jboss.naming:org.jnp.interfaces");
env.put(Context.SECURITY_CREDENTIALS , password);
env.put(Context.SECURITY_PRINCIPAL , user);
RMIAdaptor adaptor = (RMIAdaptor) new InitialContext(env).lookup("jmx/rmi/RMIAdaptor");
//init SCI, pass credentials
//SleeCommandInterface sci = new SleeCommandInterface("jnp://"+ System.getProperty("jboss.bind.address") + ":1099", user, password);
SleeCommandInterface sci = new SleeCommandInterface(adaptor,user,password);
sci.invokeOperation(SleeCommandInterface.REMOVE_PROFILE_TABLE_OPERATION, CC2_ProfileSpecID, CC2_TABLE, null);
} catch (Exception e) {
//e.printStackTrace();
}
}
private static void _createProfiles() {
// TODO change this code to be an exmaple of how to create Slee Profiles
// from an external java app
log.info("Creating profiles for CallControl2 example");
try {
//read user and password;
String user=null;
String password = null;
Properties props = new Properties();
props.load(Thread.currentThread().getContextClassLoader().getResourceAsStream(CONF));
Iterator<Object> credentialsKeys = props.keySet().iterator();
if(credentialsKeys.hasNext())
{
user = (String) credentialsKeys.next();
password = props.getProperty(user);
}
String jbossBindAddress = System.getProperty("jboss.bind.address");
Hashtable env = new Hashtable();
env.put("java.naming.factory.initial","org.jnp.interfaces.NamingContextFactory");
env.put("java.naming.provider.url", "jnp://"+jbossBindAddress);
env.put("java.naming.factory.url.pkgs","org.jboss.naming:org.jnp.interfaces");
env.put(Context.SECURITY_CREDENTIALS , password);
env.put(Context.SECURITY_PRINCIPAL , user);
RMIAdaptor adaptor = (RMIAdaptor) new InitialContext(env).lookup("jmx/rmi/RMIAdaptor");
//init SCI, pass credentials
//SleeCommandInterface sci = new SleeCommandInterface("jnp://"+ System.getProperty("jboss.bind.address") + ":1099", user, password);
SleeCommandInterface sci = new SleeCommandInterface(adaptor,user,password);
String controllerProfileSpecID = "ProfileSpecificationID[name=CallControlProfileCMP,vendor=org.mobicents,version=0.1]";
String profileTableName = "CallControl";
String domain = System.getProperty("jboss.bind.address","127.0.0.1");
try{
setCallPrincipials( user, password);
- sci.invokeOperation("-removeProfileTable", controllerProfileSpecID, profileTableName, null);
+ sci.invokeOperation("-removeProfileTable", profileTableName, null, null);
}catch(Exception e)
{
- //e.printStackTrace();
+ e.printStackTrace();
}
// create profile table
sci.invokeOperation("-createProfileTable", controllerProfileSpecID,profileTableName, null);
log.info("*** AddressProfileTable " + profileTableName + " created.");
Address[] blockedAddresses = {new Address(AddressPlan.SIP, "sip:mobicents@"+domain),new Address(AddressPlan.SIP, "sip:hugo@"+domain)};
newProfile(adaptor,sci,profileTableName, "torosvi", "sip:torosvi@"+domain, blockedAddresses, null, true, user,password);
log.info("********** CREATED PROFILE: torosvi **********");
newProfile(adaptor,sci,profileTableName, "mobicents", "sip:mobicents@"+domain, null, null, false,user,password);
log.info("********** CREATED PROFILE: mobicents **********");
Address backupAddress = new Address(AddressPlan.SIP, "sip:torosvi@"+domain);
newProfile(adaptor,sci,profileTableName, "victor", "sip:victor@"+domain, null, backupAddress, false,user,password);
log.info("********** CREATED PROFILE: victor **********");
newProfile(adaptor,sci,profileTableName, "vhros2", "sip:vhros2@"+domain, null, null, true,user,password);
log.info("********** CREATED PROFILE: vhros2 **********");
newProfile(adaptor,sci,profileTableName, "vmail", "sip:vmail@"+domain, null, null, true,user,password);
log.info("********** CREATED PROFILE: vmail **********");
log.info("Finished creation of call-controller2 Profiles!");
} catch (Exception e) {
e.printStackTrace();
log.error("Failed to create call-controller2 Profiles!",e);
}
}
private static void newProfile(RMIAdaptor adaptor, SleeCommandInterface sci, String profileTableName, String profileName,
String callee, Address[] block, Address backup, boolean state, String user, String password)
throws Exception {
ObjectName profileObjectName = (ObjectName) sci.invokeOperation("-createProfile",
profileTableName, profileName, null);
log.info("*** AddressProfile " + profileName + " created: " + profileObjectName);
setCallPrincipials( user, password);
if (!(Boolean) adaptor.getAttribute(profileObjectName, "ProfileWriteable")) {
Object[] o = new Object[] {};
setCallPrincipials( user, password);
adaptor.invoke(profileObjectName, "editProfile", o, new String[] {});
log.info("*** Setting profile editable.");
} else {
log.info("********* Profile is editable.");
}
// Setting and Committing
Address userAddress = new Address(AddressPlan.SIP, callee);
Attribute userAttr = new Attribute("UserAddress", userAddress);
Attribute blockedAttr = new Attribute("BlockedAddresses", block);
Attribute backupAttr = new Attribute("BackupAddress", backup);
Attribute voicemailAttr = new Attribute("VoicemailState", state);
setCallPrincipials( user, password);
adaptor.setAttribute(profileObjectName, userAttr);
setCallPrincipials( user, password);
adaptor.setAttribute(profileObjectName, blockedAttr);
setCallPrincipials( user, password);
adaptor.setAttribute(profileObjectName, backupAttr);
setCallPrincipials( user, password);
adaptor.setAttribute(profileObjectName, voicemailAttr);
log.info("*** Profile modifications are not committed yet.");
setCallPrincipials( user, password);
adaptor.invoke(profileObjectName, "commitProfile", new Object[] {},new String[] {});
log.info("*** Profile modifications are committed.");
}
}
| false | true | private static void _createProfiles() {
// TODO change this code to be an exmaple of how to create Slee Profiles
// from an external java app
log.info("Creating profiles for CallControl2 example");
try {
//read user and password;
String user=null;
String password = null;
Properties props = new Properties();
props.load(Thread.currentThread().getContextClassLoader().getResourceAsStream(CONF));
Iterator<Object> credentialsKeys = props.keySet().iterator();
if(credentialsKeys.hasNext())
{
user = (String) credentialsKeys.next();
password = props.getProperty(user);
}
String jbossBindAddress = System.getProperty("jboss.bind.address");
Hashtable env = new Hashtable();
env.put("java.naming.factory.initial","org.jnp.interfaces.NamingContextFactory");
env.put("java.naming.provider.url", "jnp://"+jbossBindAddress);
env.put("java.naming.factory.url.pkgs","org.jboss.naming:org.jnp.interfaces");
env.put(Context.SECURITY_CREDENTIALS , password);
env.put(Context.SECURITY_PRINCIPAL , user);
RMIAdaptor adaptor = (RMIAdaptor) new InitialContext(env).lookup("jmx/rmi/RMIAdaptor");
//init SCI, pass credentials
//SleeCommandInterface sci = new SleeCommandInterface("jnp://"+ System.getProperty("jboss.bind.address") + ":1099", user, password);
SleeCommandInterface sci = new SleeCommandInterface(adaptor,user,password);
String controllerProfileSpecID = "ProfileSpecificationID[name=CallControlProfileCMP,vendor=org.mobicents,version=0.1]";
String profileTableName = "CallControl";
String domain = System.getProperty("jboss.bind.address","127.0.0.1");
try{
setCallPrincipials( user, password);
sci.invokeOperation("-removeProfileTable", controllerProfileSpecID, profileTableName, null);
}catch(Exception e)
{
//e.printStackTrace();
}
// create profile table
sci.invokeOperation("-createProfileTable", controllerProfileSpecID,profileTableName, null);
log.info("*** AddressProfileTable " + profileTableName + " created.");
Address[] blockedAddresses = {new Address(AddressPlan.SIP, "sip:mobicents@"+domain),new Address(AddressPlan.SIP, "sip:hugo@"+domain)};
newProfile(adaptor,sci,profileTableName, "torosvi", "sip:torosvi@"+domain, blockedAddresses, null, true, user,password);
log.info("********** CREATED PROFILE: torosvi **********");
newProfile(adaptor,sci,profileTableName, "mobicents", "sip:mobicents@"+domain, null, null, false,user,password);
log.info("********** CREATED PROFILE: mobicents **********");
Address backupAddress = new Address(AddressPlan.SIP, "sip:torosvi@"+domain);
newProfile(adaptor,sci,profileTableName, "victor", "sip:victor@"+domain, null, backupAddress, false,user,password);
log.info("********** CREATED PROFILE: victor **********");
newProfile(adaptor,sci,profileTableName, "vhros2", "sip:vhros2@"+domain, null, null, true,user,password);
log.info("********** CREATED PROFILE: vhros2 **********");
newProfile(adaptor,sci,profileTableName, "vmail", "sip:vmail@"+domain, null, null, true,user,password);
log.info("********** CREATED PROFILE: vmail **********");
log.info("Finished creation of call-controller2 Profiles!");
} catch (Exception e) {
e.printStackTrace();
log.error("Failed to create call-controller2 Profiles!",e);
}
}
| private static void _createProfiles() {
// TODO change this code to be an exmaple of how to create Slee Profiles
// from an external java app
log.info("Creating profiles for CallControl2 example");
try {
//read user and password;
String user=null;
String password = null;
Properties props = new Properties();
props.load(Thread.currentThread().getContextClassLoader().getResourceAsStream(CONF));
Iterator<Object> credentialsKeys = props.keySet().iterator();
if(credentialsKeys.hasNext())
{
user = (String) credentialsKeys.next();
password = props.getProperty(user);
}
String jbossBindAddress = System.getProperty("jboss.bind.address");
Hashtable env = new Hashtable();
env.put("java.naming.factory.initial","org.jnp.interfaces.NamingContextFactory");
env.put("java.naming.provider.url", "jnp://"+jbossBindAddress);
env.put("java.naming.factory.url.pkgs","org.jboss.naming:org.jnp.interfaces");
env.put(Context.SECURITY_CREDENTIALS , password);
env.put(Context.SECURITY_PRINCIPAL , user);
RMIAdaptor adaptor = (RMIAdaptor) new InitialContext(env).lookup("jmx/rmi/RMIAdaptor");
//init SCI, pass credentials
//SleeCommandInterface sci = new SleeCommandInterface("jnp://"+ System.getProperty("jboss.bind.address") + ":1099", user, password);
SleeCommandInterface sci = new SleeCommandInterface(adaptor,user,password);
String controllerProfileSpecID = "ProfileSpecificationID[name=CallControlProfileCMP,vendor=org.mobicents,version=0.1]";
String profileTableName = "CallControl";
String domain = System.getProperty("jboss.bind.address","127.0.0.1");
try{
setCallPrincipials( user, password);
sci.invokeOperation("-removeProfileTable", profileTableName, null, null);
}catch(Exception e)
{
e.printStackTrace();
}
// create profile table
sci.invokeOperation("-createProfileTable", controllerProfileSpecID,profileTableName, null);
log.info("*** AddressProfileTable " + profileTableName + " created.");
Address[] blockedAddresses = {new Address(AddressPlan.SIP, "sip:mobicents@"+domain),new Address(AddressPlan.SIP, "sip:hugo@"+domain)};
newProfile(adaptor,sci,profileTableName, "torosvi", "sip:torosvi@"+domain, blockedAddresses, null, true, user,password);
log.info("********** CREATED PROFILE: torosvi **********");
newProfile(adaptor,sci,profileTableName, "mobicents", "sip:mobicents@"+domain, null, null, false,user,password);
log.info("********** CREATED PROFILE: mobicents **********");
Address backupAddress = new Address(AddressPlan.SIP, "sip:torosvi@"+domain);
newProfile(adaptor,sci,profileTableName, "victor", "sip:victor@"+domain, null, backupAddress, false,user,password);
log.info("********** CREATED PROFILE: victor **********");
newProfile(adaptor,sci,profileTableName, "vhros2", "sip:vhros2@"+domain, null, null, true,user,password);
log.info("********** CREATED PROFILE: vhros2 **********");
newProfile(adaptor,sci,profileTableName, "vmail", "sip:vmail@"+domain, null, null, true,user,password);
log.info("********** CREATED PROFILE: vmail **********");
log.info("Finished creation of call-controller2 Profiles!");
} catch (Exception e) {
e.printStackTrace();
log.error("Failed to create call-controller2 Profiles!",e);
}
}
|
diff --git a/src/com/jpii/navalbattle/pavo/GameWindow.java b/src/com/jpii/navalbattle/pavo/GameWindow.java
index b30de44b..c5fe1d78 100644
--- a/src/com/jpii/navalbattle/pavo/GameWindow.java
+++ b/src/com/jpii/navalbattle/pavo/GameWindow.java
@@ -1,139 +1,139 @@
/**
*
*/
package com.jpii.navalbattle.pavo;
import java.awt.*;
import java.awt.event.MouseEvent;
import java.awt.image.BufferedImage;
import com.jpii.navalbattle.renderer.Helper;
/**
* @author MKirkby
*
*/
public class GameWindow extends Renderable {
Color bck_clr;
boolean showTitle;
String title;
boolean visible;
WindowManager prent;
public GameWindow() {
bck_clr = new Color(193,172,134);
showTitle = true;
title = "GameWindow";
visible = true;
prent = WindowManager.Inst;
}
public WindowManager getWinMan() {
return prent;
}
public void setWinMan(WindowManager wm) {
prent = wm;
}
public void render() {
buffer = new BufferedImage(getWidth()+1,getHeight()+1,BufferedImage.TYPE_INT_ARGB);
Graphics2D g = PavoHelper.createGraphics(buffer);
g.setColor(Color.black);
g.drawRect(0,0,getWidth()-1,getHeight()-1);
g.setColor(getBackgroundColor());
g.fillRect(1,1,getWidth()-2,getHeight()-2);
if (isTitleShown()) {
g.setColor(getBackgroundColor().darker().darker());
g.fillRect(1,1,getWidth()-2,24);
g.setColor(Color.black);
g.drawRect(0,0,getWidth()-1,24);
BufferedImage adapter = new BufferedImage(getWidth()-2,24,BufferedImage.TYPE_INT_ARGB);
Graphics2D g2 = PavoHelper.createGraphics(adapter);
- g2.setColor(Color.black);
+ g2.setColor(Color.white);
g2.setFont(Helper.GUI_GAME_FONT);
g2.drawString(title,3,20);
g.drawImage(adapter, 1,1, null);
g.setColor(new Color(126,105,65));
g.fillRect(getWidth()-23,2,20,20);
g.setColor(Color.black);
g.drawRect(getWidth()-23,2,20,20);
g.setColor(Color.white);
g.drawLine(getWidth()-20,5,getWidth()-6,19);
g.drawLine(getWidth()-6,5,getWidth()-20,19);
}
}
public String getTitle() {
return title;
}
public void setTitle(String titl) {
title = titl;
}
public boolean isTitleShown() {
return showTitle;
}
public void setTitleVisiblity(boolean b) {
showTitle = b;
}
public Color getBackgroundColor() {
return bck_clr;
}
public void setBackgroundColor(Color colour) {
bck_clr = colour;
}
public void setWidth(int w) {
width = w;
render();
}
public void setHeight(int h) {
height = h;
render();
}
public void setSize(int w, int h) {
width = w;
height = h;
render();
}
public void setVisible(boolean vale) {
visible = vale;
}
public boolean isVisible() {
return visible;
}
public void onCloseCalled() {
setVisible(false);
}
int x,y;
public int getX() {
return x;
}
public int getY() {
return y;
}
public void setLoc(int x, int y) {
this.x = x;
this.y = y;
}
boolean shutdown = false;
public boolean needsShutdown() {
return shutdown;
}
public void forceShutdown() {
shutdown = true;
}
public void mouseDown(MouseEvent me) {
boolean flag = false;
int mx = me.getX();
int my = me.getY();
if (isTitleShown() && isVisible()) {
if (mx >= getWidth()-23+getX() && mx <= getWidth()-3+getX() && my >= getY() + 2 && my <= getY() + 20) {
onCloseCalled();
forceShutdown();
}
checkOtherDown(me);
}
}
public void mouseMove(MouseEvent me) {
}
public void mouseUp(MouseEvent me) {
}
public boolean checkOtherDown(MouseEvent me) {
return false;
}
}
| true | true | public void render() {
buffer = new BufferedImage(getWidth()+1,getHeight()+1,BufferedImage.TYPE_INT_ARGB);
Graphics2D g = PavoHelper.createGraphics(buffer);
g.setColor(Color.black);
g.drawRect(0,0,getWidth()-1,getHeight()-1);
g.setColor(getBackgroundColor());
g.fillRect(1,1,getWidth()-2,getHeight()-2);
if (isTitleShown()) {
g.setColor(getBackgroundColor().darker().darker());
g.fillRect(1,1,getWidth()-2,24);
g.setColor(Color.black);
g.drawRect(0,0,getWidth()-1,24);
BufferedImage adapter = new BufferedImage(getWidth()-2,24,BufferedImage.TYPE_INT_ARGB);
Graphics2D g2 = PavoHelper.createGraphics(adapter);
g2.setColor(Color.black);
g2.setFont(Helper.GUI_GAME_FONT);
g2.drawString(title,3,20);
g.drawImage(adapter, 1,1, null);
g.setColor(new Color(126,105,65));
g.fillRect(getWidth()-23,2,20,20);
g.setColor(Color.black);
g.drawRect(getWidth()-23,2,20,20);
g.setColor(Color.white);
g.drawLine(getWidth()-20,5,getWidth()-6,19);
g.drawLine(getWidth()-6,5,getWidth()-20,19);
}
}
| public void render() {
buffer = new BufferedImage(getWidth()+1,getHeight()+1,BufferedImage.TYPE_INT_ARGB);
Graphics2D g = PavoHelper.createGraphics(buffer);
g.setColor(Color.black);
g.drawRect(0,0,getWidth()-1,getHeight()-1);
g.setColor(getBackgroundColor());
g.fillRect(1,1,getWidth()-2,getHeight()-2);
if (isTitleShown()) {
g.setColor(getBackgroundColor().darker().darker());
g.fillRect(1,1,getWidth()-2,24);
g.setColor(Color.black);
g.drawRect(0,0,getWidth()-1,24);
BufferedImage adapter = new BufferedImage(getWidth()-2,24,BufferedImage.TYPE_INT_ARGB);
Graphics2D g2 = PavoHelper.createGraphics(adapter);
g2.setColor(Color.white);
g2.setFont(Helper.GUI_GAME_FONT);
g2.drawString(title,3,20);
g.drawImage(adapter, 1,1, null);
g.setColor(new Color(126,105,65));
g.fillRect(getWidth()-23,2,20,20);
g.setColor(Color.black);
g.drawRect(getWidth()-23,2,20,20);
g.setColor(Color.white);
g.drawLine(getWidth()-20,5,getWidth()-6,19);
g.drawLine(getWidth()-6,5,getWidth()-20,19);
}
}
|
diff --git a/deegree-core/deegree-core-base/src/main/java/org/deegree/protocol/wfs/AbstractWFSRequestXMLAdapter.java b/deegree-core/deegree-core-base/src/main/java/org/deegree/protocol/wfs/AbstractWFSRequestXMLAdapter.java
index f5338f1522..e7ae016f89 100644
--- a/deegree-core/deegree-core-base/src/main/java/org/deegree/protocol/wfs/AbstractWFSRequestXMLAdapter.java
+++ b/deegree-core/deegree-core-base/src/main/java/org/deegree/protocol/wfs/AbstractWFSRequestXMLAdapter.java
@@ -1,85 +1,89 @@
/*----------------------------------------------------------------------------
This file is part of deegree, http://deegree.org/
Copyright (C) 2001-2009 by:
Department of Geography, University of Bonn
and
lat/lon GmbH
This library is free software; you can redistribute it and/or modify it under
the terms of the GNU Lesser General Public License as published by the Free
Software Foundation; either version 2.1 of the License, or (at your option)
any later version.
This library is distributed in the hope that it will be useful, but WITHOUT
ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS
FOR A PARTICULAR PURPOSE. See the GNU Lesser General Public License for more
details.
You should have received a copy of the GNU Lesser General Public License
along with this library; if not, write to the Free Software Foundation, Inc.,
59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
Contact information:
lat/lon GmbH
Aennchenstr. 19, 53177 Bonn
Germany
http://lat-lon.de/
Department of Geography, University of Bonn
Prof. Dr. Klaus Greve
Postfach 1147, 53001 Bonn
Germany
http://www.geographie.uni-bonn.de/deegree/
e-mail: [email protected]
----------------------------------------------------------------------------*/
package org.deegree.protocol.wfs;
import static org.deegree.commons.xml.CommonNamespaces.FES_20_NS;
import static org.deegree.commons.xml.CommonNamespaces.FES_PREFIX;
import static org.deegree.protocol.wfs.WFSConstants.WFS_NS;
import org.deegree.commons.tom.ows.Version;
import org.deegree.commons.xml.NamespaceBindings;
import org.deegree.commons.xml.XMLAdapter;
import org.deegree.commons.xml.XPath;
/**
* Provides basic functionality for parsing WFS XML requests.
*
* @author <a href="mailto:[email protected]">Markus Schneider</a>
* @author last edited by: $Author: schneider $
*
* @version $Revision: $, $Date: $
*/
public abstract class AbstractWFSRequestXMLAdapter extends XMLAdapter {
/** Namespace context with predefined bindings "wfs" and "wfs200" */
protected static final NamespaceBindings nsContext;
/** Namespace binding for WFS 1.0.0 and WFS 1.1.0 constructs */
protected final static String WFS_PREFIX = "wfs";
/** Namespace binding for WFS 2.0.0 constructs */
protected final static String WFS_200_PREFIX = "wfs200";
static {
nsContext = new NamespaceBindings( XMLAdapter.nsContext );
nsContext.addNamespace( WFS_PREFIX, WFSConstants.WFS_NS );
nsContext.addNamespace( WFS_200_PREFIX, WFSConstants.WFS_200_NS );
nsContext.addNamespace( FES_PREFIX, FES_20_NS );
}
/**
* Returns the protocol version for the given WFS request element based on the value of the <code>version</code>
* attribute (for WFS 1.1.0, this attribute is optional and thus it is assumed that missing implies 1.1.0).
*
* @return protocol version based on <code>version</code> attribute (if missing and namespace is WFS 1.0.0/1.1.0,
* version is assumed to be 1.1.0)
*/
protected Version determineVersion110Safe() {
if ( WFS_NS.equals( rootElement.getQName().getNamespaceURI() ) ) {
- return Version.parseVersion( getNodeAsString( rootElement, new XPath( "@version", nsContext ), "1.1.0" ) );
+ String s = getNodeAsString( rootElement, new XPath( "@version", nsContext ), "1.1.0" );
+ if ( s.isEmpty() ) {
+ s = "1.1.0";
+ }
+ return Version.parseVersion( s );
}
return Version.parseVersion( getRequiredNodeAsString( rootElement, new XPath( "@version", nsContext ) ) );
}
}
| true | true | protected Version determineVersion110Safe() {
if ( WFS_NS.equals( rootElement.getQName().getNamespaceURI() ) ) {
return Version.parseVersion( getNodeAsString( rootElement, new XPath( "@version", nsContext ), "1.1.0" ) );
}
return Version.parseVersion( getRequiredNodeAsString( rootElement, new XPath( "@version", nsContext ) ) );
}
| protected Version determineVersion110Safe() {
if ( WFS_NS.equals( rootElement.getQName().getNamespaceURI() ) ) {
String s = getNodeAsString( rootElement, new XPath( "@version", nsContext ), "1.1.0" );
if ( s.isEmpty() ) {
s = "1.1.0";
}
return Version.parseVersion( s );
}
return Version.parseVersion( getRequiredNodeAsString( rootElement, new XPath( "@version", nsContext ) ) );
}
|
diff --git a/src/com/LRFLEW/bukkit/skygrid/SkyGridGenerator.java b/src/com/LRFLEW/bukkit/skygrid/SkyGridGenerator.java
index e4bf903..69f6204 100644
--- a/src/com/LRFLEW/bukkit/skygrid/SkyGridGenerator.java
+++ b/src/com/LRFLEW/bukkit/skygrid/SkyGridGenerator.java
@@ -1,87 +1,88 @@
package com.LRFLEW.bukkit.skygrid;
import java.util.ArrayList;
import java.util.List;
import java.util.Random;
import org.bukkit.Location;
import org.bukkit.World;
import org.bukkit.generator.BlockPopulator;
import org.bukkit.generator.ChunkGenerator;
public class SkyGridGenerator extends ChunkGenerator {
@Override
public byte[][] generateBlockSections(World world, Random random, int chunkx, int chunkz, BiomeGrid biomes) {
byte blockid;
BlockProbobility p = WorldStyles.get(world.getEnvironment()).p;
int vsegs = world.getMaxHeight() / 16;
byte[][] chunk = new byte[vsegs][];
boolean b;
byte t;
for (int ys = 0; ys < vsegs; ys++) {
chunk[ys] = new byte[4096];
for (int x = 0; x < 16; x += 4) {
for (int y = 0; y < 16; y += 4) {
for (int z = 0; z < 16; z += 4) {
if (y == 0) {
- t = getBlock(chunk[ys - 1], x, 13, z);
+ if (ys != 0) t = getBlock(chunk[ys - 1], x, 13, z);
+ else t = 0;
} else {
t = getBlock(chunk[ys], x, y - 3, z);
}
b = t == 81 || t == 83;
blockid = p.getBlock(random, y == 0 && ys == 0, b);
if(blockid == 6 || blockid == 31 || blockid == 32 || blockid == 37 ||
blockid == 38 || blockid == 39 || blockid == 40 || blockid == 83) {
setBlock(chunk[ys], x, y, z, 3); //dirt
setBlock(chunk[ys], x, y+1, z, blockid);
if (blockid == 83) //reeds
setBlock(chunk[ys], x+1, y, z, 9); //still water
} else if (blockid == 81) { //cactus
setBlock(chunk[ys], x, y, z, 12); //sand
if (y == 0) setBlock(chunk[ys-1], x, y+15, z, 106); //vines
else setBlock(chunk[ys], x, y-1, z, 106); //vines
setBlock(chunk[ys], x, y+1, z, blockid);
} else if (blockid == 115) { //netherwart
setBlock(chunk[ys], x, y, z, 112); //netherbrick
setBlock(chunk[ys], x, y+1, z, blockid);
} else {
setBlock(chunk[ys], x, y, z, blockid);
}
}
}
}
}
return chunk;
}
void setBlock(byte[] subchunk, int x, int y, int z, int blkid) {
setBlock(subchunk, x, y, z, (byte) blkid);
}
void setBlock(byte[] subchunk, int x, int y, int z, byte blkid) {
subchunk[((y) << 8) | (z << 4) | x] = blkid;
}
byte getBlock(byte[] subchunk, int x, int y, int z) {
return subchunk[((y) << 8) | (z << 4) | x];
}
@Override
public List<BlockPopulator> getDefaultPopulators(World world) {
List<BlockPopulator> list = new ArrayList<BlockPopulator>(1);
list.add(new SkyGridPopulator());
return list;
}
@Override
public Location getFixedSpawnLocation(World world, Random random) {
return new Location(world, 0.5, 201, 0.5);
}
}
| true | true | public byte[][] generateBlockSections(World world, Random random, int chunkx, int chunkz, BiomeGrid biomes) {
byte blockid;
BlockProbobility p = WorldStyles.get(world.getEnvironment()).p;
int vsegs = world.getMaxHeight() / 16;
byte[][] chunk = new byte[vsegs][];
boolean b;
byte t;
for (int ys = 0; ys < vsegs; ys++) {
chunk[ys] = new byte[4096];
for (int x = 0; x < 16; x += 4) {
for (int y = 0; y < 16; y += 4) {
for (int z = 0; z < 16; z += 4) {
if (y == 0) {
t = getBlock(chunk[ys - 1], x, 13, z);
} else {
t = getBlock(chunk[ys], x, y - 3, z);
}
b = t == 81 || t == 83;
blockid = p.getBlock(random, y == 0 && ys == 0, b);
if(blockid == 6 || blockid == 31 || blockid == 32 || blockid == 37 ||
blockid == 38 || blockid == 39 || blockid == 40 || blockid == 83) {
setBlock(chunk[ys], x, y, z, 3); //dirt
setBlock(chunk[ys], x, y+1, z, blockid);
if (blockid == 83) //reeds
setBlock(chunk[ys], x+1, y, z, 9); //still water
} else if (blockid == 81) { //cactus
setBlock(chunk[ys], x, y, z, 12); //sand
if (y == 0) setBlock(chunk[ys-1], x, y+15, z, 106); //vines
else setBlock(chunk[ys], x, y-1, z, 106); //vines
setBlock(chunk[ys], x, y+1, z, blockid);
} else if (blockid == 115) { //netherwart
setBlock(chunk[ys], x, y, z, 112); //netherbrick
setBlock(chunk[ys], x, y+1, z, blockid);
} else {
setBlock(chunk[ys], x, y, z, blockid);
}
}
}
}
}
return chunk;
}
| public byte[][] generateBlockSections(World world, Random random, int chunkx, int chunkz, BiomeGrid biomes) {
byte blockid;
BlockProbobility p = WorldStyles.get(world.getEnvironment()).p;
int vsegs = world.getMaxHeight() / 16;
byte[][] chunk = new byte[vsegs][];
boolean b;
byte t;
for (int ys = 0; ys < vsegs; ys++) {
chunk[ys] = new byte[4096];
for (int x = 0; x < 16; x += 4) {
for (int y = 0; y < 16; y += 4) {
for (int z = 0; z < 16; z += 4) {
if (y == 0) {
if (ys != 0) t = getBlock(chunk[ys - 1], x, 13, z);
else t = 0;
} else {
t = getBlock(chunk[ys], x, y - 3, z);
}
b = t == 81 || t == 83;
blockid = p.getBlock(random, y == 0 && ys == 0, b);
if(blockid == 6 || blockid == 31 || blockid == 32 || blockid == 37 ||
blockid == 38 || blockid == 39 || blockid == 40 || blockid == 83) {
setBlock(chunk[ys], x, y, z, 3); //dirt
setBlock(chunk[ys], x, y+1, z, blockid);
if (blockid == 83) //reeds
setBlock(chunk[ys], x+1, y, z, 9); //still water
} else if (blockid == 81) { //cactus
setBlock(chunk[ys], x, y, z, 12); //sand
if (y == 0) setBlock(chunk[ys-1], x, y+15, z, 106); //vines
else setBlock(chunk[ys], x, y-1, z, 106); //vines
setBlock(chunk[ys], x, y+1, z, blockid);
} else if (blockid == 115) { //netherwart
setBlock(chunk[ys], x, y, z, 112); //netherbrick
setBlock(chunk[ys], x, y+1, z, blockid);
} else {
setBlock(chunk[ys], x, y, z, blockid);
}
}
}
}
}
return chunk;
}
|
diff --git a/brix-core/src/main/java/brix/jcr/jackrabbit/HtmlTextExtractor.java b/brix-core/src/main/java/brix/jcr/jackrabbit/HtmlTextExtractor.java
index f14471c..3911889 100644
--- a/brix-core/src/main/java/brix/jcr/jackrabbit/HtmlTextExtractor.java
+++ b/brix-core/src/main/java/brix/jcr/jackrabbit/HtmlTextExtractor.java
@@ -1,87 +1,87 @@
/*
* Licensed to the Apache Software Foundation (ASF) under one or more
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
* The ASF licenses this file to You under the Apache License, Version 2.0
* (the "License"); you may not use this file except in compliance with
* the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package brix.jcr.jackrabbit;
import java.io.IOException;
import java.io.InputStream;
import java.io.Reader;
import java.io.StringReader;
import org.apache.jackrabbit.extractor.AbstractTextExtractor;
import org.htmlparser.Node;
import org.htmlparser.Text;
import org.htmlparser.lexer.Lexer;
import org.htmlparser.lexer.Page;
import org.htmlparser.util.ParserException;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
/**
* Html text extractor that will not choke on an undeclared namespace and log an ugly stacktrace
* like the one that comes with jackrabbit.
*
* TODO: skip text sections such as javascript and css style blocks
*/
public class HtmlTextExtractor extends AbstractTextExtractor
{
/** logger */
private static final Logger logger = LoggerFactory.getLogger(HtmlTextExtractor.class);
/**
* Constructor
*/
public HtmlTextExtractor()
{
super(new String[] { "text/html" });
}
/** {@inheritDoc} */
public Reader extractText(InputStream stream, String type, String encoding) throws IOException
{
try
{
StringBuilder textBuffer = new StringBuilder();
// parse html using lexer
Lexer lexer = new Lexer(new Page(stream, encoding));
for (Node node = lexer.nextNode(); node != null; node = lexer.nextNode())
{
if (node instanceof Text)
{
// text nodes are the ones containing text
final String text = ((Text)node).getText().trim();
- if (!text.isEmpty())
+ if (text.length() > 0)
{
// if text has non-whitespace chars append them
textBuffer.append(((Text)node).getText()).append(" ");
}
}
}
return new StringReader(textBuffer.toString());
}
catch (ParserException e)
{
logger.warn("Failed to extract HTML text content", e);
return new StringReader("");
}
finally
{
stream.close();
}
}
}
| true | true | public Reader extractText(InputStream stream, String type, String encoding) throws IOException
{
try
{
StringBuilder textBuffer = new StringBuilder();
// parse html using lexer
Lexer lexer = new Lexer(new Page(stream, encoding));
for (Node node = lexer.nextNode(); node != null; node = lexer.nextNode())
{
if (node instanceof Text)
{
// text nodes are the ones containing text
final String text = ((Text)node).getText().trim();
if (!text.isEmpty())
{
// if text has non-whitespace chars append them
textBuffer.append(((Text)node).getText()).append(" ");
}
}
}
return new StringReader(textBuffer.toString());
}
catch (ParserException e)
{
logger.warn("Failed to extract HTML text content", e);
return new StringReader("");
}
finally
{
stream.close();
}
}
| public Reader extractText(InputStream stream, String type, String encoding) throws IOException
{
try
{
StringBuilder textBuffer = new StringBuilder();
// parse html using lexer
Lexer lexer = new Lexer(new Page(stream, encoding));
for (Node node = lexer.nextNode(); node != null; node = lexer.nextNode())
{
if (node instanceof Text)
{
// text nodes are the ones containing text
final String text = ((Text)node).getText().trim();
if (text.length() > 0)
{
// if text has non-whitespace chars append them
textBuffer.append(((Text)node).getText()).append(" ");
}
}
}
return new StringReader(textBuffer.toString());
}
catch (ParserException e)
{
logger.warn("Failed to extract HTML text content", e);
return new StringReader("");
}
finally
{
stream.close();
}
}
|
diff --git a/util-datatables/src/main/java/org/gvnix/web/datatables/util/DatatablesUtils.java b/util-datatables/src/main/java/org/gvnix/web/datatables/util/DatatablesUtils.java
index 4534b6e0..ff73d8e2 100644
--- a/util-datatables/src/main/java/org/gvnix/web/datatables/util/DatatablesUtils.java
+++ b/util-datatables/src/main/java/org/gvnix/web/datatables/util/DatatablesUtils.java
@@ -1,666 +1,671 @@
/*
* gvNIX. Spring Roo based RAD tool for Generalitat Valenciana
* Copyright (C) 2013 Generalitat Valenciana
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/copyleft/gpl.html>.
*/
package org.gvnix.web.datatables.util;
import java.text.DateFormat;
import java.text.SimpleDateFormat;
import java.util.ArrayList;
import java.util.Calendar;
import java.util.Date;
import java.util.HashMap;
import java.util.HashSet;
import java.util.List;
import java.util.Map;
import java.util.Set;
import javax.persistence.EntityManager;
import org.apache.commons.lang3.ArrayUtils;
import org.apache.commons.lang3.StringUtils;
import org.gvnix.web.datatables.query.SearchResults;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.BeanUtils;
import org.springframework.beans.BeanWrapper;
import org.springframework.beans.BeanWrapperImpl;
import org.springframework.core.convert.ConversionService;
import org.springframework.util.Assert;
import org.springframework.util.CollectionUtils;
import org.springframework.util.ObjectUtils;
import com.github.dandelion.datatables.core.ajax.ColumnDef;
import com.github.dandelion.datatables.core.ajax.ColumnDef.SortDirection;
import com.github.dandelion.datatables.core.ajax.DataSet;
import com.github.dandelion.datatables.core.ajax.DatatablesCriterias;
import com.mysema.query.BooleanBuilder;
import com.mysema.query.QueryModifiers;
import com.mysema.query.jpa.impl.JPAQuery;
import com.mysema.query.types.Order;
import com.mysema.query.types.OrderSpecifier;
import com.mysema.query.types.path.PathBuilder;
/**
* Datatables utility functions
*
* @author gvNIX team
*/
public class DatatablesUtils {
// Logger
private static Logger logger = LoggerFactory
.getLogger(DatatablesUtils.class);
/**
* Execute a select query on entityClass using {@code DatatablesCriterias}
* information for filter, sort and paginate result.
*
* @param entityClass entity to use in search
* @param entityManager {@code entityClass} {@link EntityManager}
* @param datatablesCriterias datatables parameters for query
* @return
*/
public static <T> SearchResults<T> findByCriteria(Class<T> entityClass,
EntityManager entityManager, DatatablesCriterias datatablesCriterias) {
return findByCriteria(entityClass, null, null, entityManager,
datatablesCriterias, null, false);
}
/**
* Execute a select query on entityClass using {@code DatatablesCriterias}
* information for filter, sort and paginate result.
*
* @param entityClass entity to use in search
* @param entityManager {@code entityClass} {@link EntityManager}
* @param datatablesCriterias datatables parameters for query
* @param baseSearchValuesMap (optional) base filter values
* @return
*/
public static <T> SearchResults<T> findByCriteria(Class<T> entityClass,
EntityManager entityManager,
DatatablesCriterias datatablesCriterias,
Map<String, Object> baseSearchValuesMap) {
return findByCriteria(entityClass, null, null, entityManager,
datatablesCriterias, baseSearchValuesMap, false);
}
/**
* Execute a select query on entityClass using {@code DatatablesCriterias}
* information for filter, sort and paginate result.
*
* @param entityClass entity to use in search
* @param filterByAssociations (optional) for each related entity to join
* contain as key the name of the association and as value the List
* of related entity fields to filter by
* @param orderByAssociations (optional) for each related entity to order
* contain as key the name of the association and as value the List
* of related entity fields to order by
* @param entityManager {@code entityClass} {@link EntityManager}
* @param datatablesCriterias datatables parameters for query
* @param baseSearchValuesMap (optional) base filter values
* @return
*/
public static <T> SearchResults<T> findByCriteria(Class<T> entityClass,
Map<String, List<String>> filterByAssociations,
Map<String, List<String>> orderByAssociations,
EntityManager entityManager,
DatatablesCriterias datatablesCriterias,
Map<String, Object> baseSearchValuesMap) {
return findByCriteria(entityClass, filterByAssociations,
orderByAssociations, entityManager, datatablesCriterias,
baseSearchValuesMap, false);
}
/**
* Execute a select query on entityClass using <a
* href="http://www.querydsl.com/">Querydsl</a> which enables the
* construction of type-safe SQL-like queries.
*
* @param entityClass entity to use in search
* @param filterByAssociations (optional) for each related entity to join
* contain as key the name of the association and as value the List
* of related entity fields to filter by
* @param orderByAssociations (optional) for each related entity to order
* contain as key the name of the association and as value the List
* of related entity fields to order by
* @param entityManager {@code entityClass} {@link EntityManager}
* @param datatablesCriterias datatables parameters for query
* @param baseSearchValuesMap (optional) base filter values
* @param distinct use distinct query
* @return
*/
@SuppressWarnings("unchecked")
public static <T, E extends Comparable<?>> SearchResults<T> findByCriteria(
Class<T> entityClass,
Map<String, List<String>> filterByAssociations,
Map<String, List<String>> orderByAssociations,
EntityManager entityManager,
DatatablesCriterias datatablesCriterias,
Map<String, Object> baseSearchValuesMap, boolean distinct)
throws IllegalArgumentException {
// Check arguments aren't null
Assert.notNull(entityClass);
Assert.notNull(entityManager);
Assert.notNull(datatablesCriterias);
// If null, create empty Map to avoid control code overload
if (CollectionUtils.isEmpty(filterByAssociations)) {
filterByAssociations = new HashMap<String, List<String>>();
}
if (CollectionUtils.isEmpty(orderByAssociations)) {
orderByAssociations = new HashMap<String, List<String>>();
}
// true if data results must be paginated
boolean isPaged = datatablesCriterias.getDisplaySize() != null
&& datatablesCriterias.getDisplaySize() > 0;
// true if the search must take in account all columns
boolean findInAllColumns = StringUtils.isNotEmpty(datatablesCriterias
.getSearch()) && datatablesCriterias.hasOneFilterableColumn();
// Query DSL builder
PathBuilder<T> entity = new PathBuilder<T>(entityClass, "entity");
// ----- Create queries -----
// query will take in account datatables search, order and paging
// criterias
JPAQuery query = new JPAQuery(entityManager);
query = query.from(entity);
// baseQuery will use base search values only in order to count
// all for success paging
JPAQuery baseQuery = new JPAQuery(entityManager);
baseQuery = baseQuery.from(entity);
// ----- Entity associations for Query JOINs, ORDER BY, ... -----
Map<String, PathBuilder<?>> associationMap = new HashMap<String, PathBuilder<?>>();
for (ColumnDef column : datatablesCriterias.getColumnDefs()) {
// true if the search must include this column
boolean findInColumn = StringUtils.isNotEmpty(column.getSearch());
// If no joins given for this column, don't add the JOIN to query
// to improve performance
String associationName = column.getName();
if (!filterByAssociations.containsKey(associationName)) {
continue;
}
// If column is not sortable and is not filterable, don't add the
// JOIN to query to improve performance
if (!column.isSortable() && !column.isFilterable()) {
continue;
}
// If column is not sortable and no search value provided,
// don't add the JOIN to query to improve performance
if (!column.isSortable() && !findInColumn && !findInAllColumns) {
continue;
}
// Here the column is sortable or it is filterable and column search
// value or all-column search value is provided
PathBuilder<?> associationPath = entity.get(associationName);
query = query.join(associationPath);
// Store join path for later use in where
associationMap.put(associationName, associationPath);
}
// ----- Query WHERE clauses -----
// Filters by column. Using BooleanBuilder, a cascading builder for
// Predicate expressions
BooleanBuilder filtersByColumnPredicate = new BooleanBuilder();
// Filters by table (for all columns)
BooleanBuilder filtersByTablePredicate = new BooleanBuilder();
try {
// Build the filters by column expression
if (datatablesCriterias.hasOneFilteredColumn()) {
// Add filterable columns only
for (ColumnDef column : datatablesCriterias.getColumnDefs()) {
// Each column has its own search by value
String searchStr = column.getSearch();
// true if the search must include this column
boolean findInColumn = column.isFilterable()
&& StringUtils.isNotEmpty(searchStr);
if (findInColumn) {
// Entity field name and type
String fieldName = column.getName();
Class<?> fieldType = BeanUtils.findPropertyType(
fieldName,
ArrayUtils.<Class<?>> toArray(entityClass));
// On column search, connect where clauses together by
// AND
// because we want found the records which columns
// match with column filters
filtersByColumnPredicate = filtersByColumnPredicate
.and(QuerydslUtils.createExpression(entity,
fieldName, fieldType, searchStr));
// TODO: Este codigo se puede pasar a QuerydslUtils ?
// If column is an association and there are given
// join attributes, add those attributes to WHERE
// predicates
List<String> attributes = filterByAssociations
.get(fieldName);
if (attributes != null && attributes.size() > 0) {
// Filters of associated entity properties
BooleanBuilder filtersByAssociationPredicate = new BooleanBuilder();
PathBuilder<?> associationPath = associationMap
.get(fieldName);
List<String> associationFields = filterByAssociations
.get(fieldName);
for (String associationFieldName : associationFields) {
// Get associated entity field type
Class<?> associationFieldType = BeanUtils
.findPropertyType(
associationFieldName,
ArrayUtils
.<Class<?>> toArray(fieldType));
// On association search, connect
// associated entity where clauses by OR
// because all assoc entity properties are
// inside the same column and any of its
// property value can match with given search
// value
filtersByAssociationPredicate = filtersByAssociationPredicate
.or(QuerydslUtils
.createExpression(
associationPath,
associationFieldName,
associationFieldType,
searchStr));
}
filtersByColumnPredicate = filtersByColumnPredicate
.and(filtersByAssociationPredicate
.getValue());
}
}
}
}
// Build the query to search the given value in all columns
String searchStr = datatablesCriterias.getSearch();
if (findInAllColumns) {
// Add filterable columns only
for (ColumnDef column : datatablesCriterias.getColumnDefs()) {
if (column.isFilterable()) {
// Entity field name and type
String fieldName = column.getName();
Class<?> fieldType = BeanUtils.findPropertyType(
fieldName,
ArrayUtils.<Class<?>> toArray(entityClass));
// Find in all columns means we want to find given
// value in at least one entity property, so we must
// join the where clauses by OR
filtersByTablePredicate = filtersByTablePredicate
.or(QuerydslUtils.createExpression(entity,
fieldName, fieldType, searchStr));
// If column is an association and there are given
// join attributes, add those attributes to WHERE
// predicates
List<String> attributes = filterByAssociations
.get(fieldName);
if (attributes != null && attributes.size() > 0) {
PathBuilder<?> associationPath = associationMap
.get(fieldName);
List<String> associationFields = filterByAssociations
.get(fieldName);
for (String associationFieldName : associationFields) {
// Get associated entity field type
Class<?> associationFieldType = BeanUtils
.findPropertyType(
associationFieldName,
ArrayUtils
.<Class<?>> toArray(fieldType));
filtersByTablePredicate = filtersByTablePredicate
.or(QuerydslUtils
.createExpression(
associationPath,
associationFieldName,
associationFieldType,
searchStr));
}
}
}
}
}
}
catch (Exception e) {
SearchResults<T> searchResults = new SearchResults<T>(
new ArrayList<T>(0), 0, isPaged, new Long(
datatablesCriterias.getDisplayStart()), new Long(
datatablesCriterias.getDisplaySize()), 0);
return searchResults;
}
// ----- Query ORDER BY -----
List<OrderSpecifier<?>> orderSpecifiersList = new ArrayList<OrderSpecifier<?>>();
if (datatablesCriterias.hasOneSortedColumn()) {
for (ColumnDef column : datatablesCriterias.getSortingColumnDefs()) {
// If column is not sortable, don't add it to order by clauses
if (!column.isSortable()) {
continue;
}
// If no sort direction provided, don't add this column to
// order by clauses
if (column.getSortDirection() == null) {
continue;
}
// Convert Datatables sort direction to Querydsl order
Order order = Order.DESC;
if (column.getSortDirection() == SortDirection.ASC) {
order = Order.ASC;
}
// Entity field name and type. Type must extend Comparable
// interface
String fieldName = column.getName();
Class<E> fieldType = (Class<E>) BeanUtils.findPropertyType(
fieldName, ArrayUtils.<Class<?>> toArray(entityClass));
List<String> attributes = orderByAssociations.get(fieldName);
try {
// If column is an association and there are given
// order by attributes, add those attributes to ORDER BY
// clauses
if (attributes != null && attributes.size() > 0) {
PathBuilder<?> associationPath = associationMap
.get(fieldName);
List<String> associationFields = orderByAssociations
.get(fieldName);
for (String associationFieldName : associationFields) {
// Get associated entity field type
Class<E> associationFieldType = (Class<E>) BeanUtils
.findPropertyType(
associationFieldName,
ArrayUtils
.<Class<?>> toArray(fieldType));
orderSpecifiersList.add(QuerydslUtils
.createOrderSpecifier(associationPath,
associationFieldName,
associationFieldType, order));
}
}
// Otherwise column is an entity property
else {
orderSpecifiersList.add(QuerydslUtils
.createOrderSpecifier(entity, fieldName,
fieldType, order));
}
}
catch (Exception ex) {
// Do nothing, on class cast exception order specifier will
// be null
}
}
}
// ----- Query results paging -----
Long offset = null;
Long limit = null;
if (isPaged) {
limit = new Long(datatablesCriterias.getDisplaySize());
}
if (datatablesCriterias.getDisplayStart() >= 0) {
offset = new Long(datatablesCriterias.getDisplayStart());
}
// QueryModifiers combines limit and offset
QueryModifiers queryModifiers = new QueryModifiers(limit, offset);
// ----- Execute the query -----
List<T> elements = null;
// Compose the final query and update query var to be used to count
// total amount of rows if needed
if (distinct) {
query = query.distinct();
}
// Predicate for base query
- BooleanBuilder basePredicate = QuerydslUtils.createPredicateByAnd(
+ BooleanBuilder basePredicate;
+ if (baseSearchValuesMap != null) {
+ basePredicate = QuerydslUtils.createPredicateByAnd(
entity, baseSearchValuesMap);
+ } else {
+ basePredicate = new BooleanBuilder();
+ }
// query projection to count all entities without paging
baseQuery.where(basePredicate);
// query projection to be used to get the results and to count filtered
// results
query = query.where(basePredicate.and(
filtersByColumnPredicate.getValue()).and(
filtersByTablePredicate.getValue()));
// List ordered and paginated results. An empty list is returned for no
// results.
elements = query
.orderBy(
orderSpecifiersList
.toArray(new OrderSpecifier[orderSpecifiersList
.size()])).restrict(queryModifiers)
.list(entity);
// Calculate the total amount of rows taking in account datatables
// search and paging criterias. When results are paginated we
// must execute a count query, otherwise the size of matched rows List
// is the total amount of rows
long totalResultCount;
if (isPaged) {
totalResultCount = query.count();
}
else {
totalResultCount = elements.size();
}
// Calculate the total amount of entities including base filters only
long totalBaseCount = baseQuery.count();
// Create a new SearchResults instance
SearchResults<T> searchResults = new SearchResults<T>(elements,
totalResultCount, isPaged, offset, limit, totalBaseCount);
return searchResults;
}
/**
* Populate a {@link DataSet} from given entity list.
* <p/>
* Field values will be converted to String using given
* {@link ConversionService} and Date fields will be converted to Date using
* {@link DateFormat} with given date patterns.
*
* @param entities List of T entities to convert to Datatables data
* @param pkFieldName The T entity field that contains the PK
* @param totalRecords Total amount of records
* @param totalDisplayRecords Amount of records found
* @param columns {@link ColumnDef} list
* @param datePatterns Patterns to convert Date fields to String. The Map
* contains one pattern for each entity Date field keyed by field
* name. For Roo compatibility the key could follow the pattern
* {@code lower_case( ENTITY ) + "_" + lower_case( FIELD ) + "_date_format"}
* too
* @param conversionService
* @return
*/
public static <T> DataSet<Map<String, String>> populateDataSet(
List<T> entities, String pkFieldName, long totalRecords,
long totalDisplayRecords, List<ColumnDef> columns,
Map<String, Object> datePatterns,
ConversionService conversionService) {
// Check arguments aren't null
Assert.notNull(pkFieldName);
Assert.notNull(columns);
Assert.notNull(conversionService);
// Map of data rows
List<Map<String, String>> rows = new ArrayList<Map<String, String>>(
entities.size());
if (CollectionUtils.isEmpty(entities)) {
return new DataSet<Map<String, String>>(rows, 0l, 0l);
}
// If null, create empty Map to avoid control code overload
if (CollectionUtils.isEmpty(datePatterns)) {
datePatterns = new HashMap<String, Object>();
}
// Prepare required fields
Set<String> fields = new HashSet<String>();
fields.add(pkFieldName);
// Add fields from request
for (ColumnDef colum : columns) {
fields.add(colum.getName());
}
// Date formatters
DateFormat defaultFormat = SimpleDateFormat.getDateInstance();
// Populate each row, note a row is a Map containing
// fieldName = fieldValue
for (Object entity : entities) {
Map<String, String> row = new HashMap<String, String>(fields.size());
BeanWrapper entityBean = new BeanWrapperImpl(entity);
for (String fieldName : fields) {
// check if property exists (trace it else)
if (!entityBean.isReadableProperty(fieldName)) {
logger.debug("Property [".concat(fieldName)
.concat("] not found in bean [")
.concat(entity.toString()).concat("]"));
continue;
}
Object value = null;
String valueStr = null;
// Convert field value to string
try {
value = entityBean.getPropertyValue(fieldName);
if (Calendar.class.isAssignableFrom(value.getClass())) {
value = ((Calendar) value).getTime();
}
if (Date.class.isAssignableFrom(value.getClass())) {
String pattern = getPattern(datePatterns,
entityBean.getWrappedClass(), fieldName);
DateFormat format = StringUtils.isEmpty(pattern) ? defaultFormat
: new SimpleDateFormat(pattern);
valueStr = format.format(value);
}
else if (conversionService.canConvert(value.getClass(),
String.class)) {
valueStr = conversionService.convert(value,
String.class);
}
else {
valueStr = ObjectUtils.getDisplayString(value);
}
}
catch (Exception ex) {
// debug getting value problem
logger.error(
"Error getting value of field [".concat(fieldName)
.concat("]").concat(" in bean [")
.concat(entity.toString()).concat("]"), ex);
}
row.put(fieldName, valueStr);
// Set PK value as DT_RowId
// Note when entity has composite PK Roo generates the need
// convert method and adds it to ConversionService, so
// when processed field is the PK the valueStr is the
// composite PK instance marshalled to JSON notation and
// Base64 encoded
if (pkFieldName.equalsIgnoreCase(fieldName)) {
row.put("DT_RowId", valueStr);
}
}
rows.add(row);
}
DataSet<Map<String, String>> dataSet = new DataSet<Map<String, String>>(
rows, totalRecords, totalDisplayRecords);
return dataSet;
}
/**
* Get Date pattern by field name
* <p/>
* If no pattern found, try standard Roo key
* {@code lower_case( ENTITY ) + "_" + lower_case( FIELD ) + "_date_format"}
*
* @param datePatterns Contains field name and related data pattern
* @param entityClass Entity class to which the field belong to
* @param fieldName Field to search pattern
* @return
*/
private static String getPattern(Map<String, Object> datePatterns,
Class<?> entityClass, String fieldName) {
// Get pattern by field name
String pattern = (String) datePatterns.get(fieldName.toLowerCase());
if (!StringUtils.isEmpty(pattern)) {
return pattern;
}
// Otherwise get pattern by Roo key
String rooKey = entityClass.getName().toLowerCase().concat("_")
.concat(fieldName.toLowerCase()).concat("_date_format");
pattern = (String) datePatterns.get(rooKey);
return pattern;
}
}
| false | true | public static <T, E extends Comparable<?>> SearchResults<T> findByCriteria(
Class<T> entityClass,
Map<String, List<String>> filterByAssociations,
Map<String, List<String>> orderByAssociations,
EntityManager entityManager,
DatatablesCriterias datatablesCriterias,
Map<String, Object> baseSearchValuesMap, boolean distinct)
throws IllegalArgumentException {
// Check arguments aren't null
Assert.notNull(entityClass);
Assert.notNull(entityManager);
Assert.notNull(datatablesCriterias);
// If null, create empty Map to avoid control code overload
if (CollectionUtils.isEmpty(filterByAssociations)) {
filterByAssociations = new HashMap<String, List<String>>();
}
if (CollectionUtils.isEmpty(orderByAssociations)) {
orderByAssociations = new HashMap<String, List<String>>();
}
// true if data results must be paginated
boolean isPaged = datatablesCriterias.getDisplaySize() != null
&& datatablesCriterias.getDisplaySize() > 0;
// true if the search must take in account all columns
boolean findInAllColumns = StringUtils.isNotEmpty(datatablesCriterias
.getSearch()) && datatablesCriterias.hasOneFilterableColumn();
// Query DSL builder
PathBuilder<T> entity = new PathBuilder<T>(entityClass, "entity");
// ----- Create queries -----
// query will take in account datatables search, order and paging
// criterias
JPAQuery query = new JPAQuery(entityManager);
query = query.from(entity);
// baseQuery will use base search values only in order to count
// all for success paging
JPAQuery baseQuery = new JPAQuery(entityManager);
baseQuery = baseQuery.from(entity);
// ----- Entity associations for Query JOINs, ORDER BY, ... -----
Map<String, PathBuilder<?>> associationMap = new HashMap<String, PathBuilder<?>>();
for (ColumnDef column : datatablesCriterias.getColumnDefs()) {
// true if the search must include this column
boolean findInColumn = StringUtils.isNotEmpty(column.getSearch());
// If no joins given for this column, don't add the JOIN to query
// to improve performance
String associationName = column.getName();
if (!filterByAssociations.containsKey(associationName)) {
continue;
}
// If column is not sortable and is not filterable, don't add the
// JOIN to query to improve performance
if (!column.isSortable() && !column.isFilterable()) {
continue;
}
// If column is not sortable and no search value provided,
// don't add the JOIN to query to improve performance
if (!column.isSortable() && !findInColumn && !findInAllColumns) {
continue;
}
// Here the column is sortable or it is filterable and column search
// value or all-column search value is provided
PathBuilder<?> associationPath = entity.get(associationName);
query = query.join(associationPath);
// Store join path for later use in where
associationMap.put(associationName, associationPath);
}
// ----- Query WHERE clauses -----
// Filters by column. Using BooleanBuilder, a cascading builder for
// Predicate expressions
BooleanBuilder filtersByColumnPredicate = new BooleanBuilder();
// Filters by table (for all columns)
BooleanBuilder filtersByTablePredicate = new BooleanBuilder();
try {
// Build the filters by column expression
if (datatablesCriterias.hasOneFilteredColumn()) {
// Add filterable columns only
for (ColumnDef column : datatablesCriterias.getColumnDefs()) {
// Each column has its own search by value
String searchStr = column.getSearch();
// true if the search must include this column
boolean findInColumn = column.isFilterable()
&& StringUtils.isNotEmpty(searchStr);
if (findInColumn) {
// Entity field name and type
String fieldName = column.getName();
Class<?> fieldType = BeanUtils.findPropertyType(
fieldName,
ArrayUtils.<Class<?>> toArray(entityClass));
// On column search, connect where clauses together by
// AND
// because we want found the records which columns
// match with column filters
filtersByColumnPredicate = filtersByColumnPredicate
.and(QuerydslUtils.createExpression(entity,
fieldName, fieldType, searchStr));
// TODO: Este codigo se puede pasar a QuerydslUtils ?
// If column is an association and there are given
// join attributes, add those attributes to WHERE
// predicates
List<String> attributes = filterByAssociations
.get(fieldName);
if (attributes != null && attributes.size() > 0) {
// Filters of associated entity properties
BooleanBuilder filtersByAssociationPredicate = new BooleanBuilder();
PathBuilder<?> associationPath = associationMap
.get(fieldName);
List<String> associationFields = filterByAssociations
.get(fieldName);
for (String associationFieldName : associationFields) {
// Get associated entity field type
Class<?> associationFieldType = BeanUtils
.findPropertyType(
associationFieldName,
ArrayUtils
.<Class<?>> toArray(fieldType));
// On association search, connect
// associated entity where clauses by OR
// because all assoc entity properties are
// inside the same column and any of its
// property value can match with given search
// value
filtersByAssociationPredicate = filtersByAssociationPredicate
.or(QuerydslUtils
.createExpression(
associationPath,
associationFieldName,
associationFieldType,
searchStr));
}
filtersByColumnPredicate = filtersByColumnPredicate
.and(filtersByAssociationPredicate
.getValue());
}
}
}
}
// Build the query to search the given value in all columns
String searchStr = datatablesCriterias.getSearch();
if (findInAllColumns) {
// Add filterable columns only
for (ColumnDef column : datatablesCriterias.getColumnDefs()) {
if (column.isFilterable()) {
// Entity field name and type
String fieldName = column.getName();
Class<?> fieldType = BeanUtils.findPropertyType(
fieldName,
ArrayUtils.<Class<?>> toArray(entityClass));
// Find in all columns means we want to find given
// value in at least one entity property, so we must
// join the where clauses by OR
filtersByTablePredicate = filtersByTablePredicate
.or(QuerydslUtils.createExpression(entity,
fieldName, fieldType, searchStr));
// If column is an association and there are given
// join attributes, add those attributes to WHERE
// predicates
List<String> attributes = filterByAssociations
.get(fieldName);
if (attributes != null && attributes.size() > 0) {
PathBuilder<?> associationPath = associationMap
.get(fieldName);
List<String> associationFields = filterByAssociations
.get(fieldName);
for (String associationFieldName : associationFields) {
// Get associated entity field type
Class<?> associationFieldType = BeanUtils
.findPropertyType(
associationFieldName,
ArrayUtils
.<Class<?>> toArray(fieldType));
filtersByTablePredicate = filtersByTablePredicate
.or(QuerydslUtils
.createExpression(
associationPath,
associationFieldName,
associationFieldType,
searchStr));
}
}
}
}
}
}
catch (Exception e) {
SearchResults<T> searchResults = new SearchResults<T>(
new ArrayList<T>(0), 0, isPaged, new Long(
datatablesCriterias.getDisplayStart()), new Long(
datatablesCriterias.getDisplaySize()), 0);
return searchResults;
}
// ----- Query ORDER BY -----
List<OrderSpecifier<?>> orderSpecifiersList = new ArrayList<OrderSpecifier<?>>();
if (datatablesCriterias.hasOneSortedColumn()) {
for (ColumnDef column : datatablesCriterias.getSortingColumnDefs()) {
// If column is not sortable, don't add it to order by clauses
if (!column.isSortable()) {
continue;
}
// If no sort direction provided, don't add this column to
// order by clauses
if (column.getSortDirection() == null) {
continue;
}
// Convert Datatables sort direction to Querydsl order
Order order = Order.DESC;
if (column.getSortDirection() == SortDirection.ASC) {
order = Order.ASC;
}
// Entity field name and type. Type must extend Comparable
// interface
String fieldName = column.getName();
Class<E> fieldType = (Class<E>) BeanUtils.findPropertyType(
fieldName, ArrayUtils.<Class<?>> toArray(entityClass));
List<String> attributes = orderByAssociations.get(fieldName);
try {
// If column is an association and there are given
// order by attributes, add those attributes to ORDER BY
// clauses
if (attributes != null && attributes.size() > 0) {
PathBuilder<?> associationPath = associationMap
.get(fieldName);
List<String> associationFields = orderByAssociations
.get(fieldName);
for (String associationFieldName : associationFields) {
// Get associated entity field type
Class<E> associationFieldType = (Class<E>) BeanUtils
.findPropertyType(
associationFieldName,
ArrayUtils
.<Class<?>> toArray(fieldType));
orderSpecifiersList.add(QuerydslUtils
.createOrderSpecifier(associationPath,
associationFieldName,
associationFieldType, order));
}
}
// Otherwise column is an entity property
else {
orderSpecifiersList.add(QuerydslUtils
.createOrderSpecifier(entity, fieldName,
fieldType, order));
}
}
catch (Exception ex) {
// Do nothing, on class cast exception order specifier will
// be null
}
}
}
// ----- Query results paging -----
Long offset = null;
Long limit = null;
if (isPaged) {
limit = new Long(datatablesCriterias.getDisplaySize());
}
if (datatablesCriterias.getDisplayStart() >= 0) {
offset = new Long(datatablesCriterias.getDisplayStart());
}
// QueryModifiers combines limit and offset
QueryModifiers queryModifiers = new QueryModifiers(limit, offset);
// ----- Execute the query -----
List<T> elements = null;
// Compose the final query and update query var to be used to count
// total amount of rows if needed
if (distinct) {
query = query.distinct();
}
// Predicate for base query
BooleanBuilder basePredicate = QuerydslUtils.createPredicateByAnd(
entity, baseSearchValuesMap);
// query projection to count all entities without paging
baseQuery.where(basePredicate);
// query projection to be used to get the results and to count filtered
// results
query = query.where(basePredicate.and(
filtersByColumnPredicate.getValue()).and(
filtersByTablePredicate.getValue()));
// List ordered and paginated results. An empty list is returned for no
// results.
elements = query
.orderBy(
orderSpecifiersList
.toArray(new OrderSpecifier[orderSpecifiersList
.size()])).restrict(queryModifiers)
.list(entity);
// Calculate the total amount of rows taking in account datatables
// search and paging criterias. When results are paginated we
// must execute a count query, otherwise the size of matched rows List
// is the total amount of rows
long totalResultCount;
if (isPaged) {
totalResultCount = query.count();
}
else {
totalResultCount = elements.size();
}
// Calculate the total amount of entities including base filters only
long totalBaseCount = baseQuery.count();
// Create a new SearchResults instance
SearchResults<T> searchResults = new SearchResults<T>(elements,
totalResultCount, isPaged, offset, limit, totalBaseCount);
return searchResults;
}
| public static <T, E extends Comparable<?>> SearchResults<T> findByCriteria(
Class<T> entityClass,
Map<String, List<String>> filterByAssociations,
Map<String, List<String>> orderByAssociations,
EntityManager entityManager,
DatatablesCriterias datatablesCriterias,
Map<String, Object> baseSearchValuesMap, boolean distinct)
throws IllegalArgumentException {
// Check arguments aren't null
Assert.notNull(entityClass);
Assert.notNull(entityManager);
Assert.notNull(datatablesCriterias);
// If null, create empty Map to avoid control code overload
if (CollectionUtils.isEmpty(filterByAssociations)) {
filterByAssociations = new HashMap<String, List<String>>();
}
if (CollectionUtils.isEmpty(orderByAssociations)) {
orderByAssociations = new HashMap<String, List<String>>();
}
// true if data results must be paginated
boolean isPaged = datatablesCriterias.getDisplaySize() != null
&& datatablesCriterias.getDisplaySize() > 0;
// true if the search must take in account all columns
boolean findInAllColumns = StringUtils.isNotEmpty(datatablesCriterias
.getSearch()) && datatablesCriterias.hasOneFilterableColumn();
// Query DSL builder
PathBuilder<T> entity = new PathBuilder<T>(entityClass, "entity");
// ----- Create queries -----
// query will take in account datatables search, order and paging
// criterias
JPAQuery query = new JPAQuery(entityManager);
query = query.from(entity);
// baseQuery will use base search values only in order to count
// all for success paging
JPAQuery baseQuery = new JPAQuery(entityManager);
baseQuery = baseQuery.from(entity);
// ----- Entity associations for Query JOINs, ORDER BY, ... -----
Map<String, PathBuilder<?>> associationMap = new HashMap<String, PathBuilder<?>>();
for (ColumnDef column : datatablesCriterias.getColumnDefs()) {
// true if the search must include this column
boolean findInColumn = StringUtils.isNotEmpty(column.getSearch());
// If no joins given for this column, don't add the JOIN to query
// to improve performance
String associationName = column.getName();
if (!filterByAssociations.containsKey(associationName)) {
continue;
}
// If column is not sortable and is not filterable, don't add the
// JOIN to query to improve performance
if (!column.isSortable() && !column.isFilterable()) {
continue;
}
// If column is not sortable and no search value provided,
// don't add the JOIN to query to improve performance
if (!column.isSortable() && !findInColumn && !findInAllColumns) {
continue;
}
// Here the column is sortable or it is filterable and column search
// value or all-column search value is provided
PathBuilder<?> associationPath = entity.get(associationName);
query = query.join(associationPath);
// Store join path for later use in where
associationMap.put(associationName, associationPath);
}
// ----- Query WHERE clauses -----
// Filters by column. Using BooleanBuilder, a cascading builder for
// Predicate expressions
BooleanBuilder filtersByColumnPredicate = new BooleanBuilder();
// Filters by table (for all columns)
BooleanBuilder filtersByTablePredicate = new BooleanBuilder();
try {
// Build the filters by column expression
if (datatablesCriterias.hasOneFilteredColumn()) {
// Add filterable columns only
for (ColumnDef column : datatablesCriterias.getColumnDefs()) {
// Each column has its own search by value
String searchStr = column.getSearch();
// true if the search must include this column
boolean findInColumn = column.isFilterable()
&& StringUtils.isNotEmpty(searchStr);
if (findInColumn) {
// Entity field name and type
String fieldName = column.getName();
Class<?> fieldType = BeanUtils.findPropertyType(
fieldName,
ArrayUtils.<Class<?>> toArray(entityClass));
// On column search, connect where clauses together by
// AND
// because we want found the records which columns
// match with column filters
filtersByColumnPredicate = filtersByColumnPredicate
.and(QuerydslUtils.createExpression(entity,
fieldName, fieldType, searchStr));
// TODO: Este codigo se puede pasar a QuerydslUtils ?
// If column is an association and there are given
// join attributes, add those attributes to WHERE
// predicates
List<String> attributes = filterByAssociations
.get(fieldName);
if (attributes != null && attributes.size() > 0) {
// Filters of associated entity properties
BooleanBuilder filtersByAssociationPredicate = new BooleanBuilder();
PathBuilder<?> associationPath = associationMap
.get(fieldName);
List<String> associationFields = filterByAssociations
.get(fieldName);
for (String associationFieldName : associationFields) {
// Get associated entity field type
Class<?> associationFieldType = BeanUtils
.findPropertyType(
associationFieldName,
ArrayUtils
.<Class<?>> toArray(fieldType));
// On association search, connect
// associated entity where clauses by OR
// because all assoc entity properties are
// inside the same column and any of its
// property value can match with given search
// value
filtersByAssociationPredicate = filtersByAssociationPredicate
.or(QuerydslUtils
.createExpression(
associationPath,
associationFieldName,
associationFieldType,
searchStr));
}
filtersByColumnPredicate = filtersByColumnPredicate
.and(filtersByAssociationPredicate
.getValue());
}
}
}
}
// Build the query to search the given value in all columns
String searchStr = datatablesCriterias.getSearch();
if (findInAllColumns) {
// Add filterable columns only
for (ColumnDef column : datatablesCriterias.getColumnDefs()) {
if (column.isFilterable()) {
// Entity field name and type
String fieldName = column.getName();
Class<?> fieldType = BeanUtils.findPropertyType(
fieldName,
ArrayUtils.<Class<?>> toArray(entityClass));
// Find in all columns means we want to find given
// value in at least one entity property, so we must
// join the where clauses by OR
filtersByTablePredicate = filtersByTablePredicate
.or(QuerydslUtils.createExpression(entity,
fieldName, fieldType, searchStr));
// If column is an association and there are given
// join attributes, add those attributes to WHERE
// predicates
List<String> attributes = filterByAssociations
.get(fieldName);
if (attributes != null && attributes.size() > 0) {
PathBuilder<?> associationPath = associationMap
.get(fieldName);
List<String> associationFields = filterByAssociations
.get(fieldName);
for (String associationFieldName : associationFields) {
// Get associated entity field type
Class<?> associationFieldType = BeanUtils
.findPropertyType(
associationFieldName,
ArrayUtils
.<Class<?>> toArray(fieldType));
filtersByTablePredicate = filtersByTablePredicate
.or(QuerydslUtils
.createExpression(
associationPath,
associationFieldName,
associationFieldType,
searchStr));
}
}
}
}
}
}
catch (Exception e) {
SearchResults<T> searchResults = new SearchResults<T>(
new ArrayList<T>(0), 0, isPaged, new Long(
datatablesCriterias.getDisplayStart()), new Long(
datatablesCriterias.getDisplaySize()), 0);
return searchResults;
}
// ----- Query ORDER BY -----
List<OrderSpecifier<?>> orderSpecifiersList = new ArrayList<OrderSpecifier<?>>();
if (datatablesCriterias.hasOneSortedColumn()) {
for (ColumnDef column : datatablesCriterias.getSortingColumnDefs()) {
// If column is not sortable, don't add it to order by clauses
if (!column.isSortable()) {
continue;
}
// If no sort direction provided, don't add this column to
// order by clauses
if (column.getSortDirection() == null) {
continue;
}
// Convert Datatables sort direction to Querydsl order
Order order = Order.DESC;
if (column.getSortDirection() == SortDirection.ASC) {
order = Order.ASC;
}
// Entity field name and type. Type must extend Comparable
// interface
String fieldName = column.getName();
Class<E> fieldType = (Class<E>) BeanUtils.findPropertyType(
fieldName, ArrayUtils.<Class<?>> toArray(entityClass));
List<String> attributes = orderByAssociations.get(fieldName);
try {
// If column is an association and there are given
// order by attributes, add those attributes to ORDER BY
// clauses
if (attributes != null && attributes.size() > 0) {
PathBuilder<?> associationPath = associationMap
.get(fieldName);
List<String> associationFields = orderByAssociations
.get(fieldName);
for (String associationFieldName : associationFields) {
// Get associated entity field type
Class<E> associationFieldType = (Class<E>) BeanUtils
.findPropertyType(
associationFieldName,
ArrayUtils
.<Class<?>> toArray(fieldType));
orderSpecifiersList.add(QuerydslUtils
.createOrderSpecifier(associationPath,
associationFieldName,
associationFieldType, order));
}
}
// Otherwise column is an entity property
else {
orderSpecifiersList.add(QuerydslUtils
.createOrderSpecifier(entity, fieldName,
fieldType, order));
}
}
catch (Exception ex) {
// Do nothing, on class cast exception order specifier will
// be null
}
}
}
// ----- Query results paging -----
Long offset = null;
Long limit = null;
if (isPaged) {
limit = new Long(datatablesCriterias.getDisplaySize());
}
if (datatablesCriterias.getDisplayStart() >= 0) {
offset = new Long(datatablesCriterias.getDisplayStart());
}
// QueryModifiers combines limit and offset
QueryModifiers queryModifiers = new QueryModifiers(limit, offset);
// ----- Execute the query -----
List<T> elements = null;
// Compose the final query and update query var to be used to count
// total amount of rows if needed
if (distinct) {
query = query.distinct();
}
// Predicate for base query
BooleanBuilder basePredicate;
if (baseSearchValuesMap != null) {
basePredicate = QuerydslUtils.createPredicateByAnd(
entity, baseSearchValuesMap);
} else {
basePredicate = new BooleanBuilder();
}
// query projection to count all entities without paging
baseQuery.where(basePredicate);
// query projection to be used to get the results and to count filtered
// results
query = query.where(basePredicate.and(
filtersByColumnPredicate.getValue()).and(
filtersByTablePredicate.getValue()));
// List ordered and paginated results. An empty list is returned for no
// results.
elements = query
.orderBy(
orderSpecifiersList
.toArray(new OrderSpecifier[orderSpecifiersList
.size()])).restrict(queryModifiers)
.list(entity);
// Calculate the total amount of rows taking in account datatables
// search and paging criterias. When results are paginated we
// must execute a count query, otherwise the size of matched rows List
// is the total amount of rows
long totalResultCount;
if (isPaged) {
totalResultCount = query.count();
}
else {
totalResultCount = elements.size();
}
// Calculate the total amount of entities including base filters only
long totalBaseCount = baseQuery.count();
// Create a new SearchResults instance
SearchResults<T> searchResults = new SearchResults<T>(elements,
totalResultCount, isPaged, offset, limit, totalBaseCount);
return searchResults;
}
|
diff --git a/org.emftext.sdk.codegen.resource/src/org/emftext/sdk/codegen/resource/generators/BuilderAdapterGenerator.java b/org.emftext.sdk.codegen.resource/src/org/emftext/sdk/codegen/resource/generators/BuilderAdapterGenerator.java
index 8ec38193d..a653e8d0f 100644
--- a/org.emftext.sdk.codegen.resource/src/org/emftext/sdk/codegen/resource/generators/BuilderAdapterGenerator.java
+++ b/org.emftext.sdk.codegen.resource/src/org/emftext/sdk/codegen/resource/generators/BuilderAdapterGenerator.java
@@ -1,75 +1,78 @@
package org.emftext.sdk.codegen.resource.generators;
import static org.emftext.sdk.codegen.resource.generators.IClassNameConstants.CORE_EXCEPTION;
import static org.emftext.sdk.codegen.resource.generators.IClassNameConstants.INCREMENTAL_PROJECT_BUILDER;
import static org.emftext.sdk.codegen.resource.generators.IClassNameConstants.I_FILE;
import static org.emftext.sdk.codegen.resource.generators.IClassNameConstants.I_PROGRESS_MONITOR;
import static org.emftext.sdk.codegen.resource.generators.IClassNameConstants.I_PROJECT;
import static org.emftext.sdk.codegen.resource.generators.IClassNameConstants.I_RESOURCE;
import static org.emftext.sdk.codegen.resource.generators.IClassNameConstants.I_RESOURCE_DELTA;
import static org.emftext.sdk.codegen.resource.generators.IClassNameConstants.I_RESOURCE_DELTA_VISITOR;
import static org.emftext.sdk.codegen.resource.generators.IClassNameConstants.MAP;
import static org.emftext.sdk.codegen.resource.generators.IClassNameConstants.RESOURCE_SET_IMPL;
import static org.emftext.sdk.codegen.resource.generators.IClassNameConstants.URI;
import org.emftext.sdk.codegen.composites.JavaComposite;
import org.emftext.sdk.codegen.composites.StringComposite;
import org.emftext.sdk.codegen.parameters.ArtifactParameter;
import org.emftext.sdk.codegen.resource.GenerationContext;
import org.emftext.sdk.codegen.util.NameUtil;
import org.emftext.sdk.concretesyntax.ConcreteSyntax;
public class BuilderAdapterGenerator extends JavaBaseGenerator<ArtifactParameter<GenerationContext>> {
private final NameUtil nameUtil = new NameUtil();
@Override
public void generateJavaContents(JavaComposite sc) {
ConcreteSyntax syntax = getContext().getConcreteSyntax();
sc.add("package " + getResourcePackageName() + ";");
sc.addLineBreak();
sc.add("public class " + getResourceClassName() + " extends " + INCREMENTAL_PROJECT_BUILDER + " {");
sc.addLineBreak();
sc.addJavadoc("the ID of the default, generated builder");
sc.add("public final static String BUILDER_ID = \"" + nameUtil.getBuilderID(syntax) + "\";");
sc.addLineBreak();
sc.add("private " + iBuilderClassName + " builder = new " + builderClassName + "();");
sc.addLineBreak();
addBuildMethod1(sc);
addBuildMethod2(sc);
sc.add("}");
}
private void addBuildMethod1(StringComposite sc) {
sc.add("public " + I_PROJECT + "[] build(int kind, @SuppressWarnings(\"rawtypes\") " + MAP + " args, final " + I_PROGRESS_MONITOR + " monitor) throws " + CORE_EXCEPTION + " {");
sc.add("return build(kind, args, monitor, builder, getProject());");
sc.add("}");
sc.addLineBreak();
}
private void addBuildMethod2(StringComposite sc) {
sc.add("public " + I_PROJECT + "[] build(int kind, " + MAP + "<?,?> args, final " + I_PROGRESS_MONITOR + " monitor, final " + iBuilderClassName + " builder, " + I_PROJECT + " project) throws " + CORE_EXCEPTION + " {");
sc.add(I_RESOURCE_DELTA + " delta = getDelta(project);");
sc.add("if (delta == null) {");
sc.add("return null;");
sc.add("}");
sc.add("delta.accept(new " + I_RESOURCE_DELTA_VISITOR + "() {");
sc.add("public boolean visit(" + I_RESOURCE_DELTA + " delta) throws " + CORE_EXCEPTION + " {");
+ sc.add("if (delta.getKind() == " + I_RESOURCE_DELTA + ".REMOVED) {");
+ sc.add("return false;");
+ sc.add("}");
sc.add(I_RESOURCE + " resource = delta.getResource();");
sc.add("if (resource instanceof " + I_FILE + " && \"" + getContext().getConcreteSyntax().getName() + "\".equals(resource.getFileExtension())) {");
sc.add(URI + " uri = " + URI + ".createPlatformResourceURI(resource.getFullPath().toString(), true);");
sc.add("if (builder.isBuildingNeeded(uri)) {");
sc.add(textResourceClassName + " customResource = (" + textResourceClassName + ") new " + RESOURCE_SET_IMPL + "().getResource(uri, true);");
sc.add("builder.build(customResource, monitor);");
sc.add("}");
sc.add("return false;");
sc.add("}");
sc.add("return true;");
sc.add("}");
sc.add("});");
sc.add("return null;");
sc.add("}");
sc.addLineBreak();
}
}
| true | true | private void addBuildMethod2(StringComposite sc) {
sc.add("public " + I_PROJECT + "[] build(int kind, " + MAP + "<?,?> args, final " + I_PROGRESS_MONITOR + " monitor, final " + iBuilderClassName + " builder, " + I_PROJECT + " project) throws " + CORE_EXCEPTION + " {");
sc.add(I_RESOURCE_DELTA + " delta = getDelta(project);");
sc.add("if (delta == null) {");
sc.add("return null;");
sc.add("}");
sc.add("delta.accept(new " + I_RESOURCE_DELTA_VISITOR + "() {");
sc.add("public boolean visit(" + I_RESOURCE_DELTA + " delta) throws " + CORE_EXCEPTION + " {");
sc.add(I_RESOURCE + " resource = delta.getResource();");
sc.add("if (resource instanceof " + I_FILE + " && \"" + getContext().getConcreteSyntax().getName() + "\".equals(resource.getFileExtension())) {");
sc.add(URI + " uri = " + URI + ".createPlatformResourceURI(resource.getFullPath().toString(), true);");
sc.add("if (builder.isBuildingNeeded(uri)) {");
sc.add(textResourceClassName + " customResource = (" + textResourceClassName + ") new " + RESOURCE_SET_IMPL + "().getResource(uri, true);");
sc.add("builder.build(customResource, monitor);");
sc.add("}");
sc.add("return false;");
sc.add("}");
sc.add("return true;");
sc.add("}");
sc.add("});");
sc.add("return null;");
sc.add("}");
sc.addLineBreak();
}
| private void addBuildMethod2(StringComposite sc) {
sc.add("public " + I_PROJECT + "[] build(int kind, " + MAP + "<?,?> args, final " + I_PROGRESS_MONITOR + " monitor, final " + iBuilderClassName + " builder, " + I_PROJECT + " project) throws " + CORE_EXCEPTION + " {");
sc.add(I_RESOURCE_DELTA + " delta = getDelta(project);");
sc.add("if (delta == null) {");
sc.add("return null;");
sc.add("}");
sc.add("delta.accept(new " + I_RESOURCE_DELTA_VISITOR + "() {");
sc.add("public boolean visit(" + I_RESOURCE_DELTA + " delta) throws " + CORE_EXCEPTION + " {");
sc.add("if (delta.getKind() == " + I_RESOURCE_DELTA + ".REMOVED) {");
sc.add("return false;");
sc.add("}");
sc.add(I_RESOURCE + " resource = delta.getResource();");
sc.add("if (resource instanceof " + I_FILE + " && \"" + getContext().getConcreteSyntax().getName() + "\".equals(resource.getFileExtension())) {");
sc.add(URI + " uri = " + URI + ".createPlatformResourceURI(resource.getFullPath().toString(), true);");
sc.add("if (builder.isBuildingNeeded(uri)) {");
sc.add(textResourceClassName + " customResource = (" + textResourceClassName + ") new " + RESOURCE_SET_IMPL + "().getResource(uri, true);");
sc.add("builder.build(customResource, monitor);");
sc.add("}");
sc.add("return false;");
sc.add("}");
sc.add("return true;");
sc.add("}");
sc.add("});");
sc.add("return null;");
sc.add("}");
sc.addLineBreak();
}
|
diff --git a/src/com/android/settings/applications/RunningState.java b/src/com/android/settings/applications/RunningState.java
index beb960578..1b5310de0 100644
--- a/src/com/android/settings/applications/RunningState.java
+++ b/src/com/android/settings/applications/RunningState.java
@@ -1,1154 +1,1156 @@
/*
* Copyright (C) 2010 The Android Open Source Project
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.android.settings.applications;
import com.android.settings.R;
import android.app.ActivityManager;
import android.app.ActivityManagerNative;
import android.content.ComponentName;
import android.content.Context;
import android.content.pm.ApplicationInfo;
import android.content.pm.PackageInfo;
import android.content.pm.PackageItemInfo;
import android.content.pm.PackageManager;
import android.content.pm.ServiceInfo;
import android.content.res.Resources;
import android.os.Handler;
import android.os.HandlerThread;
import android.os.Looper;
import android.os.Message;
import android.os.RemoteException;
import android.text.format.Formatter;
import android.util.Log;
import android.util.SparseArray;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.HashMap;
import java.util.Iterator;
import java.util.List;
/**
* Singleton for retrieving and monitoring the state about all running
* applications/processes/services.
*/
public class RunningState {
static Object sGlobalLock = new Object();
static RunningState sInstance;
static final int MSG_RESET_CONTENTS = 1;
static final int MSG_UPDATE_CONTENTS = 2;
static final int MSG_REFRESH_UI = 3;
static final int MSG_UPDATE_TIME = 4;
static final long TIME_UPDATE_DELAY = 1000;
static final long CONTENTS_UPDATE_DELAY = 2000;
static final int MAX_SERVICES = 100;
final Context mApplicationContext;
final ActivityManager mAm;
final PackageManager mPm;
OnRefreshUiListener mRefreshUiListener;
final InterestingConfigChanges mInterestingConfigChanges = new InterestingConfigChanges();
// Processes that are hosting a service we are interested in, organized
// by uid and name. Note that this mapping does not change even across
// service restarts, and during a restart there will still be a process
// entry.
final SparseArray<HashMap<String, ProcessItem>> mServiceProcessesByName
= new SparseArray<HashMap<String, ProcessItem>>();
// Processes that are hosting a service we are interested in, organized
// by their pid. These disappear and re-appear as services are restarted.
final SparseArray<ProcessItem> mServiceProcessesByPid
= new SparseArray<ProcessItem>();
// Used to sort the interesting processes.
final ServiceProcessComparator mServiceProcessComparator
= new ServiceProcessComparator();
// Additional interesting processes to be shown to the user, even if
// there is no service running in them.
final ArrayList<ProcessItem> mInterestingProcesses = new ArrayList<ProcessItem>();
// All currently running processes, for finding dependencies etc.
final SparseArray<ProcessItem> mRunningProcesses
= new SparseArray<ProcessItem>();
// The processes associated with services, in sorted order.
final ArrayList<ProcessItem> mProcessItems = new ArrayList<ProcessItem>();
// All processes, used for retrieving memory information.
final ArrayList<ProcessItem> mAllProcessItems = new ArrayList<ProcessItem>();
static class AppProcessInfo {
final ActivityManager.RunningAppProcessInfo info;
boolean hasServices;
boolean hasForegroundServices;
AppProcessInfo(ActivityManager.RunningAppProcessInfo _info) {
info = _info;
}
}
// Temporary structure used when updating above information.
final SparseArray<AppProcessInfo> mTmpAppProcesses = new SparseArray<AppProcessInfo>();
int mSequence = 0;
// ----- following protected by mLock -----
// Lock for protecting the state that will be shared between the
// background update thread and the UI thread.
final Object mLock = new Object();
boolean mResumed;
boolean mHaveData;
boolean mWatchingBackgroundItems;
ArrayList<BaseItem> mItems = new ArrayList<BaseItem>();
ArrayList<MergedItem> mMergedItems = new ArrayList<MergedItem>();
ArrayList<MergedItem> mBackgroundItems = new ArrayList<MergedItem>();
int mNumBackgroundProcesses;
long mBackgroundProcessMemory;
int mNumForegroundProcesses;
long mForegroundProcessMemory;
int mNumServiceProcesses;
long mServiceProcessMemory;
// ----- BACKGROUND MONITORING THREAD -----
final HandlerThread mBackgroundThread;
final class BackgroundHandler extends Handler {
public BackgroundHandler(Looper looper) {
super(looper);
}
@Override
public void handleMessage(Message msg) {
switch (msg.what) {
case MSG_RESET_CONTENTS:
reset();
break;
case MSG_UPDATE_CONTENTS:
synchronized (mLock) {
if (!mResumed) {
return;
}
}
Message cmd = mHandler.obtainMessage(MSG_REFRESH_UI);
cmd.arg1 = update(mApplicationContext, mAm) ? 1 : 0;
mHandler.sendMessage(cmd);
removeMessages(MSG_UPDATE_CONTENTS);
msg = obtainMessage(MSG_UPDATE_CONTENTS);
sendMessageDelayed(msg, CONTENTS_UPDATE_DELAY);
break;
}
}
};
final BackgroundHandler mBackgroundHandler;
final Handler mHandler = new Handler() {
int mNextUpdate = OnRefreshUiListener.REFRESH_TIME;
@Override
public void handleMessage(Message msg) {
switch (msg.what) {
case MSG_REFRESH_UI:
mNextUpdate = msg.arg1 != 0
? OnRefreshUiListener.REFRESH_STRUCTURE
: OnRefreshUiListener.REFRESH_DATA;
break;
case MSG_UPDATE_TIME:
synchronized (mLock) {
if (!mResumed) {
return;
}
}
removeMessages(MSG_UPDATE_TIME);
Message m = obtainMessage(MSG_UPDATE_TIME);
sendMessageDelayed(m, TIME_UPDATE_DELAY);
if (mRefreshUiListener != null) {
//Log.i("foo", "Refresh UI: " + mNextUpdate
// + " @ " + SystemClock.uptimeMillis());
mRefreshUiListener.onRefreshUi(mNextUpdate);
mNextUpdate = OnRefreshUiListener.REFRESH_TIME;
}
break;
}
}
};
// ----- DATA STRUCTURES -----
static interface OnRefreshUiListener {
public static final int REFRESH_TIME = 0;
public static final int REFRESH_DATA = 1;
public static final int REFRESH_STRUCTURE = 2;
public void onRefreshUi(int what);
}
static class BaseItem {
final boolean mIsProcess;
PackageItemInfo mPackageInfo;
CharSequence mDisplayLabel;
String mLabel;
String mDescription;
int mCurSeq;
long mActiveSince;
long mSize;
String mSizeStr;
String mCurSizeStr;
boolean mNeedDivider;
boolean mBackground;
public BaseItem(boolean isProcess) {
mIsProcess = isProcess;
}
}
static class ServiceItem extends BaseItem {
ActivityManager.RunningServiceInfo mRunningService;
ServiceInfo mServiceInfo;
boolean mShownAsStarted;
MergedItem mMergedItem;
public ServiceItem() {
super(false);
}
}
static class ProcessItem extends BaseItem {
final HashMap<ComponentName, ServiceItem> mServices
= new HashMap<ComponentName, ServiceItem>();
final SparseArray<ProcessItem> mDependentProcesses
= new SparseArray<ProcessItem>();
final int mUid;
final String mProcessName;
int mPid;
ProcessItem mClient;
int mLastNumDependentProcesses;
int mRunningSeq;
ActivityManager.RunningAppProcessInfo mRunningProcessInfo;
MergedItem mMergedItem;
boolean mInteresting;
// Purely for sorting.
boolean mIsSystem;
boolean mIsStarted;
long mActiveSince;
public ProcessItem(Context context, int uid, String processName) {
super(true);
mDescription = context.getResources().getString(
R.string.service_process_name, processName);
mUid = uid;
mProcessName = processName;
}
void ensureLabel(PackageManager pm) {
if (mLabel != null) {
return;
}
try {
ApplicationInfo ai = pm.getApplicationInfo(mProcessName, 0);
if (ai.uid == mUid) {
mDisplayLabel = ai.loadLabel(pm);
mLabel = mDisplayLabel.toString();
mPackageInfo = ai;
return;
}
} catch (PackageManager.NameNotFoundException e) {
}
// If we couldn't get information about the overall
// process, try to find something about the uid.
String[] pkgs = pm.getPackagesForUid(mUid);
// If there is one package with this uid, that is what we want.
if (pkgs.length == 1) {
try {
ApplicationInfo ai = pm.getApplicationInfo(pkgs[0], 0);
mDisplayLabel = ai.loadLabel(pm);
mLabel = mDisplayLabel.toString();
mPackageInfo = ai;
return;
} catch (PackageManager.NameNotFoundException e) {
}
}
// If there are multiple, see if one gives us the official name
// for this uid.
for (String name : pkgs) {
try {
PackageInfo pi = pm.getPackageInfo(name, 0);
if (pi.sharedUserLabel != 0) {
CharSequence nm = pm.getText(name,
pi.sharedUserLabel, pi.applicationInfo);
if (nm != null) {
mDisplayLabel = nm;
mLabel = nm.toString();
mPackageInfo = pi.applicationInfo;
return;
}
}
} catch (PackageManager.NameNotFoundException e) {
}
}
// If still don't have anything to display, just use the
// service info.
if (mServices.size() > 0) {
mPackageInfo = mServices.values().iterator().next()
.mServiceInfo.applicationInfo;
mDisplayLabel = mPackageInfo.loadLabel(pm);
mLabel = mDisplayLabel.toString();
return;
}
// Finally... whatever, just pick the first package's name.
try {
ApplicationInfo ai = pm.getApplicationInfo(pkgs[0], 0);
mDisplayLabel = ai.loadLabel(pm);
mLabel = mDisplayLabel.toString();
mPackageInfo = ai;
return;
} catch (PackageManager.NameNotFoundException e) {
}
}
boolean updateService(Context context,
ActivityManager.RunningServiceInfo service) {
final PackageManager pm = context.getPackageManager();
boolean changed = false;
ServiceItem si = mServices.get(service.service);
if (si == null) {
changed = true;
si = new ServiceItem();
si.mRunningService = service;
try {
si.mServiceInfo = pm.getServiceInfo(service.service, 0);
} catch (PackageManager.NameNotFoundException e) {
}
si.mDisplayLabel = makeLabel(pm,
si.mRunningService.service.getClassName(), si.mServiceInfo);
mLabel = mDisplayLabel != null ? mDisplayLabel.toString() : null;
si.mPackageInfo = si.mServiceInfo.applicationInfo;
mServices.put(service.service, si);
}
si.mCurSeq = mCurSeq;
si.mRunningService = service;
long activeSince = service.restarting == 0 ? service.activeSince : -1;
if (si.mActiveSince != activeSince) {
si.mActiveSince = activeSince;
changed = true;
}
if (service.clientPackage != null && service.clientLabel != 0) {
if (si.mShownAsStarted) {
si.mShownAsStarted = false;
changed = true;
}
try {
Resources clientr = pm.getResourcesForApplication(service.clientPackage);
String label = clientr.getString(service.clientLabel);
si.mDescription = context.getResources().getString(
R.string.service_client_name, label);
} catch (PackageManager.NameNotFoundException e) {
si.mDescription = null;
}
} else {
if (!si.mShownAsStarted) {
si.mShownAsStarted = true;
changed = true;
}
si.mDescription = context.getResources().getString(
R.string.service_started_by_app);
}
return changed;
}
boolean updateSize(Context context, long pss, int curSeq) {
mSize = pss * 1024;
if (mCurSeq == curSeq) {
String sizeStr = Formatter.formatShortFileSize(
context, mSize);
if (!sizeStr.equals(mSizeStr)){
mSizeStr = sizeStr;
// We update this on the second tick where we update just
// the text in the current items, so no need to say we
// changed here.
return false;
}
}
return false;
}
boolean buildDependencyChain(Context context, PackageManager pm, int curSeq) {
final int NP = mDependentProcesses.size();
boolean changed = false;
for (int i=0; i<NP; i++) {
ProcessItem proc = mDependentProcesses.valueAt(i);
if (proc.mClient != this) {
changed = true;
proc.mClient = this;
}
proc.mCurSeq = curSeq;
proc.ensureLabel(pm);
changed |= proc.buildDependencyChain(context, pm, curSeq);
}
if (mLastNumDependentProcesses != mDependentProcesses.size()) {
changed = true;
mLastNumDependentProcesses = mDependentProcesses.size();
}
return changed;
}
void addDependentProcesses(ArrayList<BaseItem> dest,
ArrayList<ProcessItem> destProc) {
final int NP = mDependentProcesses.size();
for (int i=0; i<NP; i++) {
ProcessItem proc = mDependentProcesses.valueAt(i);
proc.addDependentProcesses(dest, destProc);
dest.add(proc);
if (proc.mPid > 0) {
destProc.add(proc);
}
}
}
}
static class MergedItem extends BaseItem {
ProcessItem mProcess;
final ArrayList<ProcessItem> mOtherProcesses = new ArrayList<ProcessItem>();
final ArrayList<ServiceItem> mServices = new ArrayList<ServiceItem>();
private int mLastNumProcesses = -1, mLastNumServices = -1;
MergedItem() {
super(false);
}
boolean update(Context context, boolean background) {
mPackageInfo = mProcess.mPackageInfo;
mDisplayLabel = mProcess.mDisplayLabel;
mLabel = mProcess.mLabel;
mBackground = background;
if (!mBackground) {
int numProcesses = (mProcess.mPid > 0 ? 1 : 0) + mOtherProcesses.size();
int numServices = mServices.size();
if (mLastNumProcesses != numProcesses || mLastNumServices != numServices) {
mLastNumProcesses = numProcesses;
mLastNumServices = numServices;
int resid = R.string.running_processes_item_description_s_s;
if (numProcesses != 1) {
resid = numServices != 1
? R.string.running_processes_item_description_p_p
: R.string.running_processes_item_description_p_s;
} else if (numServices != 1) {
resid = R.string.running_processes_item_description_s_p;
}
mDescription = context.getResources().getString(resid, numProcesses,
numServices);
}
}
mActiveSince = -1;
for (int i=0; i<mServices.size(); i++) {
ServiceItem si = mServices.get(i);
if (si.mActiveSince >= 0 && mActiveSince < si.mActiveSince) {
mActiveSince = si.mActiveSince;
}
}
return false;
}
boolean updateSize(Context context) {
mSize = mProcess.mSize;
for (int i=0; i<mOtherProcesses.size(); i++) {
mSize += mOtherProcesses.get(i).mSize;
}
String sizeStr = Formatter.formatShortFileSize(
context, mSize);
if (!sizeStr.equals(mSizeStr)){
mSizeStr = sizeStr;
// We update this on the second tick where we update just
// the text in the current items, so no need to say we
// changed here.
return false;
}
return false;
}
}
static class ServiceProcessComparator implements Comparator<ProcessItem> {
public int compare(ProcessItem object1, ProcessItem object2) {
if (object1.mIsStarted != object2.mIsStarted) {
// Non-started processes go last.
return object1.mIsStarted ? -1 : 1;
}
if (object1.mIsSystem != object2.mIsSystem) {
// System processes go below non-system.
return object1.mIsSystem ? 1 : -1;
}
if (object1.mActiveSince != object2.mActiveSince) {
// Remaining ones are sorted with the longest running
// services last.
return (object1.mActiveSince > object2.mActiveSince) ? -1 : 1;
}
return 0;
}
}
static CharSequence makeLabel(PackageManager pm,
String className, PackageItemInfo item) {
if (item != null && (item.labelRes != 0
|| item.nonLocalizedLabel != null)) {
CharSequence label = item.loadLabel(pm);
if (label != null) {
return label;
}
}
String label = className;
int tail = label.lastIndexOf('.');
if (tail >= 0) {
label = label.substring(tail+1, label.length());
}
return label;
}
static RunningState getInstance(Context context) {
synchronized (sGlobalLock) {
if (sInstance == null) {
sInstance = new RunningState(context);
}
return sInstance;
}
}
private RunningState(Context context) {
mApplicationContext = context.getApplicationContext();
mAm = (ActivityManager)mApplicationContext.getSystemService(Context.ACTIVITY_SERVICE);
mPm = mApplicationContext.getPackageManager();
mResumed = false;
mBackgroundThread = new HandlerThread("RunningState:Background");
mBackgroundThread.start();
mBackgroundHandler = new BackgroundHandler(mBackgroundThread.getLooper());
}
void resume(OnRefreshUiListener listener) {
synchronized (mLock) {
mResumed = true;
mRefreshUiListener = listener;
if (mInterestingConfigChanges.applyNewConfig(mApplicationContext.getResources())) {
mHaveData = false;
mBackgroundHandler.removeMessages(MSG_RESET_CONTENTS);
mBackgroundHandler.removeMessages(MSG_UPDATE_CONTENTS);
mBackgroundHandler.sendEmptyMessage(MSG_RESET_CONTENTS);
}
if (!mBackgroundHandler.hasMessages(MSG_UPDATE_CONTENTS)) {
mBackgroundHandler.sendEmptyMessage(MSG_UPDATE_CONTENTS);
}
mHandler.sendEmptyMessage(MSG_UPDATE_TIME);
}
}
void updateNow() {
synchronized (mLock) {
mBackgroundHandler.removeMessages(MSG_UPDATE_CONTENTS);
mBackgroundHandler.sendEmptyMessage(MSG_UPDATE_CONTENTS);
}
}
boolean hasData() {
synchronized (mLock) {
return mHaveData;
}
}
void waitForData() {
synchronized (mLock) {
while (!mHaveData) {
try {
mLock.wait(0);
} catch (InterruptedException e) {
}
}
}
}
void pause() {
synchronized (mLock) {
mResumed = false;
mRefreshUiListener = null;
mHandler.removeMessages(MSG_UPDATE_TIME);
}
}
private boolean isInterestingProcess(ActivityManager.RunningAppProcessInfo pi) {
if ((pi.flags&ActivityManager.RunningAppProcessInfo.FLAG_CANT_SAVE_STATE) != 0) {
return true;
}
if ((pi.flags&ActivityManager.RunningAppProcessInfo.FLAG_PERSISTENT) == 0
&& pi.importance >= ActivityManager.RunningAppProcessInfo.IMPORTANCE_FOREGROUND
&& pi.importance < ActivityManager.RunningAppProcessInfo.IMPORTANCE_CANT_SAVE_STATE
&& pi.importanceReasonCode
== ActivityManager.RunningAppProcessInfo.REASON_UNKNOWN) {
return true;
}
return false;
}
private void reset() {
mServiceProcessesByName.clear();
mServiceProcessesByPid.clear();
mInterestingProcesses.clear();
mRunningProcesses.clear();
mProcessItems.clear();
mAllProcessItems.clear();
}
private boolean update(Context context, ActivityManager am) {
final PackageManager pm = context.getPackageManager();
mSequence++;
boolean changed = false;
// Retrieve list of services, filtering out anything that definitely
// won't be shown in the UI.
List<ActivityManager.RunningServiceInfo> services
= am.getRunningServices(MAX_SERVICES);
int NS = services != null ? services.size() : 0;
for (int i=0; i<NS; i++) {
ActivityManager.RunningServiceInfo si = services.get(i);
// We are not interested in services that have not been started
// and don't have a known client, because
// there is nothing the user can do about them.
if (!si.started && si.clientLabel == 0) {
services.remove(i);
i--;
NS--;
continue;
}
// We likewise don't care about services running in a
// persistent process like the system or phone.
if ((si.flags&ActivityManager.RunningServiceInfo.FLAG_PERSISTENT_PROCESS)
!= 0) {
services.remove(i);
i--;
NS--;
continue;
}
}
// Retrieve list of running processes, organizing them into a sparse
// array for easy retrieval.
List<ActivityManager.RunningAppProcessInfo> processes
= am.getRunningAppProcesses();
final int NP = processes != null ? processes.size() : 0;
mTmpAppProcesses.clear();
for (int i=0; i<NP; i++) {
ActivityManager.RunningAppProcessInfo pi = processes.get(i);
mTmpAppProcesses.put(pi.pid, new AppProcessInfo(pi));
}
// Initial iteration through running services to collect per-process
// info about them.
for (int i=0; i<NS; i++) {
ActivityManager.RunningServiceInfo si = services.get(i);
if (si.restarting == 0 && si.pid > 0) {
AppProcessInfo ainfo = mTmpAppProcesses.get(si.pid);
if (ainfo != null) {
ainfo.hasServices = true;
if (si.foreground) {
ainfo.hasForegroundServices = true;
}
}
}
}
// Update state we are maintaining about process that are running services.
for (int i=0; i<NS; i++) {
ActivityManager.RunningServiceInfo si = services.get(i);
// If this service's process is in use at a higher importance
// due to another process bound to one of its services, then we
// won't put it in the top-level list of services. Instead we
// want it to be included in the set of processes that the other
// process needs.
if (si.restarting == 0 && si.pid > 0) {
AppProcessInfo ainfo = mTmpAppProcesses.get(si.pid);
if (ainfo != null && !ainfo.hasForegroundServices) {
// This process does not have any foreground services.
// If its importance is greater than the service importance
// then there is something else more significant that is
// keeping it around that it should possibly be included as
// a part of instead of being shown by itself.
if (ainfo.info.importance
< ActivityManager.RunningAppProcessInfo.IMPORTANCE_SERVICE) {
// Follow process chain to see if there is something
// else that could be shown
boolean skip = false;
ainfo = mTmpAppProcesses.get(ainfo.info.importanceReasonPid);
while (ainfo != null) {
if (ainfo.hasServices || isInterestingProcess(ainfo.info)) {
skip = true;
break;
}
ainfo = mTmpAppProcesses.get(ainfo.info.importanceReasonPid);
}
if (skip) {
continue;
}
}
}
}
HashMap<String, ProcessItem> procs = mServiceProcessesByName.get(si.uid);
if (procs == null) {
procs = new HashMap<String, ProcessItem>();
mServiceProcessesByName.put(si.uid, procs);
}
ProcessItem proc = procs.get(si.process);
if (proc == null) {
changed = true;
proc = new ProcessItem(context, si.uid, si.process);
procs.put(si.process, proc);
}
if (proc.mCurSeq != mSequence) {
int pid = si.restarting == 0 ? si.pid : 0;
if (pid != proc.mPid) {
changed = true;
if (proc.mPid != pid) {
if (proc.mPid != 0) {
mServiceProcessesByPid.remove(proc.mPid);
}
if (pid != 0) {
mServiceProcessesByPid.put(pid, proc);
}
proc.mPid = pid;
}
}
proc.mDependentProcesses.clear();
proc.mCurSeq = mSequence;
}
changed |= proc.updateService(context, si);
}
// Now update the map of other processes that are running (but
// don't have services actively running inside them).
for (int i=0; i<NP; i++) {
ActivityManager.RunningAppProcessInfo pi = processes.get(i);
ProcessItem proc = mServiceProcessesByPid.get(pi.pid);
if (proc == null) {
// This process is not one that is a direct container
// of a service, so look for it in the secondary
// running list.
proc = mRunningProcesses.get(pi.pid);
if (proc == null) {
changed = true;
proc = new ProcessItem(context, pi.uid, pi.processName);
proc.mPid = pi.pid;
mRunningProcesses.put(pi.pid, proc);
}
proc.mDependentProcesses.clear();
}
if (isInterestingProcess(pi)) {
if (!mInterestingProcesses.contains(proc)) {
changed = true;
mInterestingProcesses.add(proc);
}
proc.mCurSeq = mSequence;
proc.mInteresting = true;
proc.ensureLabel(pm);
} else {
proc.mInteresting = false;
}
proc.mRunningSeq = mSequence;
proc.mRunningProcessInfo = pi;
}
// Build the chains from client processes to the process they are
// dependent on; also remove any old running processes.
int NRP = mRunningProcesses.size();
- for (int i=0; i<NRP; i++) {
+ for (int i = 0; i < NRP;) {
ProcessItem proc = mRunningProcesses.valueAt(i);
if (proc.mRunningSeq == mSequence) {
int clientPid = proc.mRunningProcessInfo.importanceReasonPid;
if (clientPid != 0) {
ProcessItem client = mServiceProcessesByPid.get(clientPid);
if (client == null) {
client = mRunningProcesses.get(clientPid);
}
if (client != null) {
client.mDependentProcesses.put(proc.mPid, proc);
}
} else {
// In this pass the process doesn't have a client.
// Clear to make sure that, if it later gets the same one,
// we will detect the change.
proc.mClient = null;
}
+ i++;
} else {
changed = true;
mRunningProcesses.remove(mRunningProcesses.keyAt(i));
+ NRP--;
}
}
// Remove any old interesting processes.
int NHP = mInterestingProcesses.size();
for (int i=0; i<NHP; i++) {
ProcessItem proc = mInterestingProcesses.get(i);
if (!proc.mInteresting || mRunningProcesses.get(proc.mPid) == null) {
changed = true;
mInterestingProcesses.remove(i);
i--;
NHP--;
}
}
// Follow the tree from all primary service processes to all
// processes they are dependent on, marking these processes as
// still being active and determining if anything has changed.
final int NAP = mServiceProcessesByPid.size();
for (int i=0; i<NAP; i++) {
ProcessItem proc = mServiceProcessesByPid.valueAt(i);
if (proc.mCurSeq == mSequence) {
changed |= proc.buildDependencyChain(context, pm, mSequence);
}
}
// Look for services and their primary processes that no longer exist...
ArrayList<Integer> uidToDelete = null;
for (int i=0; i<mServiceProcessesByName.size(); i++) {
HashMap<String, ProcessItem> procs = mServiceProcessesByName.valueAt(i);
Iterator<ProcessItem> pit = procs.values().iterator();
while (pit.hasNext()) {
ProcessItem pi = pit.next();
if (pi.mCurSeq == mSequence) {
pi.ensureLabel(pm);
if (pi.mPid == 0) {
// Sanity: a non-process can't be dependent on
// anything.
pi.mDependentProcesses.clear();
}
} else {
changed = true;
pit.remove();
if (procs.size() == 0) {
if (uidToDelete == null) {
uidToDelete = new ArrayList<Integer>();
}
uidToDelete.add(mServiceProcessesByName.keyAt(i));
}
if (pi.mPid != 0) {
mServiceProcessesByPid.remove(pi.mPid);
}
continue;
}
Iterator<ServiceItem> sit = pi.mServices.values().iterator();
while (sit.hasNext()) {
ServiceItem si = sit.next();
if (si.mCurSeq != mSequence) {
changed = true;
sit.remove();
}
}
}
}
if (uidToDelete != null) {
for (int i = 0; i < uidToDelete.size(); i++) {
int uid = uidToDelete.get(i);
mServiceProcessesByName.remove(uid);
}
}
if (changed) {
// First determine an order for the services.
ArrayList<ProcessItem> sortedProcesses = new ArrayList<ProcessItem>();
for (int i=0; i<mServiceProcessesByName.size(); i++) {
for (ProcessItem pi : mServiceProcessesByName.valueAt(i).values()) {
pi.mIsSystem = false;
pi.mIsStarted = true;
pi.mActiveSince = Long.MAX_VALUE;
for (ServiceItem si : pi.mServices.values()) {
if (si.mServiceInfo != null
&& (si.mServiceInfo.applicationInfo.flags
& ApplicationInfo.FLAG_SYSTEM) != 0) {
pi.mIsSystem = true;
}
if (si.mRunningService != null
&& si.mRunningService.clientLabel != 0) {
pi.mIsStarted = false;
if (pi.mActiveSince > si.mRunningService.activeSince) {
pi.mActiveSince = si.mRunningService.activeSince;
}
}
}
sortedProcesses.add(pi);
}
}
Collections.sort(sortedProcesses, mServiceProcessComparator);
ArrayList<BaseItem> newItems = new ArrayList<BaseItem>();
ArrayList<MergedItem> newMergedItems = new ArrayList<MergedItem>();
mProcessItems.clear();
for (int i=0; i<sortedProcesses.size(); i++) {
ProcessItem pi = sortedProcesses.get(i);
pi.mNeedDivider = false;
int firstProc = mProcessItems.size();
// First add processes we are dependent on.
pi.addDependentProcesses(newItems, mProcessItems);
// And add the process itself.
newItems.add(pi);
if (pi.mPid > 0) {
mProcessItems.add(pi);
}
// Now add the services running in it.
MergedItem mergedItem = null;
boolean haveAllMerged = false;
boolean needDivider = false;
for (ServiceItem si : pi.mServices.values()) {
si.mNeedDivider = needDivider;
needDivider = true;
newItems.add(si);
if (si.mMergedItem != null) {
if (mergedItem != null && mergedItem != si.mMergedItem) {
haveAllMerged = false;
}
mergedItem = si.mMergedItem;
} else {
haveAllMerged = false;
}
}
if (!haveAllMerged || mergedItem == null
|| mergedItem.mServices.size() != pi.mServices.size()) {
// Whoops, we need to build a new MergedItem!
mergedItem = new MergedItem();
for (ServiceItem si : pi.mServices.values()) {
mergedItem.mServices.add(si);
si.mMergedItem = mergedItem;
}
mergedItem.mProcess = pi;
mergedItem.mOtherProcesses.clear();
for (int mpi=firstProc; mpi<(mProcessItems.size()-1); mpi++) {
mergedItem.mOtherProcesses.add(mProcessItems.get(mpi));
}
}
mergedItem.update(context, false);
newMergedItems.add(mergedItem);
}
// Finally, interesting processes need to be shown and will
// go at the top.
NHP = mInterestingProcesses.size();
for (int i=0; i<NHP; i++) {
ProcessItem proc = mInterestingProcesses.get(i);
if (proc.mClient == null && proc.mServices.size() <= 0) {
if (proc.mMergedItem == null) {
proc.mMergedItem = new MergedItem();
proc.mMergedItem.mProcess = proc;
}
proc.mMergedItem.update(context, false);
newMergedItems.add(0, proc.mMergedItem);
mProcessItems.add(proc);
}
}
synchronized (mLock) {
mItems = newItems;
mMergedItems = newMergedItems;
}
}
// Count number of interesting other (non-active) processes, and
// build a list of all processes we will retrieve memory for.
mAllProcessItems.clear();
mAllProcessItems.addAll(mProcessItems);
int numBackgroundProcesses = 0;
int numForegroundProcesses = 0;
int numServiceProcesses = 0;
NRP = mRunningProcesses.size();
for (int i=0; i<NRP; i++) {
ProcessItem proc = mRunningProcesses.valueAt(i);
if (proc.mCurSeq != mSequence) {
// We didn't hit this process as a dependency on one
// of our active ones, so add it up if needed.
if (proc.mRunningProcessInfo.importance >=
ActivityManager.RunningAppProcessInfo.IMPORTANCE_BACKGROUND) {
numBackgroundProcesses++;
mAllProcessItems.add(proc);
} else if (proc.mRunningProcessInfo.importance <=
ActivityManager.RunningAppProcessInfo.IMPORTANCE_VISIBLE) {
numForegroundProcesses++;
mAllProcessItems.add(proc);
} else {
Log.i("RunningState", "Unknown non-service process: "
+ proc.mProcessName + " #" + proc.mPid);
}
} else {
numServiceProcesses++;
}
}
long backgroundProcessMemory = 0;
long foregroundProcessMemory = 0;
long serviceProcessMemory = 0;
ArrayList<MergedItem> newBackgroundItems = null;
try {
final int numProc = mAllProcessItems.size();
int[] pids = new int[numProc];
for (int i=0; i<numProc; i++) {
pids[i] = mAllProcessItems.get(i).mPid;
}
long[] pss = ActivityManagerNative.getDefault()
.getProcessPss(pids);
int bgIndex = 0;
for (int i=0; i<pids.length; i++) {
ProcessItem proc = mAllProcessItems.get(i);
changed |= proc.updateSize(context, pss[i], mSequence);
if (proc.mCurSeq == mSequence) {
serviceProcessMemory += proc.mSize;
} else if (proc.mRunningProcessInfo.importance >=
ActivityManager.RunningAppProcessInfo.IMPORTANCE_BACKGROUND) {
backgroundProcessMemory += proc.mSize;
MergedItem mergedItem;
if (newBackgroundItems != null) {
mergedItem = proc.mMergedItem = new MergedItem();
proc.mMergedItem.mProcess = proc;
newBackgroundItems.add(mergedItem);
} else {
if (bgIndex >= mBackgroundItems.size()
|| mBackgroundItems.get(bgIndex).mProcess != proc) {
newBackgroundItems = new ArrayList<MergedItem>(numBackgroundProcesses);
for (int bgi=0; bgi<bgIndex; bgi++) {
newBackgroundItems.add(mBackgroundItems.get(bgi));
}
mergedItem = proc.mMergedItem = new MergedItem();
proc.mMergedItem.mProcess = proc;
newBackgroundItems.add(mergedItem);
} else {
mergedItem = mBackgroundItems.get(bgIndex);
}
}
mergedItem.update(context, true);
mergedItem.updateSize(context);
bgIndex++;
} else if (proc.mRunningProcessInfo.importance <=
ActivityManager.RunningAppProcessInfo.IMPORTANCE_VISIBLE) {
foregroundProcessMemory += proc.mSize;
}
}
} catch (RemoteException e) {
}
if (newBackgroundItems == null) {
// One or more at the bottom may no longer exist.
if (mBackgroundItems.size() > numBackgroundProcesses) {
newBackgroundItems = new ArrayList<MergedItem>(numBackgroundProcesses);
for (int bgi=0; bgi<numBackgroundProcesses; bgi++) {
newBackgroundItems.add(mBackgroundItems.get(bgi));
}
}
}
for (int i=0; i<mMergedItems.size(); i++) {
mMergedItems.get(i).updateSize(context);
}
synchronized (mLock) {
mNumBackgroundProcesses = numBackgroundProcesses;
mNumForegroundProcesses = numForegroundProcesses;
mNumServiceProcesses = numServiceProcesses;
mBackgroundProcessMemory = backgroundProcessMemory;
mForegroundProcessMemory = foregroundProcessMemory;
mServiceProcessMemory = serviceProcessMemory;
if (newBackgroundItems != null) {
mBackgroundItems = newBackgroundItems;
if (mWatchingBackgroundItems) {
changed = true;
}
}
if (!mHaveData) {
mHaveData = true;
mLock.notifyAll();
}
}
return changed;
}
ArrayList<BaseItem> getCurrentItems() {
synchronized (mLock) {
return mItems;
}
}
void setWatchingBackgroundItems(boolean watching) {
synchronized (mLock) {
mWatchingBackgroundItems = watching;
}
}
ArrayList<MergedItem> getCurrentMergedItems() {
synchronized (mLock) {
return mMergedItems;
}
}
ArrayList<MergedItem> getCurrentBackgroundItems() {
synchronized (mLock) {
return mBackgroundItems;
}
}
}
| false | true | private boolean update(Context context, ActivityManager am) {
final PackageManager pm = context.getPackageManager();
mSequence++;
boolean changed = false;
// Retrieve list of services, filtering out anything that definitely
// won't be shown in the UI.
List<ActivityManager.RunningServiceInfo> services
= am.getRunningServices(MAX_SERVICES);
int NS = services != null ? services.size() : 0;
for (int i=0; i<NS; i++) {
ActivityManager.RunningServiceInfo si = services.get(i);
// We are not interested in services that have not been started
// and don't have a known client, because
// there is nothing the user can do about them.
if (!si.started && si.clientLabel == 0) {
services.remove(i);
i--;
NS--;
continue;
}
// We likewise don't care about services running in a
// persistent process like the system or phone.
if ((si.flags&ActivityManager.RunningServiceInfo.FLAG_PERSISTENT_PROCESS)
!= 0) {
services.remove(i);
i--;
NS--;
continue;
}
}
// Retrieve list of running processes, organizing them into a sparse
// array for easy retrieval.
List<ActivityManager.RunningAppProcessInfo> processes
= am.getRunningAppProcesses();
final int NP = processes != null ? processes.size() : 0;
mTmpAppProcesses.clear();
for (int i=0; i<NP; i++) {
ActivityManager.RunningAppProcessInfo pi = processes.get(i);
mTmpAppProcesses.put(pi.pid, new AppProcessInfo(pi));
}
// Initial iteration through running services to collect per-process
// info about them.
for (int i=0; i<NS; i++) {
ActivityManager.RunningServiceInfo si = services.get(i);
if (si.restarting == 0 && si.pid > 0) {
AppProcessInfo ainfo = mTmpAppProcesses.get(si.pid);
if (ainfo != null) {
ainfo.hasServices = true;
if (si.foreground) {
ainfo.hasForegroundServices = true;
}
}
}
}
// Update state we are maintaining about process that are running services.
for (int i=0; i<NS; i++) {
ActivityManager.RunningServiceInfo si = services.get(i);
// If this service's process is in use at a higher importance
// due to another process bound to one of its services, then we
// won't put it in the top-level list of services. Instead we
// want it to be included in the set of processes that the other
// process needs.
if (si.restarting == 0 && si.pid > 0) {
AppProcessInfo ainfo = mTmpAppProcesses.get(si.pid);
if (ainfo != null && !ainfo.hasForegroundServices) {
// This process does not have any foreground services.
// If its importance is greater than the service importance
// then there is something else more significant that is
// keeping it around that it should possibly be included as
// a part of instead of being shown by itself.
if (ainfo.info.importance
< ActivityManager.RunningAppProcessInfo.IMPORTANCE_SERVICE) {
// Follow process chain to see if there is something
// else that could be shown
boolean skip = false;
ainfo = mTmpAppProcesses.get(ainfo.info.importanceReasonPid);
while (ainfo != null) {
if (ainfo.hasServices || isInterestingProcess(ainfo.info)) {
skip = true;
break;
}
ainfo = mTmpAppProcesses.get(ainfo.info.importanceReasonPid);
}
if (skip) {
continue;
}
}
}
}
HashMap<String, ProcessItem> procs = mServiceProcessesByName.get(si.uid);
if (procs == null) {
procs = new HashMap<String, ProcessItem>();
mServiceProcessesByName.put(si.uid, procs);
}
ProcessItem proc = procs.get(si.process);
if (proc == null) {
changed = true;
proc = new ProcessItem(context, si.uid, si.process);
procs.put(si.process, proc);
}
if (proc.mCurSeq != mSequence) {
int pid = si.restarting == 0 ? si.pid : 0;
if (pid != proc.mPid) {
changed = true;
if (proc.mPid != pid) {
if (proc.mPid != 0) {
mServiceProcessesByPid.remove(proc.mPid);
}
if (pid != 0) {
mServiceProcessesByPid.put(pid, proc);
}
proc.mPid = pid;
}
}
proc.mDependentProcesses.clear();
proc.mCurSeq = mSequence;
}
changed |= proc.updateService(context, si);
}
// Now update the map of other processes that are running (but
// don't have services actively running inside them).
for (int i=0; i<NP; i++) {
ActivityManager.RunningAppProcessInfo pi = processes.get(i);
ProcessItem proc = mServiceProcessesByPid.get(pi.pid);
if (proc == null) {
// This process is not one that is a direct container
// of a service, so look for it in the secondary
// running list.
proc = mRunningProcesses.get(pi.pid);
if (proc == null) {
changed = true;
proc = new ProcessItem(context, pi.uid, pi.processName);
proc.mPid = pi.pid;
mRunningProcesses.put(pi.pid, proc);
}
proc.mDependentProcesses.clear();
}
if (isInterestingProcess(pi)) {
if (!mInterestingProcesses.contains(proc)) {
changed = true;
mInterestingProcesses.add(proc);
}
proc.mCurSeq = mSequence;
proc.mInteresting = true;
proc.ensureLabel(pm);
} else {
proc.mInteresting = false;
}
proc.mRunningSeq = mSequence;
proc.mRunningProcessInfo = pi;
}
// Build the chains from client processes to the process they are
// dependent on; also remove any old running processes.
int NRP = mRunningProcesses.size();
for (int i=0; i<NRP; i++) {
ProcessItem proc = mRunningProcesses.valueAt(i);
if (proc.mRunningSeq == mSequence) {
int clientPid = proc.mRunningProcessInfo.importanceReasonPid;
if (clientPid != 0) {
ProcessItem client = mServiceProcessesByPid.get(clientPid);
if (client == null) {
client = mRunningProcesses.get(clientPid);
}
if (client != null) {
client.mDependentProcesses.put(proc.mPid, proc);
}
} else {
// In this pass the process doesn't have a client.
// Clear to make sure that, if it later gets the same one,
// we will detect the change.
proc.mClient = null;
}
} else {
changed = true;
mRunningProcesses.remove(mRunningProcesses.keyAt(i));
}
}
// Remove any old interesting processes.
int NHP = mInterestingProcesses.size();
for (int i=0; i<NHP; i++) {
ProcessItem proc = mInterestingProcesses.get(i);
if (!proc.mInteresting || mRunningProcesses.get(proc.mPid) == null) {
changed = true;
mInterestingProcesses.remove(i);
i--;
NHP--;
}
}
// Follow the tree from all primary service processes to all
// processes they are dependent on, marking these processes as
// still being active and determining if anything has changed.
final int NAP = mServiceProcessesByPid.size();
for (int i=0; i<NAP; i++) {
ProcessItem proc = mServiceProcessesByPid.valueAt(i);
if (proc.mCurSeq == mSequence) {
changed |= proc.buildDependencyChain(context, pm, mSequence);
}
}
// Look for services and their primary processes that no longer exist...
ArrayList<Integer> uidToDelete = null;
for (int i=0; i<mServiceProcessesByName.size(); i++) {
HashMap<String, ProcessItem> procs = mServiceProcessesByName.valueAt(i);
Iterator<ProcessItem> pit = procs.values().iterator();
while (pit.hasNext()) {
ProcessItem pi = pit.next();
if (pi.mCurSeq == mSequence) {
pi.ensureLabel(pm);
if (pi.mPid == 0) {
// Sanity: a non-process can't be dependent on
// anything.
pi.mDependentProcesses.clear();
}
} else {
changed = true;
pit.remove();
if (procs.size() == 0) {
if (uidToDelete == null) {
uidToDelete = new ArrayList<Integer>();
}
uidToDelete.add(mServiceProcessesByName.keyAt(i));
}
if (pi.mPid != 0) {
mServiceProcessesByPid.remove(pi.mPid);
}
continue;
}
Iterator<ServiceItem> sit = pi.mServices.values().iterator();
while (sit.hasNext()) {
ServiceItem si = sit.next();
if (si.mCurSeq != mSequence) {
changed = true;
sit.remove();
}
}
}
}
if (uidToDelete != null) {
for (int i = 0; i < uidToDelete.size(); i++) {
int uid = uidToDelete.get(i);
mServiceProcessesByName.remove(uid);
}
}
if (changed) {
// First determine an order for the services.
ArrayList<ProcessItem> sortedProcesses = new ArrayList<ProcessItem>();
for (int i=0; i<mServiceProcessesByName.size(); i++) {
for (ProcessItem pi : mServiceProcessesByName.valueAt(i).values()) {
pi.mIsSystem = false;
pi.mIsStarted = true;
pi.mActiveSince = Long.MAX_VALUE;
for (ServiceItem si : pi.mServices.values()) {
if (si.mServiceInfo != null
&& (si.mServiceInfo.applicationInfo.flags
& ApplicationInfo.FLAG_SYSTEM) != 0) {
pi.mIsSystem = true;
}
if (si.mRunningService != null
&& si.mRunningService.clientLabel != 0) {
pi.mIsStarted = false;
if (pi.mActiveSince > si.mRunningService.activeSince) {
pi.mActiveSince = si.mRunningService.activeSince;
}
}
}
sortedProcesses.add(pi);
}
}
Collections.sort(sortedProcesses, mServiceProcessComparator);
ArrayList<BaseItem> newItems = new ArrayList<BaseItem>();
ArrayList<MergedItem> newMergedItems = new ArrayList<MergedItem>();
mProcessItems.clear();
for (int i=0; i<sortedProcesses.size(); i++) {
ProcessItem pi = sortedProcesses.get(i);
pi.mNeedDivider = false;
int firstProc = mProcessItems.size();
// First add processes we are dependent on.
pi.addDependentProcesses(newItems, mProcessItems);
// And add the process itself.
newItems.add(pi);
if (pi.mPid > 0) {
mProcessItems.add(pi);
}
// Now add the services running in it.
MergedItem mergedItem = null;
boolean haveAllMerged = false;
boolean needDivider = false;
for (ServiceItem si : pi.mServices.values()) {
si.mNeedDivider = needDivider;
needDivider = true;
newItems.add(si);
if (si.mMergedItem != null) {
if (mergedItem != null && mergedItem != si.mMergedItem) {
haveAllMerged = false;
}
mergedItem = si.mMergedItem;
} else {
haveAllMerged = false;
}
}
if (!haveAllMerged || mergedItem == null
|| mergedItem.mServices.size() != pi.mServices.size()) {
// Whoops, we need to build a new MergedItem!
mergedItem = new MergedItem();
for (ServiceItem si : pi.mServices.values()) {
mergedItem.mServices.add(si);
si.mMergedItem = mergedItem;
}
mergedItem.mProcess = pi;
mergedItem.mOtherProcesses.clear();
for (int mpi=firstProc; mpi<(mProcessItems.size()-1); mpi++) {
mergedItem.mOtherProcesses.add(mProcessItems.get(mpi));
}
}
mergedItem.update(context, false);
newMergedItems.add(mergedItem);
}
// Finally, interesting processes need to be shown and will
// go at the top.
NHP = mInterestingProcesses.size();
for (int i=0; i<NHP; i++) {
ProcessItem proc = mInterestingProcesses.get(i);
if (proc.mClient == null && proc.mServices.size() <= 0) {
if (proc.mMergedItem == null) {
proc.mMergedItem = new MergedItem();
proc.mMergedItem.mProcess = proc;
}
proc.mMergedItem.update(context, false);
newMergedItems.add(0, proc.mMergedItem);
mProcessItems.add(proc);
}
}
synchronized (mLock) {
mItems = newItems;
mMergedItems = newMergedItems;
}
}
// Count number of interesting other (non-active) processes, and
// build a list of all processes we will retrieve memory for.
mAllProcessItems.clear();
mAllProcessItems.addAll(mProcessItems);
int numBackgroundProcesses = 0;
int numForegroundProcesses = 0;
int numServiceProcesses = 0;
NRP = mRunningProcesses.size();
for (int i=0; i<NRP; i++) {
ProcessItem proc = mRunningProcesses.valueAt(i);
if (proc.mCurSeq != mSequence) {
// We didn't hit this process as a dependency on one
// of our active ones, so add it up if needed.
if (proc.mRunningProcessInfo.importance >=
ActivityManager.RunningAppProcessInfo.IMPORTANCE_BACKGROUND) {
numBackgroundProcesses++;
mAllProcessItems.add(proc);
} else if (proc.mRunningProcessInfo.importance <=
ActivityManager.RunningAppProcessInfo.IMPORTANCE_VISIBLE) {
numForegroundProcesses++;
mAllProcessItems.add(proc);
} else {
Log.i("RunningState", "Unknown non-service process: "
+ proc.mProcessName + " #" + proc.mPid);
}
} else {
numServiceProcesses++;
}
}
long backgroundProcessMemory = 0;
long foregroundProcessMemory = 0;
long serviceProcessMemory = 0;
ArrayList<MergedItem> newBackgroundItems = null;
try {
final int numProc = mAllProcessItems.size();
int[] pids = new int[numProc];
for (int i=0; i<numProc; i++) {
pids[i] = mAllProcessItems.get(i).mPid;
}
long[] pss = ActivityManagerNative.getDefault()
.getProcessPss(pids);
int bgIndex = 0;
for (int i=0; i<pids.length; i++) {
ProcessItem proc = mAllProcessItems.get(i);
changed |= proc.updateSize(context, pss[i], mSequence);
if (proc.mCurSeq == mSequence) {
serviceProcessMemory += proc.mSize;
} else if (proc.mRunningProcessInfo.importance >=
ActivityManager.RunningAppProcessInfo.IMPORTANCE_BACKGROUND) {
backgroundProcessMemory += proc.mSize;
MergedItem mergedItem;
if (newBackgroundItems != null) {
mergedItem = proc.mMergedItem = new MergedItem();
proc.mMergedItem.mProcess = proc;
newBackgroundItems.add(mergedItem);
} else {
if (bgIndex >= mBackgroundItems.size()
|| mBackgroundItems.get(bgIndex).mProcess != proc) {
newBackgroundItems = new ArrayList<MergedItem>(numBackgroundProcesses);
for (int bgi=0; bgi<bgIndex; bgi++) {
newBackgroundItems.add(mBackgroundItems.get(bgi));
}
mergedItem = proc.mMergedItem = new MergedItem();
proc.mMergedItem.mProcess = proc;
newBackgroundItems.add(mergedItem);
} else {
mergedItem = mBackgroundItems.get(bgIndex);
}
}
mergedItem.update(context, true);
mergedItem.updateSize(context);
bgIndex++;
} else if (proc.mRunningProcessInfo.importance <=
ActivityManager.RunningAppProcessInfo.IMPORTANCE_VISIBLE) {
foregroundProcessMemory += proc.mSize;
}
}
} catch (RemoteException e) {
}
if (newBackgroundItems == null) {
// One or more at the bottom may no longer exist.
if (mBackgroundItems.size() > numBackgroundProcesses) {
newBackgroundItems = new ArrayList<MergedItem>(numBackgroundProcesses);
for (int bgi=0; bgi<numBackgroundProcesses; bgi++) {
newBackgroundItems.add(mBackgroundItems.get(bgi));
}
}
}
for (int i=0; i<mMergedItems.size(); i++) {
mMergedItems.get(i).updateSize(context);
}
synchronized (mLock) {
mNumBackgroundProcesses = numBackgroundProcesses;
mNumForegroundProcesses = numForegroundProcesses;
mNumServiceProcesses = numServiceProcesses;
mBackgroundProcessMemory = backgroundProcessMemory;
mForegroundProcessMemory = foregroundProcessMemory;
mServiceProcessMemory = serviceProcessMemory;
if (newBackgroundItems != null) {
mBackgroundItems = newBackgroundItems;
if (mWatchingBackgroundItems) {
changed = true;
}
}
if (!mHaveData) {
mHaveData = true;
mLock.notifyAll();
}
}
return changed;
}
| private boolean update(Context context, ActivityManager am) {
final PackageManager pm = context.getPackageManager();
mSequence++;
boolean changed = false;
// Retrieve list of services, filtering out anything that definitely
// won't be shown in the UI.
List<ActivityManager.RunningServiceInfo> services
= am.getRunningServices(MAX_SERVICES);
int NS = services != null ? services.size() : 0;
for (int i=0; i<NS; i++) {
ActivityManager.RunningServiceInfo si = services.get(i);
// We are not interested in services that have not been started
// and don't have a known client, because
// there is nothing the user can do about them.
if (!si.started && si.clientLabel == 0) {
services.remove(i);
i--;
NS--;
continue;
}
// We likewise don't care about services running in a
// persistent process like the system or phone.
if ((si.flags&ActivityManager.RunningServiceInfo.FLAG_PERSISTENT_PROCESS)
!= 0) {
services.remove(i);
i--;
NS--;
continue;
}
}
// Retrieve list of running processes, organizing them into a sparse
// array for easy retrieval.
List<ActivityManager.RunningAppProcessInfo> processes
= am.getRunningAppProcesses();
final int NP = processes != null ? processes.size() : 0;
mTmpAppProcesses.clear();
for (int i=0; i<NP; i++) {
ActivityManager.RunningAppProcessInfo pi = processes.get(i);
mTmpAppProcesses.put(pi.pid, new AppProcessInfo(pi));
}
// Initial iteration through running services to collect per-process
// info about them.
for (int i=0; i<NS; i++) {
ActivityManager.RunningServiceInfo si = services.get(i);
if (si.restarting == 0 && si.pid > 0) {
AppProcessInfo ainfo = mTmpAppProcesses.get(si.pid);
if (ainfo != null) {
ainfo.hasServices = true;
if (si.foreground) {
ainfo.hasForegroundServices = true;
}
}
}
}
// Update state we are maintaining about process that are running services.
for (int i=0; i<NS; i++) {
ActivityManager.RunningServiceInfo si = services.get(i);
// If this service's process is in use at a higher importance
// due to another process bound to one of its services, then we
// won't put it in the top-level list of services. Instead we
// want it to be included in the set of processes that the other
// process needs.
if (si.restarting == 0 && si.pid > 0) {
AppProcessInfo ainfo = mTmpAppProcesses.get(si.pid);
if (ainfo != null && !ainfo.hasForegroundServices) {
// This process does not have any foreground services.
// If its importance is greater than the service importance
// then there is something else more significant that is
// keeping it around that it should possibly be included as
// a part of instead of being shown by itself.
if (ainfo.info.importance
< ActivityManager.RunningAppProcessInfo.IMPORTANCE_SERVICE) {
// Follow process chain to see if there is something
// else that could be shown
boolean skip = false;
ainfo = mTmpAppProcesses.get(ainfo.info.importanceReasonPid);
while (ainfo != null) {
if (ainfo.hasServices || isInterestingProcess(ainfo.info)) {
skip = true;
break;
}
ainfo = mTmpAppProcesses.get(ainfo.info.importanceReasonPid);
}
if (skip) {
continue;
}
}
}
}
HashMap<String, ProcessItem> procs = mServiceProcessesByName.get(si.uid);
if (procs == null) {
procs = new HashMap<String, ProcessItem>();
mServiceProcessesByName.put(si.uid, procs);
}
ProcessItem proc = procs.get(si.process);
if (proc == null) {
changed = true;
proc = new ProcessItem(context, si.uid, si.process);
procs.put(si.process, proc);
}
if (proc.mCurSeq != mSequence) {
int pid = si.restarting == 0 ? si.pid : 0;
if (pid != proc.mPid) {
changed = true;
if (proc.mPid != pid) {
if (proc.mPid != 0) {
mServiceProcessesByPid.remove(proc.mPid);
}
if (pid != 0) {
mServiceProcessesByPid.put(pid, proc);
}
proc.mPid = pid;
}
}
proc.mDependentProcesses.clear();
proc.mCurSeq = mSequence;
}
changed |= proc.updateService(context, si);
}
// Now update the map of other processes that are running (but
// don't have services actively running inside them).
for (int i=0; i<NP; i++) {
ActivityManager.RunningAppProcessInfo pi = processes.get(i);
ProcessItem proc = mServiceProcessesByPid.get(pi.pid);
if (proc == null) {
// This process is not one that is a direct container
// of a service, so look for it in the secondary
// running list.
proc = mRunningProcesses.get(pi.pid);
if (proc == null) {
changed = true;
proc = new ProcessItem(context, pi.uid, pi.processName);
proc.mPid = pi.pid;
mRunningProcesses.put(pi.pid, proc);
}
proc.mDependentProcesses.clear();
}
if (isInterestingProcess(pi)) {
if (!mInterestingProcesses.contains(proc)) {
changed = true;
mInterestingProcesses.add(proc);
}
proc.mCurSeq = mSequence;
proc.mInteresting = true;
proc.ensureLabel(pm);
} else {
proc.mInteresting = false;
}
proc.mRunningSeq = mSequence;
proc.mRunningProcessInfo = pi;
}
// Build the chains from client processes to the process they are
// dependent on; also remove any old running processes.
int NRP = mRunningProcesses.size();
for (int i = 0; i < NRP;) {
ProcessItem proc = mRunningProcesses.valueAt(i);
if (proc.mRunningSeq == mSequence) {
int clientPid = proc.mRunningProcessInfo.importanceReasonPid;
if (clientPid != 0) {
ProcessItem client = mServiceProcessesByPid.get(clientPid);
if (client == null) {
client = mRunningProcesses.get(clientPid);
}
if (client != null) {
client.mDependentProcesses.put(proc.mPid, proc);
}
} else {
// In this pass the process doesn't have a client.
// Clear to make sure that, if it later gets the same one,
// we will detect the change.
proc.mClient = null;
}
i++;
} else {
changed = true;
mRunningProcesses.remove(mRunningProcesses.keyAt(i));
NRP--;
}
}
// Remove any old interesting processes.
int NHP = mInterestingProcesses.size();
for (int i=0; i<NHP; i++) {
ProcessItem proc = mInterestingProcesses.get(i);
if (!proc.mInteresting || mRunningProcesses.get(proc.mPid) == null) {
changed = true;
mInterestingProcesses.remove(i);
i--;
NHP--;
}
}
// Follow the tree from all primary service processes to all
// processes they are dependent on, marking these processes as
// still being active and determining if anything has changed.
final int NAP = mServiceProcessesByPid.size();
for (int i=0; i<NAP; i++) {
ProcessItem proc = mServiceProcessesByPid.valueAt(i);
if (proc.mCurSeq == mSequence) {
changed |= proc.buildDependencyChain(context, pm, mSequence);
}
}
// Look for services and their primary processes that no longer exist...
ArrayList<Integer> uidToDelete = null;
for (int i=0; i<mServiceProcessesByName.size(); i++) {
HashMap<String, ProcessItem> procs = mServiceProcessesByName.valueAt(i);
Iterator<ProcessItem> pit = procs.values().iterator();
while (pit.hasNext()) {
ProcessItem pi = pit.next();
if (pi.mCurSeq == mSequence) {
pi.ensureLabel(pm);
if (pi.mPid == 0) {
// Sanity: a non-process can't be dependent on
// anything.
pi.mDependentProcesses.clear();
}
} else {
changed = true;
pit.remove();
if (procs.size() == 0) {
if (uidToDelete == null) {
uidToDelete = new ArrayList<Integer>();
}
uidToDelete.add(mServiceProcessesByName.keyAt(i));
}
if (pi.mPid != 0) {
mServiceProcessesByPid.remove(pi.mPid);
}
continue;
}
Iterator<ServiceItem> sit = pi.mServices.values().iterator();
while (sit.hasNext()) {
ServiceItem si = sit.next();
if (si.mCurSeq != mSequence) {
changed = true;
sit.remove();
}
}
}
}
if (uidToDelete != null) {
for (int i = 0; i < uidToDelete.size(); i++) {
int uid = uidToDelete.get(i);
mServiceProcessesByName.remove(uid);
}
}
if (changed) {
// First determine an order for the services.
ArrayList<ProcessItem> sortedProcesses = new ArrayList<ProcessItem>();
for (int i=0; i<mServiceProcessesByName.size(); i++) {
for (ProcessItem pi : mServiceProcessesByName.valueAt(i).values()) {
pi.mIsSystem = false;
pi.mIsStarted = true;
pi.mActiveSince = Long.MAX_VALUE;
for (ServiceItem si : pi.mServices.values()) {
if (si.mServiceInfo != null
&& (si.mServiceInfo.applicationInfo.flags
& ApplicationInfo.FLAG_SYSTEM) != 0) {
pi.mIsSystem = true;
}
if (si.mRunningService != null
&& si.mRunningService.clientLabel != 0) {
pi.mIsStarted = false;
if (pi.mActiveSince > si.mRunningService.activeSince) {
pi.mActiveSince = si.mRunningService.activeSince;
}
}
}
sortedProcesses.add(pi);
}
}
Collections.sort(sortedProcesses, mServiceProcessComparator);
ArrayList<BaseItem> newItems = new ArrayList<BaseItem>();
ArrayList<MergedItem> newMergedItems = new ArrayList<MergedItem>();
mProcessItems.clear();
for (int i=0; i<sortedProcesses.size(); i++) {
ProcessItem pi = sortedProcesses.get(i);
pi.mNeedDivider = false;
int firstProc = mProcessItems.size();
// First add processes we are dependent on.
pi.addDependentProcesses(newItems, mProcessItems);
// And add the process itself.
newItems.add(pi);
if (pi.mPid > 0) {
mProcessItems.add(pi);
}
// Now add the services running in it.
MergedItem mergedItem = null;
boolean haveAllMerged = false;
boolean needDivider = false;
for (ServiceItem si : pi.mServices.values()) {
si.mNeedDivider = needDivider;
needDivider = true;
newItems.add(si);
if (si.mMergedItem != null) {
if (mergedItem != null && mergedItem != si.mMergedItem) {
haveAllMerged = false;
}
mergedItem = si.mMergedItem;
} else {
haveAllMerged = false;
}
}
if (!haveAllMerged || mergedItem == null
|| mergedItem.mServices.size() != pi.mServices.size()) {
// Whoops, we need to build a new MergedItem!
mergedItem = new MergedItem();
for (ServiceItem si : pi.mServices.values()) {
mergedItem.mServices.add(si);
si.mMergedItem = mergedItem;
}
mergedItem.mProcess = pi;
mergedItem.mOtherProcesses.clear();
for (int mpi=firstProc; mpi<(mProcessItems.size()-1); mpi++) {
mergedItem.mOtherProcesses.add(mProcessItems.get(mpi));
}
}
mergedItem.update(context, false);
newMergedItems.add(mergedItem);
}
// Finally, interesting processes need to be shown and will
// go at the top.
NHP = mInterestingProcesses.size();
for (int i=0; i<NHP; i++) {
ProcessItem proc = mInterestingProcesses.get(i);
if (proc.mClient == null && proc.mServices.size() <= 0) {
if (proc.mMergedItem == null) {
proc.mMergedItem = new MergedItem();
proc.mMergedItem.mProcess = proc;
}
proc.mMergedItem.update(context, false);
newMergedItems.add(0, proc.mMergedItem);
mProcessItems.add(proc);
}
}
synchronized (mLock) {
mItems = newItems;
mMergedItems = newMergedItems;
}
}
// Count number of interesting other (non-active) processes, and
// build a list of all processes we will retrieve memory for.
mAllProcessItems.clear();
mAllProcessItems.addAll(mProcessItems);
int numBackgroundProcesses = 0;
int numForegroundProcesses = 0;
int numServiceProcesses = 0;
NRP = mRunningProcesses.size();
for (int i=0; i<NRP; i++) {
ProcessItem proc = mRunningProcesses.valueAt(i);
if (proc.mCurSeq != mSequence) {
// We didn't hit this process as a dependency on one
// of our active ones, so add it up if needed.
if (proc.mRunningProcessInfo.importance >=
ActivityManager.RunningAppProcessInfo.IMPORTANCE_BACKGROUND) {
numBackgroundProcesses++;
mAllProcessItems.add(proc);
} else if (proc.mRunningProcessInfo.importance <=
ActivityManager.RunningAppProcessInfo.IMPORTANCE_VISIBLE) {
numForegroundProcesses++;
mAllProcessItems.add(proc);
} else {
Log.i("RunningState", "Unknown non-service process: "
+ proc.mProcessName + " #" + proc.mPid);
}
} else {
numServiceProcesses++;
}
}
long backgroundProcessMemory = 0;
long foregroundProcessMemory = 0;
long serviceProcessMemory = 0;
ArrayList<MergedItem> newBackgroundItems = null;
try {
final int numProc = mAllProcessItems.size();
int[] pids = new int[numProc];
for (int i=0; i<numProc; i++) {
pids[i] = mAllProcessItems.get(i).mPid;
}
long[] pss = ActivityManagerNative.getDefault()
.getProcessPss(pids);
int bgIndex = 0;
for (int i=0; i<pids.length; i++) {
ProcessItem proc = mAllProcessItems.get(i);
changed |= proc.updateSize(context, pss[i], mSequence);
if (proc.mCurSeq == mSequence) {
serviceProcessMemory += proc.mSize;
} else if (proc.mRunningProcessInfo.importance >=
ActivityManager.RunningAppProcessInfo.IMPORTANCE_BACKGROUND) {
backgroundProcessMemory += proc.mSize;
MergedItem mergedItem;
if (newBackgroundItems != null) {
mergedItem = proc.mMergedItem = new MergedItem();
proc.mMergedItem.mProcess = proc;
newBackgroundItems.add(mergedItem);
} else {
if (bgIndex >= mBackgroundItems.size()
|| mBackgroundItems.get(bgIndex).mProcess != proc) {
newBackgroundItems = new ArrayList<MergedItem>(numBackgroundProcesses);
for (int bgi=0; bgi<bgIndex; bgi++) {
newBackgroundItems.add(mBackgroundItems.get(bgi));
}
mergedItem = proc.mMergedItem = new MergedItem();
proc.mMergedItem.mProcess = proc;
newBackgroundItems.add(mergedItem);
} else {
mergedItem = mBackgroundItems.get(bgIndex);
}
}
mergedItem.update(context, true);
mergedItem.updateSize(context);
bgIndex++;
} else if (proc.mRunningProcessInfo.importance <=
ActivityManager.RunningAppProcessInfo.IMPORTANCE_VISIBLE) {
foregroundProcessMemory += proc.mSize;
}
}
} catch (RemoteException e) {
}
if (newBackgroundItems == null) {
// One or more at the bottom may no longer exist.
if (mBackgroundItems.size() > numBackgroundProcesses) {
newBackgroundItems = new ArrayList<MergedItem>(numBackgroundProcesses);
for (int bgi=0; bgi<numBackgroundProcesses; bgi++) {
newBackgroundItems.add(mBackgroundItems.get(bgi));
}
}
}
for (int i=0; i<mMergedItems.size(); i++) {
mMergedItems.get(i).updateSize(context);
}
synchronized (mLock) {
mNumBackgroundProcesses = numBackgroundProcesses;
mNumForegroundProcesses = numForegroundProcesses;
mNumServiceProcesses = numServiceProcesses;
mBackgroundProcessMemory = backgroundProcessMemory;
mForegroundProcessMemory = foregroundProcessMemory;
mServiceProcessMemory = serviceProcessMemory;
if (newBackgroundItems != null) {
mBackgroundItems = newBackgroundItems;
if (mWatchingBackgroundItems) {
changed = true;
}
}
if (!mHaveData) {
mHaveData = true;
mLock.notifyAll();
}
}
return changed;
}
|
diff --git a/src/org/jaudiotagger/tag/id3/ID3v24Tag.java b/src/org/jaudiotagger/tag/id3/ID3v24Tag.java
index c207c38d..a9ef5305 100644
--- a/src/org/jaudiotagger/tag/id3/ID3v24Tag.java
+++ b/src/org/jaudiotagger/tag/id3/ID3v24Tag.java
@@ -1,913 +1,913 @@
/*
* MusicTag Copyright (C)2003,2004
*
* This library is free software; you can redistribute it and/or modify it under the terms of the GNU Lesser
* General Public License as published by the Free Software Foundation; either version 2.1 of the License,
* or (at your option) any later version.
*
* This library is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even
* the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.
* See the GNU Lesser General Public License for more details.
*
* You should have received a copy of the GNU Lesser General Public License along with this library; if not,
* you can get a copy from http://www.opensource.org/licenses/lgpl-license.php or write to the Free Software
* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
*/
package org.jaudiotagger.tag.id3;
import org.jaudiotagger.tag.AbstractTag;
import org.jaudiotagger.audio.mp3.*;
import org.jaudiotagger.tag.lyrics3.AbstractLyrics3;
import org.jaudiotagger.tag.lyrics3.Lyrics3v2;
import org.jaudiotagger.tag.lyrics3.Lyrics3v2Field;
import org.jaudiotagger.tag.*;
import org.jaudiotagger.tag.id3.framebody.*;
import org.jaudiotagger.tag.id3.valuepair.GenreTypes;
import org.jaudiotagger.FileConstants;
import java.io.IOException;
import java.io.RandomAccessFile;
import java.util.*;
import java.util.logging.Level;
import java.nio.*;
import java.nio.channels.*;
import java.io.*;
/**
* This class represents an ID3v2.4 tag.
*
* @author : Paul Taylor
* @author : Eric Farng
* @version $Id$
*/
public class ID3v24Tag
extends ID3v23Tag
{
protected static final String TYPE_FOOTER = "footer";
protected static final String TYPE_IMAGEENCODINGRESTRICTION = "imageEncodingRestriction";
protected static final String TYPE_IMAGESIZERESTRICTION = "imageSizeRestriction";
protected static final String TYPE_TAGRESTRICTION = "tagRestriction";
protected static final String TYPE_TAGSIZERESTRICTION = "tagSizeRestriction";
protected static final String TYPE_TEXTENCODINGRESTRICTION = "textEncodingRestriction";
protected static final String TYPE_TEXTFIELDSIZERESTRICTION = "textFieldSizeRestriction";
protected static final String TYPE_UPDATETAG = "updateTag";
protected static int TAG_EXT_HEADER_LENGTH = 6;
protected static int TAG_EXT_HEADER_UPDATE_LENGTH = 1;
protected static int TAG_EXT_HEADER_CRC_LENGTH = 6;
protected static int TAG_EXT_HEADER_RESTRICTION_LENGTH = 2;
protected static int TAG_EXT_HEADER_CRC_DATA_LENGTH = 5;
protected static int TAG_EXT_HEADER_RESTRICTION_DATA_LENGTH = 1;
protected static int TAG_EXT_NUMBER_BYTES_DATA_LENGTH = 1;
/**
* ID3v2.4 Header bit mask
*/
public static final int MASK_V24_UNSYNCHRONIZATION = FileConstants.BIT7;
/**
* ID3v2.4 Header bit mask
*/
public static final int MASK_V24_EXTENDED_HEADER = FileConstants.BIT6;
/**
* ID3v2.4 Header bit mask
*/
public static final int MASK_V24_EXPERIMENTAL = FileConstants.BIT5;
/**
* ID3v2.4 Header bit mask
*/
public static final int MASK_V24_FOOTER_PRESENT = FileConstants.BIT4;
/**
* ID3v2.4 Extended header bit mask
*/
public static final int MASK_V24_TAG_UPDATE = FileConstants.BIT6;
/**
* ID3v2.4 Extended header bit mask
*/
public static final int MASK_V24_CRC_DATA_PRESENT = FileConstants.BIT5;
/**
* ID3v2.4 Extended header bit mask
*/
public static final int MASK_V24_TAG_RESTRICTIONS = FileConstants.BIT4;
/**
* ID3v2.4 Extended header bit mask
*/
public static final int MASK_V24_TAG_SIZE_RESTRICTIONS = (byte) FileConstants.BIT7 | FileConstants.BIT6;
/**
* ID3v2.4 Extended header bit mask
*/
public static final int MASK_V24_TEXT_ENCODING_RESTRICTIONS = FileConstants.BIT5;
/**
* ID3v2.4 Extended header bit mask
*/
public static final int MASK_V24_TEXT_FIELD_SIZE_RESTRICTIONS = FileConstants.BIT4 | FileConstants.BIT3;
/**
* ID3v2.4 Extended header bit mask
*/
public static final int MASK_V24_IMAGE_ENCODING = FileConstants.BIT2;
/**
* ID3v2.4 Extended header bit mask
*/
public static final int MASK_V24_IMAGE_SIZE_RESTRICTIONS = FileConstants.BIT2 | FileConstants.BIT1;
/**
* ID3v2.4 Header Footer are the same as the header flags. WHY?!?! move the
* flags from thier position in 2.3??????????
*/
/**
* ID3v2.4 Header Footer bit mask
*/
public static final int MASK_V24_TAG_ALTER_PRESERVATION = FileConstants.BIT6;
/**
* ID3v2.4 Header Footer bit mask
*/
public static final int MASK_V24_FILE_ALTER_PRESERVATION = FileConstants.BIT5;
/**
* ID3v2.4 Header Footer bit mask
*/
public static final int MASK_V24_READ_ONLY = FileConstants.BIT4;
/**
* ID3v2.4 Header Footer bit mask
*/
public static final int MASK_V24_GROUPING_IDENTITY = FileConstants.BIT6;
/**
* ID3v2.4 Header Footer bit mask
*/
public static final int MASK_V24_COMPRESSION = FileConstants.BIT4;
/**
* ID3v2.4 Header Footer bit mask
*/
public static final int MASK_V24_ENCRYPTION = FileConstants.BIT3;
/**
* ID3v2.4 Header Footer bit mask
*/
public static final int MASK_V24_FRAME_UNSYNCHRONIZATION = FileConstants.BIT2;
/**
* ID3v2.4 Header Footer bit mask
*/
public static final int MASK_V24_DATA_LENGTH_INDICATOR = FileConstants.BIT1;
/**
* Contains a footer
*/
protected boolean footer = false;
/**
* Tag is an update
*/
protected boolean updateTag = false;
/**
* Tag has restrictions
*/
protected boolean tagRestriction = false;
/**
*
*/
protected byte imageEncodingRestriction = 0;
/**
*
*/
protected byte imageSizeRestriction = 0;
/**
*
*/
protected byte tagSizeRestriction = 0;
/**
*
*/
protected byte textEncodingRestriction = 0;
/**
*
*/
protected byte textFieldSizeRestriction = 0;
private static final byte RELEASE = 2;
private static final byte MAJOR_VERSION = 4;
private static final byte REVISION = 0;
/**
* Retrieve the Release
*/
public byte getRelease()
{
return RELEASE;
}
/**
* Retrieve the Major Version
*/
public byte getMajorVersion()
{
return MAJOR_VERSION;
}
/**
* Retrieve the Revision
*/
public byte getRevision()
{
return REVISION;
}
/**
* Creates a new empty ID3v2_4 datatype.
*/
public ID3v24Tag()
{
}
/**
* Copy primitives applicable to v2.4, this is used when cloning a v2.4 datatype
* and other objects such as v2.3 so need to check instanceof
*/
protected void copyPrimitives(AbstractID3v2Tag copyObj)
{
logger.info("Copying primitives");
super.copyPrimitives(copyObj);
if (copyObj instanceof ID3v24Tag)
{
ID3v24Tag copyObject = (ID3v24Tag) copyObj;
this.footer = copyObject.footer;
this.tagRestriction = copyObject.tagRestriction;
this.updateTag = copyObject.updateTag;
this.imageEncodingRestriction = copyObject.imageEncodingRestriction;
this.imageSizeRestriction = copyObject.imageSizeRestriction;
this.tagSizeRestriction = copyObject.tagSizeRestriction;
this.textEncodingRestriction = copyObject.textEncodingRestriction;
this.textFieldSizeRestriction = copyObject.textFieldSizeRestriction;
}
}
/**
* Copy frames from one tag into a v2.4 tag
*/
protected void copyFrames(AbstractID3v2Tag copyObject)
{
logger.info("Copying Frames,there are:" + copyObject.frameMap.keySet().size() + " different types");
frameMap = new LinkedHashMap();
//Copy Frames that are a valid 2.4 type
Iterator iterator = copyObject.frameMap.keySet().iterator();
AbstractID3v2Frame frame;
ID3v24Frame newFrame = null;
while (iterator.hasNext())
{
String id = (String) iterator.next();
Object o = copyObject.frameMap.get(id);
//SingleFrames
if (o instanceof AbstractID3v2Frame)
{
frame = (AbstractID3v2Frame) o;
try
{
newFrame = new ID3v24Frame(frame);
logger.info("Adding Frame:"+newFrame.getIdentifier());
copyFrameIntoMap(newFrame.getIdentifier(), newFrame);
}
catch(InvalidFrameException ife)
{
logger.log(Level.SEVERE,"Unable to convert frame:"+frame.getIdentifier(),ife);
}
}
//MultiFrames
else if (o instanceof ArrayList)
{
ArrayList multiFrame = new ArrayList();
for (ListIterator li = ((ArrayList) o).listIterator(); li.hasNext();)
{
frame = (AbstractID3v2Frame) li.next();
try
{
newFrame = new ID3v24Frame(frame);
multiFrame.add(newFrame);
}
catch(InvalidFrameException ife)
{
logger.log(Level.SEVERE,"Unable to convert frame:"+frame.getIdentifier());
}
}
if (newFrame != null)
{
logger.finest("Adding multi frame list to map:"+newFrame.getIdentifier());
frameMap.put(newFrame.getIdentifier(), multiFrame);
}
}
}
}
/**
* Copy Constructor, creates a new ID3v2_4 Tag based on another ID3v2_4 Tag
*/
public ID3v24Tag(ID3v24Tag copyObject)
{
logger.info("Creating tag from another tag of same type");
copyPrimitives(copyObject);
copyFrames(copyObject);
}
/**
* Creates a new ID3v2_4 datatype based on another (non 2.4) tag
*
* @param mp3tag
*/
public ID3v24Tag(AbstractTag mp3tag)
{
logger.info("Creating tag from a tag of a different version");
if (mp3tag != null)
{
//Should use simpler copy constructor
if ((mp3tag instanceof ID3v24Tag == true))
{
throw new UnsupportedOperationException("Copy Constructor not called. Please type cast the argument");
}
/* If we get a tag, we want to convert to id3v2_4
* both id3v1 and lyrics3 convert to this type
* id3v1 needs to convert to id3v2_4 before converting to lyrics3
*/
else if (mp3tag instanceof AbstractID3v2Tag)
{
copyPrimitives((AbstractID3v2Tag) mp3tag);
copyFrames((AbstractID3v2Tag) mp3tag);
}
//IDv1
else if (mp3tag instanceof ID3v1Tag)
{
// convert id3v1 tags.
ID3v1Tag id3tag = (ID3v1Tag) mp3tag;
ID3v24Frame newFrame;
AbstractID3v2FrameBody newBody;
if (id3tag.title.length() > 0)
{
newBody = new FrameBodyTIT2((byte) 0, id3tag.title);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_TITLE);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
if (id3tag.artist.length() > 0)
{
newBody = new FrameBodyTPE1((byte) 0, id3tag.artist);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_ARTIST);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
if (id3tag.album.length() > 0)
{
newBody = new FrameBodyTALB((byte) 0, id3tag.album);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_ALBUM);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
if (id3tag.year.length() > 0)
{
newBody = new FrameBodyTDRC((byte) 0, id3tag.year);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_YEAR);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
if (id3tag.comment.length() > 0)
{
newBody = new FrameBodyCOMM((byte) 0, "ENG", "", id3tag.comment);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_COMMENT);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
- if (id3tag.genre >= 0)
+ if ((id3tag.genre & 0xff) >= 0)
{
String genre = "(" + Byte.toString(id3tag.genre) + ") " +
GenreTypes.getInstanceOf().getValueForId(id3tag.genre);
newBody = new FrameBodyTCON((byte) 0, genre);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_GENRE);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
if (mp3tag instanceof ID3v11Tag)
{
ID3v11Tag id3tag2 = (ID3v11Tag) mp3tag;
if (id3tag2.track > 0)
{
newBody = new FrameBodyTRCK((byte) 0, Byte.toString(id3tag2.track));
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_TRACK);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
}
}
//Lyrics 3
else if (mp3tag instanceof AbstractLyrics3)
{
//Put the conversion stuff in the individual frame code.
Lyrics3v2 lyric;
if (mp3tag instanceof Lyrics3v2)
{
lyric = new Lyrics3v2((Lyrics3v2) mp3tag);
}
else
{
lyric = new Lyrics3v2(mp3tag);
}
Iterator iterator = lyric.iterator();
Lyrics3v2Field field;
ID3v24Frame newFrame;
while (iterator.hasNext())
{
try
{
field = (Lyrics3v2Field) iterator.next();
newFrame = new ID3v24Frame(field);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
catch (InvalidTagException ex)
{
logger.warning("Unable to convert Lyrics3 to v24 Frame:Frame Identifier");
}
}
}
}
}
/**
* Creates a new ID3v2_4 datatype from buffer
*
* @param buffer
* @throws TagException
*/
public ID3v24Tag(ByteBuffer buffer)
throws TagException
{
this.read(buffer);
}
/**
*
*
* @return identifier
*/
public String getIdentifier()
{
return "ID3v2.40";
}
/**
* Return tag size based upon the sizes of the frames rather than the physical
* no of bytes between start of ID3Tag and start of Audio Data.
*
* @return size
*/
public int getSize()
{
int size = TAG_HEADER_LENGTH;
if (extended)
{
size += this.TAG_EXT_HEADER_LENGTH;
if (updateTag)
{
size += this.TAG_EXT_HEADER_UPDATE_LENGTH;
}
if (crcDataFlag)
{
size += this.TAG_EXT_HEADER_CRC_LENGTH;
}
if (tagRestriction)
{
size += this.TAG_EXT_HEADER_RESTRICTION_LENGTH;
}
}
size += super.getSize();
logger.finer("Tag Size is" + size);
return size;
}
/**
*
*
* @param obj
* @return equality
*/
public boolean equals(Object obj)
{
if ((obj instanceof ID3v24Tag) == false)
{
return false;
}
ID3v24Tag object = (ID3v24Tag) obj;
if (this.footer != object.footer)
{
return false;
}
if (this.imageEncodingRestriction != object.imageEncodingRestriction)
{
return false;
}
if (this.imageSizeRestriction != object.imageSizeRestriction)
{
return false;
}
if (this.tagRestriction != object.tagRestriction)
{
return false;
}
if (this.tagSizeRestriction != object.tagSizeRestriction)
{
return false;
}
if (this.textEncodingRestriction != object.textEncodingRestriction)
{
return false;
}
if (this.textFieldSizeRestriction != object.textFieldSizeRestriction)
{
return false;
}
if (this.updateTag != object.updateTag)
{
return false;
}
return super.equals(obj);
}
/**
* Read Tag from Specified file.
* Read tag header, delegate reading of frames to readFrames()
*
* @param byteBuffer to read the tag from
* @throws TagException
* @throws TagNotFoundException
* @throws InvalidTagException
*/
public void read(ByteBuffer byteBuffer)
throws TagException
{
int size;
byte[] buffer;
if (seek(byteBuffer) == false)
{
throw new TagNotFoundException(getIdentifier() + " tag not found");
}
//Flags
byte flags = byteBuffer.get();
unsynchronization = (flags & MASK_V24_UNSYNCHRONIZATION) != 0;
extended = (flags & MASK_V24_EXTENDED_HEADER) != 0;
experimental = (flags & MASK_V24_EXPERIMENTAL) != 0;
footer = (flags & MASK_V24_FOOTER_PRESENT) != 0;
if (unsynchronization == true)
{
logger.warning("this tag is unsynchronised");
}
// Read the size, this is size of tag apart from tag header
size = ID3SyncSafeInteger.bufferToValue(byteBuffer);
logger.info("Reading tag from file size set in header is" + size);
if (extended == true)
{
// int is 4 bytes.
int extendedHeaderSize = byteBuffer.getInt();
// the extended header must be atleast 6 bytes
if (extendedHeaderSize <= TAG_EXT_HEADER_LENGTH)
{
throw new InvalidTagException("Invalid Extended Header Size.");
}
//Number of bytes
byteBuffer.get();
// Read the extended flag bytes
byte extFlag = byteBuffer.get();
updateTag = (extFlag & MASK_V24_TAG_UPDATE) != 0;
crcDataFlag = (extFlag & MASK_V24_CRC_DATA_PRESENT) != 0;
tagRestriction = (extFlag & MASK_V24_TAG_RESTRICTIONS) != 0;
// read the length byte if the flag is set
// this tag should always be zero but just in case
// read this information.
if (updateTag == true)
{
byteBuffer.get();
}
if (crcDataFlag == true)
{
// the CRC has a variable length
byteBuffer.get();
buffer = new byte[TAG_EXT_HEADER_CRC_DATA_LENGTH];
byteBuffer.get(buffer, 0, TAG_EXT_HEADER_CRC_DATA_LENGTH);
crcData = 0;
for (int i = 0; i < TAG_EXT_HEADER_CRC_DATA_LENGTH; i++)
{
crcData <<= 8;
crcData += buffer[i];
}
}
if (tagRestriction == true)
{
byteBuffer.get();
buffer = new byte[1];
byteBuffer.get(buffer, 0, 1);
tagSizeRestriction = (byte) ((buffer[0] & MASK_V24_TAG_SIZE_RESTRICTIONS) >> 6);
textEncodingRestriction = (byte) ((buffer[0] & MASK_V24_TEXT_ENCODING_RESTRICTIONS) >> 5);
textFieldSizeRestriction = (byte) ((buffer[0] & MASK_V24_TEXT_FIELD_SIZE_RESTRICTIONS) >> 3);
imageEncodingRestriction = (byte) ((buffer[0] & MASK_V24_IMAGE_ENCODING) >> 2);
imageSizeRestriction = (byte) (buffer[0] & MASK_V24_IMAGE_SIZE_RESTRICTIONS);
}
}
//Note if there was an extended header the size value has padding taken
//off so we dont search it.
readFrames(byteBuffer, size);
}
/**
* Read frames from tag
*/
protected void readFrames(ByteBuffer byteBuffer, int size)
{
logger.finest("Start of frame body at" + byteBuffer.position());
//Now start looking for frames
ID3v24Frame next;
frameMap = new LinkedHashMap();
//Read the size from the Tag Header
this.fileReadSize = size;
// Read the frames until got to upto the size as specified in header
logger.finest("Start of frame body at:" + byteBuffer.position() + ",frames data size is:" + size);
while (byteBuffer.position() <= size)
{
String id;
try
{
//Read Frame
logger.finest("looking for next frame at:" + byteBuffer.position());
next = new ID3v24Frame(byteBuffer);
id = next.getIdentifier();
loadFrameIntoMap(id, next);
}
//Found Empty Frame
catch (EmptyFrameException ex)
{
logger.warning("Empty Frame:"+ex.getMessage());
this.emptyFrameBytes += TAG_HEADER_LENGTH;
}
catch ( InvalidFrameIdentifierException ifie)
{
logger.info("Invalid Frame Identifier:"+ifie.getMessage());
this.invalidFrameBytes++;
//Dont try and find any more frames
break;
}
//Problem trying to find frame
catch (InvalidFrameException ife)
{
logger.warning("Invalid Frame:"+ife.getMessage());
this.invalidFrameBytes++;
//Dont try and find any more frames
break;
}
}
}
/**
* Write the ID3 header to the ByteBuffer.
*
* @return ByteBuffer
* @throws IOException
*/
protected ByteBuffer writeHeaderToBuffer(int padding) throws IOException
{
//todo Calculate UnSynchronisation
//todo Calculate the CYC Data Check
//todo Reintroduce Extended Header
// Flags,currently we never do unsynchronisation or calculate the CRC
// and if we dont calculate them cant keep orig values. Tags are not
// experimental and we never create extended header to keep things simple.
unsynchronization = false;
extended = false;
experimental = false;
footer = false;
// Create Header Buffer,allocate maximum possible size for the header*/
ByteBuffer headerBuffer = ByteBuffer.allocate(TAG_HEADER_LENGTH);
//TAGID
headerBuffer.put(TAG_ID);
//Major Version
headerBuffer.put(getMajorVersion());
//Minor Version
headerBuffer.put(getRevision());
//Flags
byte flagsByte = 0;
if (unsynchronization == true)
{
flagsByte |= MASK_V24_UNSYNCHRONIZATION;
}
if (extended == true)
{
flagsByte |= MASK_V24_EXTENDED_HEADER;
}
if (experimental == true)
{
flagsByte |= MASK_V24_EXPERIMENTAL;
}
if (footer == true)
{
flagsByte |= MASK_V24_FOOTER_PRESENT;
}
headerBuffer.put(flagsByte);
//Size As Recorded in Header, don't include the main header length
headerBuffer.put(ID3SyncSafeInteger.valueToBuffer(padding + getSize() - TAG_HEADER_LENGTH));
//Write Extended Header
ByteBuffer extHeaderBuffer = null;
if (extended == true)
{
//Write Extended Header Size
int size = TAG_EXT_HEADER_LENGTH;
if (updateTag == true)
{
size += TAG_EXT_HEADER_UPDATE_LENGTH;
}
if (crcDataFlag == true)
{
size += TAG_EXT_HEADER_CRC_LENGTH;
}
if (tagRestriction == true)
{
size += TAG_EXT_HEADER_RESTRICTION_LENGTH;
}
extHeaderBuffer = ByteBuffer.allocate(size);
extHeaderBuffer.putInt(size);
//Write Number of flags Byte
extHeaderBuffer.put((byte) TAG_EXT_NUMBER_BYTES_DATA_LENGTH);
//Write Extended Flags
byte extFlag = 0;
if (updateTag == true)
{
extFlag |= MASK_V24_TAG_UPDATE;
}
if (crcDataFlag == true)
{
extFlag |= MASK_V24_CRC_DATA_PRESENT;
}
if (tagRestriction == true)
{
extFlag |= MASK_V24_TAG_RESTRICTIONS;
}
extHeaderBuffer.put(extFlag);
//Write Update Data
if (updateTag == true)
{
extHeaderBuffer.put((byte) 0);
}
//Write CRC Data
if (crcDataFlag == true)
{
extHeaderBuffer.put((byte) TAG_EXT_HEADER_CRC_DATA_LENGTH);
extHeaderBuffer.put((byte) 0);
extHeaderBuffer.putInt(crcData);
}
//Write Tag Restriction
if (tagRestriction == true)
{
extHeaderBuffer.put((byte) TAG_EXT_HEADER_RESTRICTION_DATA_LENGTH);
//todo not currently setting restrictions
extHeaderBuffer.put((byte) 0);
}
}
if (extHeaderBuffer != null)
{
extHeaderBuffer.flip();
headerBuffer.put(extHeaderBuffer);
}
headerBuffer.flip();
return headerBuffer;
}
/**
* Write this tag to file.
*
* @param file
* @throws IOException
*/
public void write(File file, long audioStartLocation)
throws IOException
{
logger.info("Writing tag to file");
/** Write Body Buffer */
byte[] bodyByteBuffer = writeFramesToBuffer().toByteArray();
/** Calculate Tag Size including Padding */
int sizeIncPadding = calculateTagSize(getSize(), (int) audioStartLocation);
//Calculate padding bytes required
int padding = sizeIncPadding - getSize();
ByteBuffer headerBuffer = writeHeaderToBuffer(padding);
/** We need to adjust location of audio File */
if (sizeIncPadding > audioStartLocation)
{
logger.finest("Adjusting Padding");
adjustPadding(file, sizeIncPadding, audioStartLocation);
}
//Write changes to file
FileChannel fc = null;
try
{
fc = new RandomAccessFile(file, "rw").getChannel();
fc.write(headerBuffer);
fc.write(ByteBuffer.wrap(bodyByteBuffer));
fc.write(ByteBuffer.wrap(new byte[padding]));
}
finally
{
if(fc!=null)
{
fc.close();
}
}
}
/**
* Write tag to channel
*
* @param channel
* @throws IOException
*/
public void write(WritableByteChannel channel)
throws IOException
{
logger.info("Writing tag to channel");
byte[] bodyByteBuffer = writeFramesToBuffer().toByteArray();
ByteBuffer headerBuffer = writeHeaderToBuffer(0);
channel.write(headerBuffer);
channel.write(ByteBuffer.wrap(bodyByteBuffer));
}
/**
* Display the tag in an XMLFormat
*
*/
public void createStructure()
{
MP3File.getStructureFormatter().openHeadingElement(TYPE_TAG, getIdentifier());
super.createStructureHeader();
//Header
MP3File.getStructureFormatter().openHeadingElement(TYPE_HEADER, "");
MP3File.getStructureFormatter().addElement(TYPE_COMPRESSION, this.compression);
MP3File.getStructureFormatter().addElement(TYPE_UNSYNCHRONISATION, this.unsynchronization);
MP3File.getStructureFormatter().addElement(TYPE_CRCDATA, this.crcData);
MP3File.getStructureFormatter().addElement(TYPE_EXPERIMENTAL, this.experimental);
MP3File.getStructureFormatter().addElement(TYPE_EXTENDED, this.extended);
MP3File.getStructureFormatter().addElement(TYPE_PADDINGSIZE, this.paddingSize);
MP3File.getStructureFormatter().addElement(TYPE_FOOTER, this.footer);
MP3File.getStructureFormatter().addElement(TYPE_IMAGEENCODINGRESTRICTION, this.paddingSize);
MP3File.getStructureFormatter().addElement(TYPE_IMAGESIZERESTRICTION, (int) this.imageSizeRestriction);
MP3File.getStructureFormatter().addElement(TYPE_TAGRESTRICTION, this.tagRestriction);
MP3File.getStructureFormatter().addElement(TYPE_TAGSIZERESTRICTION, (int) this.tagSizeRestriction);
MP3File.getStructureFormatter().addElement(TYPE_TEXTFIELDSIZERESTRICTION, (int) this.textFieldSizeRestriction);
MP3File.getStructureFormatter().addElement(TYPE_TEXTENCODINGRESTRICTION, (int) this.textEncodingRestriction);
MP3File.getStructureFormatter().addElement(TYPE_UPDATETAG, this.updateTag);
MP3File.getStructureFormatter().closeHeadingElement(TYPE_HEADER);
//Body
super.createStructureBody();
MP3File.getStructureFormatter().closeHeadingElement(TYPE_TAG);
}
}
| true | true | public ID3v24Tag(AbstractTag mp3tag)
{
logger.info("Creating tag from a tag of a different version");
if (mp3tag != null)
{
//Should use simpler copy constructor
if ((mp3tag instanceof ID3v24Tag == true))
{
throw new UnsupportedOperationException("Copy Constructor not called. Please type cast the argument");
}
/* If we get a tag, we want to convert to id3v2_4
* both id3v1 and lyrics3 convert to this type
* id3v1 needs to convert to id3v2_4 before converting to lyrics3
*/
else if (mp3tag instanceof AbstractID3v2Tag)
{
copyPrimitives((AbstractID3v2Tag) mp3tag);
copyFrames((AbstractID3v2Tag) mp3tag);
}
//IDv1
else if (mp3tag instanceof ID3v1Tag)
{
// convert id3v1 tags.
ID3v1Tag id3tag = (ID3v1Tag) mp3tag;
ID3v24Frame newFrame;
AbstractID3v2FrameBody newBody;
if (id3tag.title.length() > 0)
{
newBody = new FrameBodyTIT2((byte) 0, id3tag.title);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_TITLE);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
if (id3tag.artist.length() > 0)
{
newBody = new FrameBodyTPE1((byte) 0, id3tag.artist);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_ARTIST);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
if (id3tag.album.length() > 0)
{
newBody = new FrameBodyTALB((byte) 0, id3tag.album);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_ALBUM);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
if (id3tag.year.length() > 0)
{
newBody = new FrameBodyTDRC((byte) 0, id3tag.year);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_YEAR);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
if (id3tag.comment.length() > 0)
{
newBody = new FrameBodyCOMM((byte) 0, "ENG", "", id3tag.comment);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_COMMENT);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
if (id3tag.genre >= 0)
{
String genre = "(" + Byte.toString(id3tag.genre) + ") " +
GenreTypes.getInstanceOf().getValueForId(id3tag.genre);
newBody = new FrameBodyTCON((byte) 0, genre);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_GENRE);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
if (mp3tag instanceof ID3v11Tag)
{
ID3v11Tag id3tag2 = (ID3v11Tag) mp3tag;
if (id3tag2.track > 0)
{
newBody = new FrameBodyTRCK((byte) 0, Byte.toString(id3tag2.track));
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_TRACK);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
}
}
//Lyrics 3
else if (mp3tag instanceof AbstractLyrics3)
{
//Put the conversion stuff in the individual frame code.
Lyrics3v2 lyric;
if (mp3tag instanceof Lyrics3v2)
{
lyric = new Lyrics3v2((Lyrics3v2) mp3tag);
}
else
{
lyric = new Lyrics3v2(mp3tag);
}
Iterator iterator = lyric.iterator();
Lyrics3v2Field field;
ID3v24Frame newFrame;
while (iterator.hasNext())
{
try
{
field = (Lyrics3v2Field) iterator.next();
newFrame = new ID3v24Frame(field);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
catch (InvalidTagException ex)
{
logger.warning("Unable to convert Lyrics3 to v24 Frame:Frame Identifier");
}
}
}
}
}
| public ID3v24Tag(AbstractTag mp3tag)
{
logger.info("Creating tag from a tag of a different version");
if (mp3tag != null)
{
//Should use simpler copy constructor
if ((mp3tag instanceof ID3v24Tag == true))
{
throw new UnsupportedOperationException("Copy Constructor not called. Please type cast the argument");
}
/* If we get a tag, we want to convert to id3v2_4
* both id3v1 and lyrics3 convert to this type
* id3v1 needs to convert to id3v2_4 before converting to lyrics3
*/
else if (mp3tag instanceof AbstractID3v2Tag)
{
copyPrimitives((AbstractID3v2Tag) mp3tag);
copyFrames((AbstractID3v2Tag) mp3tag);
}
//IDv1
else if (mp3tag instanceof ID3v1Tag)
{
// convert id3v1 tags.
ID3v1Tag id3tag = (ID3v1Tag) mp3tag;
ID3v24Frame newFrame;
AbstractID3v2FrameBody newBody;
if (id3tag.title.length() > 0)
{
newBody = new FrameBodyTIT2((byte) 0, id3tag.title);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_TITLE);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
if (id3tag.artist.length() > 0)
{
newBody = new FrameBodyTPE1((byte) 0, id3tag.artist);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_ARTIST);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
if (id3tag.album.length() > 0)
{
newBody = new FrameBodyTALB((byte) 0, id3tag.album);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_ALBUM);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
if (id3tag.year.length() > 0)
{
newBody = new FrameBodyTDRC((byte) 0, id3tag.year);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_YEAR);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
if (id3tag.comment.length() > 0)
{
newBody = new FrameBodyCOMM((byte) 0, "ENG", "", id3tag.comment);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_COMMENT);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
if ((id3tag.genre & 0xff) >= 0)
{
String genre = "(" + Byte.toString(id3tag.genre) + ") " +
GenreTypes.getInstanceOf().getValueForId(id3tag.genre);
newBody = new FrameBodyTCON((byte) 0, genre);
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_GENRE);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
if (mp3tag instanceof ID3v11Tag)
{
ID3v11Tag id3tag2 = (ID3v11Tag) mp3tag;
if (id3tag2.track > 0)
{
newBody = new FrameBodyTRCK((byte) 0, Byte.toString(id3tag2.track));
newFrame = new ID3v24Frame(ID3v24Frames.FRAME_ID_TRACK);
newFrame.setBody(newBody);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
}
}
//Lyrics 3
else if (mp3tag instanceof AbstractLyrics3)
{
//Put the conversion stuff in the individual frame code.
Lyrics3v2 lyric;
if (mp3tag instanceof Lyrics3v2)
{
lyric = new Lyrics3v2((Lyrics3v2) mp3tag);
}
else
{
lyric = new Lyrics3v2(mp3tag);
}
Iterator iterator = lyric.iterator();
Lyrics3v2Field field;
ID3v24Frame newFrame;
while (iterator.hasNext())
{
try
{
field = (Lyrics3v2Field) iterator.next();
newFrame = new ID3v24Frame(field);
frameMap.put(newFrame.getIdentifier(), newFrame);
}
catch (InvalidTagException ex)
{
logger.warning("Unable to convert Lyrics3 to v24 Frame:Frame Identifier");
}
}
}
}
}
|
diff --git a/msv/src/com/sun/msv/driver/textui/RELAXBatchTest.java b/msv/src/com/sun/msv/driver/textui/RELAXBatchTest.java
index 32a70cae..70263deb 100644
--- a/msv/src/com/sun/msv/driver/textui/RELAXBatchTest.java
+++ b/msv/src/com/sun/msv/driver/textui/RELAXBatchTest.java
@@ -1,121 +1,122 @@
package com.sun.tranquilo.driver.textui;
import javax.xml.parsers.*;
import java.util.Iterator;
import java.io.*;
import com.sun.tranquilo.grammar.trex.util.TREXPatternPrinter;
import com.sun.tranquilo.grammar.trex.*;
import com.sun.tranquilo.grammar.relax.*;
import com.sun.tranquilo.grammar.*;
import com.sun.tranquilo.reader.trex.TREXGrammarReader;
import com.sun.tranquilo.reader.relax.RELAXReader;
import org.apache.xerces.parsers.SAXParser;
import com.sun.tranquilo.verifier.*;
import com.sun.tranquilo.verifier.regexp.trex.TREXDocumentDeclaration;
import com.sun.tranquilo.verifier.util.VerificationErrorHandlerImpl;
import org.xml.sax.*;
public class RELAXBatchTest
{
private static void report( ValidityViolation vv )
{
System.out.println(
vv.locator.getLineNumber()+":"+vv.locator.getColumnNumber()+
" " + vv.getMessage());
}
public static void main( String[] av ) throws Exception
{
- Driver.factory.setNamespaceAware(true);
- Driver.factory.setValidating(false);
+ SAXParserFactory factory = new org.apache.xerces.jaxp.SAXParserFactoryImpl();
+ factory.setNamespaceAware(true);
+ factory.setValidating(false);
final String dir = "c:\\work\\relax\\";
final File testDir = new File( dir );
// enumerate all schema
String[] schemas = testDir.list( new FilenameFilter(){
public boolean accept( File dir, String name )
{
return name.startsWith("relax") && name.endsWith(".rlx")
&& !name.endsWith("e.rlx");
}
} );
for( int i=0; i<schemas.length; i++ )
{
final String prefix = schemas[i].substring(0,8);
final String schemaFileName = dir+prefix+".rlx";
System.out.println( "load schema: " + schemaFileName);
RELAXGrammar g;
InputSource is = new InputSource(schemaFileName);
is.setSystemId(schemaFileName);
g = RELAXReader.parse(
- is, Driver.factory,
+ is, factory,
new DebugController(),
new TREXPatternPool() );
if( g==null ) continue; // module syntax error
String[] lst = testDir.list( new FilenameFilter (){
public boolean accept( File dir, String name )
{
return name.startsWith(prefix) && name.endsWith(".xml");
}
} );
for( int j=0; j<lst.length; j++ )
{
System.out.print( lst[j] +" : " );
final boolean supposedToBeValid = (lst[j].indexOf("-v")!=-1);
// verify XML instance
try
{
ValidityViolation vv=null;
try
{
- XMLReader r =Driver.factory.newSAXParser().getXMLReader();
+ XMLReader r =factory.newSAXParser().getXMLReader();
r.setContentHandler(
new Verifier(
new TREXDocumentDeclaration(
g.topLevel,
(TREXPatternPool)g.pool,
true),
new VerificationErrorHandlerImpl() )
);
r.parse( new InputSource(dir+lst[j]) );
System.out.println("o");
}
catch( ValidityViolation _vv )
{
System.out.println("x");
vv = _vv;
}
if(vv!=null) report(vv);
if( ( supposedToBeValid && vv!=null )
|| (!supposedToBeValid && vv==null ) )
System.out.println("*** unexpected result *************************************");
}
catch( SAXException se )
{
System.out.println("SAX error("+ se.toString()+")" );
if( se.getException()!=null )
se.getException().printStackTrace(System.out);
else
se.printStackTrace(System.out);
}
}
}
System.out.println("Test completed. Press enter to continue");
System.in.read(); // wait for user confirmation of the result
}
}
| false | true | public static void main( String[] av ) throws Exception
{
Driver.factory.setNamespaceAware(true);
Driver.factory.setValidating(false);
final String dir = "c:\\work\\relax\\";
final File testDir = new File( dir );
// enumerate all schema
String[] schemas = testDir.list( new FilenameFilter(){
public boolean accept( File dir, String name )
{
return name.startsWith("relax") && name.endsWith(".rlx")
&& !name.endsWith("e.rlx");
}
} );
for( int i=0; i<schemas.length; i++ )
{
final String prefix = schemas[i].substring(0,8);
final String schemaFileName = dir+prefix+".rlx";
System.out.println( "load schema: " + schemaFileName);
RELAXGrammar g;
InputSource is = new InputSource(schemaFileName);
is.setSystemId(schemaFileName);
g = RELAXReader.parse(
is, Driver.factory,
new DebugController(),
new TREXPatternPool() );
if( g==null ) continue; // module syntax error
String[] lst = testDir.list( new FilenameFilter (){
public boolean accept( File dir, String name )
{
return name.startsWith(prefix) && name.endsWith(".xml");
}
} );
for( int j=0; j<lst.length; j++ )
{
System.out.print( lst[j] +" : " );
final boolean supposedToBeValid = (lst[j].indexOf("-v")!=-1);
// verify XML instance
try
{
ValidityViolation vv=null;
try
{
XMLReader r =Driver.factory.newSAXParser().getXMLReader();
r.setContentHandler(
new Verifier(
new TREXDocumentDeclaration(
g.topLevel,
(TREXPatternPool)g.pool,
true),
new VerificationErrorHandlerImpl() )
);
r.parse( new InputSource(dir+lst[j]) );
System.out.println("o");
}
catch( ValidityViolation _vv )
{
System.out.println("x");
vv = _vv;
}
if(vv!=null) report(vv);
if( ( supposedToBeValid && vv!=null )
|| (!supposedToBeValid && vv==null ) )
System.out.println("*** unexpected result *************************************");
}
catch( SAXException se )
{
System.out.println("SAX error("+ se.toString()+")" );
if( se.getException()!=null )
se.getException().printStackTrace(System.out);
else
se.printStackTrace(System.out);
}
}
}
System.out.println("Test completed. Press enter to continue");
System.in.read(); // wait for user confirmation of the result
}
| public static void main( String[] av ) throws Exception
{
SAXParserFactory factory = new org.apache.xerces.jaxp.SAXParserFactoryImpl();
factory.setNamespaceAware(true);
factory.setValidating(false);
final String dir = "c:\\work\\relax\\";
final File testDir = new File( dir );
// enumerate all schema
String[] schemas = testDir.list( new FilenameFilter(){
public boolean accept( File dir, String name )
{
return name.startsWith("relax") && name.endsWith(".rlx")
&& !name.endsWith("e.rlx");
}
} );
for( int i=0; i<schemas.length; i++ )
{
final String prefix = schemas[i].substring(0,8);
final String schemaFileName = dir+prefix+".rlx";
System.out.println( "load schema: " + schemaFileName);
RELAXGrammar g;
InputSource is = new InputSource(schemaFileName);
is.setSystemId(schemaFileName);
g = RELAXReader.parse(
is, factory,
new DebugController(),
new TREXPatternPool() );
if( g==null ) continue; // module syntax error
String[] lst = testDir.list( new FilenameFilter (){
public boolean accept( File dir, String name )
{
return name.startsWith(prefix) && name.endsWith(".xml");
}
} );
for( int j=0; j<lst.length; j++ )
{
System.out.print( lst[j] +" : " );
final boolean supposedToBeValid = (lst[j].indexOf("-v")!=-1);
// verify XML instance
try
{
ValidityViolation vv=null;
try
{
XMLReader r =factory.newSAXParser().getXMLReader();
r.setContentHandler(
new Verifier(
new TREXDocumentDeclaration(
g.topLevel,
(TREXPatternPool)g.pool,
true),
new VerificationErrorHandlerImpl() )
);
r.parse( new InputSource(dir+lst[j]) );
System.out.println("o");
}
catch( ValidityViolation _vv )
{
System.out.println("x");
vv = _vv;
}
if(vv!=null) report(vv);
if( ( supposedToBeValid && vv!=null )
|| (!supposedToBeValid && vv==null ) )
System.out.println("*** unexpected result *************************************");
}
catch( SAXException se )
{
System.out.println("SAX error("+ se.toString()+")" );
if( se.getException()!=null )
se.getException().printStackTrace(System.out);
else
se.printStackTrace(System.out);
}
}
}
System.out.println("Test completed. Press enter to continue");
System.in.read(); // wait for user confirmation of the result
}
|
diff --git a/src/com/android/launcher2/LauncherModel.java b/src/com/android/launcher2/LauncherModel.java
index 6658f07c..63e80775 100644
--- a/src/com/android/launcher2/LauncherModel.java
+++ b/src/com/android/launcher2/LauncherModel.java
@@ -1,1881 +1,1880 @@
/*
* Copyright (C) 2008 The Android Open Source Project
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.android.launcher2;
import android.app.SearchManager;
import android.appwidget.AppWidgetManager;
import android.appwidget.AppWidgetProviderInfo;
import android.content.BroadcastReceiver;
import android.content.ComponentName;
import android.content.ContentProviderClient;
import android.content.ContentResolver;
import android.content.ContentValues;
import android.content.Context;
import android.content.Intent;
import android.content.Intent.ShortcutIconResource;
import android.content.pm.ActivityInfo;
import android.content.pm.PackageManager;
import android.content.pm.ResolveInfo;
import android.content.res.Resources;
import android.database.Cursor;
import android.graphics.Bitmap;
import android.graphics.BitmapFactory;
import android.net.Uri;
import android.os.Environment;
import android.os.Handler;
import android.os.HandlerThread;
import android.os.Parcelable;
import android.os.Process;
import android.os.RemoteException;
import android.os.SystemClock;
import android.util.Log;
import com.android.launcher.R;
import com.android.launcher2.InstallWidgetReceiver.WidgetMimeTypeHandlerData;
import java.lang.ref.WeakReference;
import java.net.URISyntaxException;
import java.text.Collator;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.HashMap;
import java.util.List;
import java.util.Locale;
/**
* Maintains in-memory state of the Launcher. It is expected that there should be only one
* LauncherModel object held in a static. Also provide APIs for updating the database state
* for the Launcher.
*/
public class LauncherModel extends BroadcastReceiver {
static final boolean DEBUG_LOADERS = false;
static final String TAG = "Launcher.Model";
private static final int ITEMS_CHUNK = 6; // batch size for the workspace icons
private final boolean mAppsCanBeOnExternalStorage;
private int mBatchSize; // 0 is all apps at once
private int mAllAppsLoadDelay; // milliseconds between batches
private final LauncherApplication mApp;
private final Object mLock = new Object();
private DeferredHandler mHandler = new DeferredHandler();
private LoaderTask mLoaderTask;
private static final HandlerThread sWorkerThread = new HandlerThread("launcher-loader");
static {
sWorkerThread.start();
}
private static final Handler sWorker = new Handler(sWorkerThread.getLooper());
// We start off with everything not loaded. After that, we assume that
// our monitoring of the package manager provides all updates and we never
// need to do a requery. These are only ever touched from the loader thread.
private boolean mWorkspaceLoaded;
private boolean mAllAppsLoaded;
private WeakReference<Callbacks> mCallbacks;
// < only access in worker thread >
private AllAppsList mAllAppsList;
// sItemsIdMap maps *all* the ItemInfos (shortcuts, folders, and widgets) created by
// LauncherModel to their ids
static final HashMap<Long, ItemInfo> sItemsIdMap = new HashMap<Long, ItemInfo>();
// sItems is passed to bindItems, which expects a list of all folders and shortcuts created by
// LauncherModel that are directly on the home screen (however, no widgets or shortcuts
// within folders).
static final ArrayList<ItemInfo> sWorkspaceItems = new ArrayList<ItemInfo>();
// sAppWidgets is all LauncherAppWidgetInfo created by LauncherModel. Passed to bindAppWidget()
static final ArrayList<LauncherAppWidgetInfo> sAppWidgets =
new ArrayList<LauncherAppWidgetInfo>();
// sFolders is all FolderInfos created by LauncherModel. Passed to bindFolders()
static final HashMap<Long, FolderInfo> sFolders = new HashMap<Long, FolderInfo>();
// </ only access in worker thread >
private IconCache mIconCache;
private Bitmap mDefaultIcon;
private static int mCellCountX;
private static int mCellCountY;
public interface Callbacks {
public boolean setLoadOnResume();
public int getCurrentWorkspaceScreen();
public void startBinding();
public void bindItems(ArrayList<ItemInfo> shortcuts, int start, int end);
public void bindFolders(HashMap<Long,FolderInfo> folders);
public void finishBindingItems();
public void bindAppWidget(LauncherAppWidgetInfo info);
public void bindAllApplications(ArrayList<ApplicationInfo> apps);
public void bindAppsAdded(ArrayList<ApplicationInfo> apps);
public void bindAppsUpdated(ArrayList<ApplicationInfo> apps);
public void bindAppsRemoved(ArrayList<ApplicationInfo> apps, boolean permanent);
public void bindPackagesUpdated();
public boolean isAllAppsVisible();
public void bindSearchablesChanged();
}
LauncherModel(LauncherApplication app, IconCache iconCache) {
mAppsCanBeOnExternalStorage = !Environment.isExternalStorageEmulated();
mApp = app;
mAllAppsList = new AllAppsList(iconCache);
mIconCache = iconCache;
mDefaultIcon = Utilities.createIconBitmap(
mIconCache.getFullResDefaultActivityIcon(), app);
mAllAppsLoadDelay = app.getResources().getInteger(R.integer.config_allAppsBatchLoadDelay);
mBatchSize = app.getResources().getInteger(R.integer.config_allAppsBatchSize);
}
public Bitmap getFallbackIcon() {
return Bitmap.createBitmap(mDefaultIcon);
}
public static void unbindWorkspaceItems() {
for (ItemInfo item: sWorkspaceItems) {
item.unbind();
}
}
/**
* Adds an item to the DB if it was not created previously, or move it to a new
* <container, screen, cellX, cellY>
*/
static void addOrMoveItemInDatabase(Context context, ItemInfo item, long container,
int screen, int cellX, int cellY) {
if (item.container == ItemInfo.NO_ID) {
// From all apps
addItemToDatabase(context, item, container, screen, cellX, cellY, false);
} else {
// From somewhere else
moveItemInDatabase(context, item, container, screen, cellX, cellY);
}
}
/**
* Move an item in the DB to a new <container, screen, cellX, cellY>
*/
static void moveItemInDatabase(Context context, final ItemInfo item, final long container,
final int screen, final int cellX, final int cellY) {
item.container = container;
item.cellX = cellX;
item.cellY = cellY;
// We store hotseat items in canonical form which is this orientation invariant position
// in the hotseat
if (context instanceof Launcher && screen < 0 &&
container == LauncherSettings.Favorites.CONTAINER_HOTSEAT) {
item.screen = ((Launcher) context).getHotseat().getOrderInHotseat(cellX, cellY);
} else {
item.screen = screen;
}
final Uri uri = LauncherSettings.Favorites.getContentUri(item.id, false);
final ContentValues values = new ContentValues();
final ContentResolver cr = context.getContentResolver();
values.put(LauncherSettings.Favorites.CONTAINER, item.container);
values.put(LauncherSettings.Favorites.CELLX, item.cellX);
values.put(LauncherSettings.Favorites.CELLY, item.cellY);
values.put(LauncherSettings.Favorites.SCREEN, item.screen);
sWorker.post(new Runnable() {
public void run() {
cr.update(uri, values, null, null);
ItemInfo modelItem = sItemsIdMap.get(item.id);
if (item != modelItem) {
// the modelItem needs to match up perfectly with item if our model is to be
// consistent with the database-- for now, just require modelItem == item
throw new RuntimeException("Error: ItemInfo passed to moveItemInDatabase " +
"doesn't match original");
}
// Items are added/removed from the corresponding FolderInfo elsewhere, such
// as in Workspace.onDrop. Here, we just add/remove them from the list of items
// that are on the desktop, as appropriate
if (modelItem.container == LauncherSettings.Favorites.CONTAINER_DESKTOP ||
modelItem.container == LauncherSettings.Favorites.CONTAINER_HOTSEAT) {
if (!sWorkspaceItems.contains(modelItem)) {
sWorkspaceItems.add(modelItem);
}
} else {
sWorkspaceItems.remove(modelItem);
}
}
});
}
/**
* Resize an item in the DB to a new <spanX, spanY, cellX, cellY>
*/
static void resizeItemInDatabase(Context context, final ItemInfo item, final int cellX,
final int cellY, final int spanX, final int spanY) {
item.spanX = spanX;
item.spanY = spanY;
item.cellX = cellX;
item.cellY = cellY;
final Uri uri = LauncherSettings.Favorites.getContentUri(item.id, false);
final ContentValues values = new ContentValues();
final ContentResolver cr = context.getContentResolver();
values.put(LauncherSettings.Favorites.CONTAINER, item.container);
values.put(LauncherSettings.Favorites.SPANX, spanX);
values.put(LauncherSettings.Favorites.SPANY, spanY);
values.put(LauncherSettings.Favorites.CELLX, cellX);
values.put(LauncherSettings.Favorites.CELLY, cellY);
sWorker.post(new Runnable() {
public void run() {
cr.update(uri, values, null, null);
ItemInfo modelItem = sItemsIdMap.get(item.id);
if (item != modelItem) {
// the modelItem needs to match up perfectly with item if our model is to be
// consistent with the database-- for now, just require modelItem == item
throw new RuntimeException("Error: ItemInfo passed to moveItemInDatabase " +
"doesn't match original");
}
}
});
}
/**
* Returns true if the shortcuts already exists in the database.
* we identify a shortcut by its title and intent.
*/
static boolean shortcutExists(Context context, String title, Intent intent) {
final ContentResolver cr = context.getContentResolver();
Cursor c = cr.query(LauncherSettings.Favorites.CONTENT_URI,
new String[] { "title", "intent" }, "title=? and intent=?",
new String[] { title, intent.toUri(0) }, null);
boolean result = false;
try {
result = c.moveToFirst();
} finally {
c.close();
}
return result;
}
/**
* Returns an ItemInfo array containing all the items in the LauncherModel.
* The ItemInfo.id is not set through this function.
*/
static ArrayList<ItemInfo> getItemsInLocalCoordinates(Context context) {
ArrayList<ItemInfo> items = new ArrayList<ItemInfo>();
final ContentResolver cr = context.getContentResolver();
Cursor c = cr.query(LauncherSettings.Favorites.CONTENT_URI, new String[] {
LauncherSettings.Favorites.ITEM_TYPE, LauncherSettings.Favorites.CONTAINER,
LauncherSettings.Favorites.SCREEN, LauncherSettings.Favorites.CELLX, LauncherSettings.Favorites.CELLY,
LauncherSettings.Favorites.SPANX, LauncherSettings.Favorites.SPANY }, null, null, null);
final int itemTypeIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.ITEM_TYPE);
final int containerIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CONTAINER);
final int screenIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.SCREEN);
final int cellXIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CELLX);
final int cellYIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CELLY);
final int spanXIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.SPANX);
final int spanYIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.SPANY);
try {
while (c.moveToNext()) {
ItemInfo item = new ItemInfo();
item.cellX = c.getInt(cellXIndex);
item.cellY = c.getInt(cellYIndex);
item.spanX = c.getInt(spanXIndex);
item.spanY = c.getInt(spanYIndex);
item.container = c.getInt(containerIndex);
item.itemType = c.getInt(itemTypeIndex);
item.screen = c.getInt(screenIndex);
items.add(item);
}
} catch (Exception e) {
items.clear();
} finally {
c.close();
}
return items;
}
/**
* Find a folder in the db, creating the FolderInfo if necessary, and adding it to folderList.
*/
FolderInfo getFolderById(Context context, HashMap<Long,FolderInfo> folderList, long id) {
final ContentResolver cr = context.getContentResolver();
Cursor c = cr.query(LauncherSettings.Favorites.CONTENT_URI, null,
"_id=? and (itemType=? or itemType=?)",
new String[] { String.valueOf(id),
String.valueOf(LauncherSettings.Favorites.ITEM_TYPE_FOLDER)}, null);
try {
if (c.moveToFirst()) {
final int itemTypeIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.ITEM_TYPE);
final int titleIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.TITLE);
final int containerIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CONTAINER);
final int screenIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.SCREEN);
final int cellXIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CELLX);
final int cellYIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CELLY);
FolderInfo folderInfo = null;
switch (c.getInt(itemTypeIndex)) {
case LauncherSettings.Favorites.ITEM_TYPE_FOLDER:
folderInfo = findOrMakeFolder(folderList, id);
break;
}
folderInfo.title = c.getString(titleIndex);
folderInfo.id = id;
folderInfo.container = c.getInt(containerIndex);
folderInfo.screen = c.getInt(screenIndex);
folderInfo.cellX = c.getInt(cellXIndex);
folderInfo.cellY = c.getInt(cellYIndex);
return folderInfo;
}
} finally {
c.close();
}
return null;
}
/**
* Add an item to the database in a specified container. Sets the container, screen, cellX and
* cellY fields of the item. Also assigns an ID to the item.
*/
static void addItemToDatabase(Context context, final ItemInfo item, final long container,
final int screen, final int cellX, final int cellY, final boolean notify) {
item.container = container;
item.cellX = cellX;
item.cellY = cellY;
// We store hotseat items in canonical form which is this orientation invariant position
// in the hotseat
if (context instanceof Launcher && screen < 0 &&
container == LauncherSettings.Favorites.CONTAINER_HOTSEAT) {
item.screen = ((Launcher) context).getHotseat().getOrderInHotseat(cellX, cellY);
} else {
item.screen = screen;
}
final ContentValues values = new ContentValues();
final ContentResolver cr = context.getContentResolver();
item.onAddToDatabase(values);
- Launcher l = (Launcher) context;
- LauncherApplication app = (LauncherApplication) l.getApplication();
+ LauncherApplication app = (LauncherApplication) context.getApplicationContext();
item.id = app.getLauncherProvider().generateNewId();
values.put(LauncherSettings.Favorites._ID, item.id);
item.updateValuesWithCoordinates(values, item.cellX, item.cellY);
sWorker.post(new Runnable() {
public void run() {
cr.insert(notify ? LauncherSettings.Favorites.CONTENT_URI :
LauncherSettings.Favorites.CONTENT_URI_NO_NOTIFICATION, values);
sItemsIdMap.put(item.id, item);
switch (item.itemType) {
case LauncherSettings.Favorites.ITEM_TYPE_FOLDER:
sFolders.put(item.id, (FolderInfo) item);
// Fall through
case LauncherSettings.Favorites.ITEM_TYPE_APPLICATION:
case LauncherSettings.Favorites.ITEM_TYPE_SHORTCUT:
if (item.container == LauncherSettings.Favorites.CONTAINER_DESKTOP ||
item.container == LauncherSettings.Favorites.CONTAINER_HOTSEAT) {
sWorkspaceItems.add(item);
}
break;
case LauncherSettings.Favorites.ITEM_TYPE_APPWIDGET:
sAppWidgets.add((LauncherAppWidgetInfo) item);
break;
}
}
});
}
/**
* Creates a new unique child id, for a given cell span across all layouts.
*/
static int getCellLayoutChildId(
long container, int screen, int localCellX, int localCellY, int spanX, int spanY) {
return (((int) container & 0xFF) << 24)
| (screen & 0xFF) << 16 | (localCellX & 0xFF) << 8 | (localCellY & 0xFF);
}
static int getCellCountX() {
return mCellCountX;
}
static int getCellCountY() {
return mCellCountY;
}
/**
* Updates the model orientation helper to take into account the current layout dimensions
* when performing local/canonical coordinate transformations.
*/
static void updateWorkspaceLayoutCells(int shortAxisCellCount, int longAxisCellCount) {
mCellCountX = shortAxisCellCount;
mCellCountY = longAxisCellCount;
}
/**
* Update an item to the database in a specified container.
*/
static void updateItemInDatabase(Context context, final ItemInfo item) {
final ContentValues values = new ContentValues();
final ContentResolver cr = context.getContentResolver();
item.onAddToDatabase(values);
item.updateValuesWithCoordinates(values, item.cellX, item.cellY);
sWorker.post(new Runnable() {
public void run() {
cr.update(LauncherSettings.Favorites.getContentUri(item.id, false),
values, null, null);
final ItemInfo modelItem = sItemsIdMap.get(item.id);
if (item != modelItem) {
// the modelItem needs to match up perfectly with item if our model is to be
// consistent with the database-- for now, just require modelItem == item
throw new RuntimeException("Error: ItemInfo passed to moveItemInDatabase " +
"doesn't match original");
}
}
});
}
/**
* Removes the specified item from the database
* @param context
* @param item
*/
static void deleteItemFromDatabase(Context context, final ItemInfo item) {
final ContentResolver cr = context.getContentResolver();
final Uri uriToDelete = LauncherSettings.Favorites.getContentUri(item.id, false);
sWorker.post(new Runnable() {
public void run() {
cr.delete(uriToDelete, null, null);
switch (item.itemType) {
case LauncherSettings.Favorites.ITEM_TYPE_FOLDER:
sFolders.remove(item.id);
sWorkspaceItems.remove(item);
break;
case LauncherSettings.Favorites.ITEM_TYPE_APPLICATION:
case LauncherSettings.Favorites.ITEM_TYPE_SHORTCUT:
sWorkspaceItems.remove(item);
break;
case LauncherSettings.Favorites.ITEM_TYPE_APPWIDGET:
sAppWidgets.remove((LauncherAppWidgetInfo) item);
break;
}
sItemsIdMap.remove(item.id);
}
});
}
/**
* Remove the contents of the specified folder from the database
*/
static void deleteFolderContentsFromDatabase(Context context, final FolderInfo info) {
final ContentResolver cr = context.getContentResolver();
sWorker.post(new Runnable() {
public void run() {
cr.delete(LauncherSettings.Favorites.getContentUri(info.id, false), null, null);
sItemsIdMap.remove(info.id);
sFolders.remove(info.id);
sWorkspaceItems.remove(info);
cr.delete(LauncherSettings.Favorites.CONTENT_URI_NO_NOTIFICATION,
LauncherSettings.Favorites.CONTAINER + "=" + info.id, null);
for (ItemInfo childInfo : info.contents) {
sItemsIdMap.remove(childInfo.id);
}
}
});
}
/**
* Set this as the current Launcher activity object for the loader.
*/
public void initialize(Callbacks callbacks) {
synchronized (mLock) {
mCallbacks = new WeakReference<Callbacks>(callbacks);
}
}
/**
* Call from the handler for ACTION_PACKAGE_ADDED, ACTION_PACKAGE_REMOVED and
* ACTION_PACKAGE_CHANGED.
*/
@Override
public void onReceive(Context context, Intent intent) {
if (DEBUG_LOADERS) Log.d(TAG, "onReceive intent=" + intent);
final String action = intent.getAction();
if (Intent.ACTION_PACKAGE_CHANGED.equals(action)
|| Intent.ACTION_PACKAGE_REMOVED.equals(action)
|| Intent.ACTION_PACKAGE_ADDED.equals(action)) {
final String packageName = intent.getData().getSchemeSpecificPart();
final boolean replacing = intent.getBooleanExtra(Intent.EXTRA_REPLACING, false);
int op = PackageUpdatedTask.OP_NONE;
if (packageName == null || packageName.length() == 0) {
// they sent us a bad intent
return;
}
if (Intent.ACTION_PACKAGE_CHANGED.equals(action)) {
op = PackageUpdatedTask.OP_UPDATE;
} else if (Intent.ACTION_PACKAGE_REMOVED.equals(action)) {
if (!replacing) {
op = PackageUpdatedTask.OP_REMOVE;
}
// else, we are replacing the package, so a PACKAGE_ADDED will be sent
// later, we will update the package at this time
} else if (Intent.ACTION_PACKAGE_ADDED.equals(action)) {
if (!replacing) {
op = PackageUpdatedTask.OP_ADD;
} else {
op = PackageUpdatedTask.OP_UPDATE;
}
}
if (op != PackageUpdatedTask.OP_NONE) {
enqueuePackageUpdated(new PackageUpdatedTask(op, new String[] { packageName }));
}
} else if (Intent.ACTION_EXTERNAL_APPLICATIONS_AVAILABLE.equals(action)) {
// First, schedule to add these apps back in.
String[] packages = intent.getStringArrayExtra(Intent.EXTRA_CHANGED_PACKAGE_LIST);
enqueuePackageUpdated(new PackageUpdatedTask(PackageUpdatedTask.OP_ADD, packages));
// Then, rebind everything.
startLoaderFromBackground();
} else if (Intent.ACTION_EXTERNAL_APPLICATIONS_UNAVAILABLE.equals(action)) {
String[] packages = intent.getStringArrayExtra(Intent.EXTRA_CHANGED_PACKAGE_LIST);
enqueuePackageUpdated(new PackageUpdatedTask(
PackageUpdatedTask.OP_UNAVAILABLE, packages));
} else if (Intent.ACTION_LOCALE_CHANGED.equals(action)) {
// If we have changed locale we need to clear out the labels in all apps.
// Do this here because if the launcher activity is running it will be restarted.
// If it's not running startLoaderFromBackground will merely tell it that it needs
// to reload. Either way, mAllAppsLoaded will be cleared so it re-reads everything
// next time.
mAllAppsLoaded = false;
mWorkspaceLoaded = false;
startLoaderFromBackground();
} else if (SearchManager.INTENT_GLOBAL_SEARCH_ACTIVITY_CHANGED.equals(action)) {
Callbacks callbacks = mCallbacks.get();
callbacks.bindSearchablesChanged();
}
}
/**
* When the launcher is in the background, it's possible for it to miss paired
* configuration changes. So whenever we trigger the loader from the background
* tell the launcher that it needs to re-run the loader when it comes back instead
* of doing it now.
*/
public void startLoaderFromBackground() {
boolean runLoader = false;
if (mCallbacks != null) {
Callbacks callbacks = mCallbacks.get();
if (callbacks != null) {
// Only actually run the loader if they're not paused.
if (!callbacks.setLoadOnResume()) {
runLoader = true;
}
}
}
if (runLoader) {
startLoader(mApp, false);
}
}
public void startLoader(Context context, boolean isLaunching) {
synchronized (mLock) {
if (DEBUG_LOADERS) {
Log.d(TAG, "startLoader isLaunching=" + isLaunching);
}
// Don't bother to start the thread if we know it's not going to do anything
if (mCallbacks != null && mCallbacks.get() != null) {
// If there is already one running, tell it to stop.
LoaderTask oldTask = mLoaderTask;
if (oldTask != null) {
if (oldTask.isLaunching()) {
// don't downgrade isLaunching if we're already running
isLaunching = true;
}
oldTask.stopLocked();
}
mLoaderTask = new LoaderTask(context, isLaunching);
sWorker.post(mLoaderTask);
}
}
}
public void stopLoader() {
synchronized (mLock) {
if (mLoaderTask != null) {
mLoaderTask.stopLocked();
}
}
}
/**
* Runnable for the thread that loads the contents of the launcher:
* - workspace icons
* - widgets
* - all apps icons
*/
private class LoaderTask implements Runnable {
private Context mContext;
private Thread mWaitThread;
private boolean mIsLaunching;
private boolean mStopped;
private boolean mLoadAndBindStepFinished;
private HashMap<Object, CharSequence> mLabelCache;
LoaderTask(Context context, boolean isLaunching) {
mContext = context;
mIsLaunching = isLaunching;
mLabelCache = new HashMap<Object, CharSequence>();
}
boolean isLaunching() {
return mIsLaunching;
}
private void loadAndBindWorkspace() {
// Load the workspace
if (DEBUG_LOADERS) {
Log.d(TAG, "loadAndBindWorkspace mWorkspaceLoaded=" + mWorkspaceLoaded);
}
if (!mWorkspaceLoaded) {
loadWorkspace();
if (mStopped) {
return;
}
mWorkspaceLoaded = true;
}
// Bind the workspace
bindWorkspace();
}
private void waitForIdle() {
// Wait until the either we're stopped or the other threads are done.
// This way we don't start loading all apps until the workspace has settled
// down.
synchronized (LoaderTask.this) {
final long workspaceWaitTime = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
mHandler.postIdle(new Runnable() {
public void run() {
synchronized (LoaderTask.this) {
mLoadAndBindStepFinished = true;
if (DEBUG_LOADERS) {
Log.d(TAG, "done with previous binding step");
}
LoaderTask.this.notify();
}
}
});
while (!mStopped && !mLoadAndBindStepFinished) {
try {
this.wait();
} catch (InterruptedException ex) {
// Ignore
}
}
if (DEBUG_LOADERS) {
Log.d(TAG, "waited "
+ (SystemClock.uptimeMillis()-workspaceWaitTime)
+ "ms for previous step to finish binding");
}
}
}
public void run() {
// Optimize for end-user experience: if the Launcher is up and // running with the
// All Apps interface in the foreground, load All Apps first. Otherwise, load the
// workspace first (default).
final Callbacks cbk = mCallbacks.get();
final boolean loadWorkspaceFirst = cbk != null ? (!cbk.isAllAppsVisible()) : true;
keep_running: {
// Elevate priority when Home launches for the first time to avoid
// starving at boot time. Staring at a blank home is not cool.
synchronized (mLock) {
android.os.Process.setThreadPriority(mIsLaunching
? Process.THREAD_PRIORITY_DEFAULT : Process.THREAD_PRIORITY_BACKGROUND);
}
if (loadWorkspaceFirst) {
if (DEBUG_LOADERS) Log.d(TAG, "step 1: loading workspace");
loadAndBindWorkspace();
} else {
if (DEBUG_LOADERS) Log.d(TAG, "step 1: special: loading all apps");
loadAndBindAllApps();
}
if (mStopped) {
break keep_running;
}
// Whew! Hard work done. Slow us down, and wait until the UI thread has
// settled down.
synchronized (mLock) {
if (mIsLaunching) {
android.os.Process.setThreadPriority(Process.THREAD_PRIORITY_BACKGROUND);
}
}
waitForIdle();
// second step
if (loadWorkspaceFirst) {
if (DEBUG_LOADERS) Log.d(TAG, "step 2: loading all apps");
loadAndBindAllApps();
} else {
if (DEBUG_LOADERS) Log.d(TAG, "step 2: special: loading workspace");
loadAndBindWorkspace();
}
}
// Clear out this reference, otherwise we end up holding it until all of the
// callback runnables are done.
mContext = null;
synchronized (mLock) {
// If we are still the last one to be scheduled, remove ourselves.
if (mLoaderTask == this) {
mLoaderTask = null;
}
}
}
public void stopLocked() {
synchronized (LoaderTask.this) {
mStopped = true;
this.notify();
}
}
/**
* Gets the callbacks object. If we've been stopped, or if the launcher object
* has somehow been garbage collected, return null instead. Pass in the Callbacks
* object that was around when the deferred message was scheduled, and if there's
* a new Callbacks object around then also return null. This will save us from
* calling onto it with data that will be ignored.
*/
Callbacks tryGetCallbacks(Callbacks oldCallbacks) {
synchronized (mLock) {
if (mStopped) {
return null;
}
if (mCallbacks == null) {
return null;
}
final Callbacks callbacks = mCallbacks.get();
if (callbacks != oldCallbacks) {
return null;
}
if (callbacks == null) {
Log.w(TAG, "no mCallbacks");
return null;
}
return callbacks;
}
}
// check & update map of what's occupied; used to discard overlapping/invalid items
private boolean checkItemPlacement(ItemInfo occupied[][][], ItemInfo item) {
if (item.container != LauncherSettings.Favorites.CONTAINER_DESKTOP) {
return true;
}
for (int x = item.cellX; x < (item.cellX+item.spanX); x++) {
for (int y = item.cellY; y < (item.cellY+item.spanY); y++) {
if (occupied[item.screen][x][y] != null) {
Log.e(TAG, "Error loading shortcut " + item
+ " into cell (" + item.screen + ":"
+ x + "," + y
+ ") occupied by "
+ occupied[item.screen][x][y]);
return false;
}
}
}
for (int x = item.cellX; x < (item.cellX+item.spanX); x++) {
for (int y = item.cellY; y < (item.cellY+item.spanY); y++) {
occupied[item.screen][x][y] = item;
}
}
return true;
}
private void loadWorkspace() {
final long t = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
final Context context = mContext;
final ContentResolver contentResolver = context.getContentResolver();
final PackageManager manager = context.getPackageManager();
final AppWidgetManager widgets = AppWidgetManager.getInstance(context);
final boolean isSafeMode = manager.isSafeMode();
sWorkspaceItems.clear();
sAppWidgets.clear();
sFolders.clear();
sItemsIdMap.clear();
final ArrayList<Long> itemsToRemove = new ArrayList<Long>();
final Cursor c = contentResolver.query(
LauncherSettings.Favorites.CONTENT_URI, null, null, null, null);
final ItemInfo occupied[][][] =
new ItemInfo[Launcher.SCREEN_COUNT][mCellCountX][mCellCountY];
try {
final int idIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites._ID);
final int intentIndex = c.getColumnIndexOrThrow
(LauncherSettings.Favorites.INTENT);
final int titleIndex = c.getColumnIndexOrThrow
(LauncherSettings.Favorites.TITLE);
final int iconTypeIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.ICON_TYPE);
final int iconIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.ICON);
final int iconPackageIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.ICON_PACKAGE);
final int iconResourceIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.ICON_RESOURCE);
final int containerIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.CONTAINER);
final int itemTypeIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.ITEM_TYPE);
final int appWidgetIdIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.APPWIDGET_ID);
final int screenIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.SCREEN);
final int cellXIndex = c.getColumnIndexOrThrow
(LauncherSettings.Favorites.CELLX);
final int cellYIndex = c.getColumnIndexOrThrow
(LauncherSettings.Favorites.CELLY);
final int spanXIndex = c.getColumnIndexOrThrow
(LauncherSettings.Favorites.SPANX);
final int spanYIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.SPANY);
final int uriIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.URI);
final int displayModeIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.DISPLAY_MODE);
ShortcutInfo info;
String intentDescription;
LauncherAppWidgetInfo appWidgetInfo;
int container;
long id;
Intent intent;
while (!mStopped && c.moveToNext()) {
try {
int itemType = c.getInt(itemTypeIndex);
switch (itemType) {
case LauncherSettings.Favorites.ITEM_TYPE_APPLICATION:
case LauncherSettings.Favorites.ITEM_TYPE_SHORTCUT:
intentDescription = c.getString(intentIndex);
try {
intent = Intent.parseUri(intentDescription, 0);
} catch (URISyntaxException e) {
continue;
}
if (itemType == LauncherSettings.Favorites.ITEM_TYPE_APPLICATION) {
info = getShortcutInfo(manager, intent, context, c, iconIndex,
titleIndex, mLabelCache);
} else {
info = getShortcutInfo(c, context, iconTypeIndex,
iconPackageIndex, iconResourceIndex, iconIndex,
titleIndex);
}
if (info != null) {
info.intent = intent;
info.id = c.getLong(idIndex);
container = c.getInt(containerIndex);
info.container = container;
info.screen = c.getInt(screenIndex);
info.cellX = c.getInt(cellXIndex);
info.cellY = c.getInt(cellYIndex);
// check & update map of what's occupied
if (!checkItemPlacement(occupied, info)) {
break;
}
switch (container) {
case LauncherSettings.Favorites.CONTAINER_DESKTOP:
case LauncherSettings.Favorites.CONTAINER_HOTSEAT:
sWorkspaceItems.add(info);
break;
default:
// Item is in a user folder
FolderInfo folderInfo =
findOrMakeFolder(sFolders, container);
folderInfo.add(info);
break;
}
sItemsIdMap.put(info.id, info);
// now that we've loaded everthing re-save it with the
// icon in case it disappears somehow.
updateSavedIcon(context, info, c, iconIndex);
} else {
// Failed to load the shortcut, probably because the
// activity manager couldn't resolve it (maybe the app
// was uninstalled), or the db row was somehow screwed up.
// Delete it.
id = c.getLong(idIndex);
Log.e(TAG, "Error loading shortcut " + id + ", removing it");
contentResolver.delete(LauncherSettings.Favorites.getContentUri(
id, false), null, null);
}
break;
case LauncherSettings.Favorites.ITEM_TYPE_FOLDER:
id = c.getLong(idIndex);
FolderInfo folderInfo = findOrMakeFolder(sFolders, id);
folderInfo.title = c.getString(titleIndex);
folderInfo.id = id;
container = c.getInt(containerIndex);
folderInfo.container = container;
folderInfo.screen = c.getInt(screenIndex);
folderInfo.cellX = c.getInt(cellXIndex);
folderInfo.cellY = c.getInt(cellYIndex);
// check & update map of what's occupied
if (!checkItemPlacement(occupied, folderInfo)) {
break;
}
switch (container) {
case LauncherSettings.Favorites.CONTAINER_DESKTOP:
case LauncherSettings.Favorites.CONTAINER_HOTSEAT:
sWorkspaceItems.add(folderInfo);
break;
}
sItemsIdMap.put(folderInfo.id, folderInfo);
sFolders.put(folderInfo.id, folderInfo);
break;
case LauncherSettings.Favorites.ITEM_TYPE_APPWIDGET:
// Read all Launcher-specific widget details
int appWidgetId = c.getInt(appWidgetIdIndex);
id = c.getLong(idIndex);
final AppWidgetProviderInfo provider =
widgets.getAppWidgetInfo(appWidgetId);
if (!isSafeMode && (provider == null || provider.provider == null ||
provider.provider.getPackageName() == null)) {
Log.e(TAG, "Deleting widget that isn't installed anymore: id="
+ id + " appWidgetId=" + appWidgetId);
itemsToRemove.add(id);
} else {
appWidgetInfo = new LauncherAppWidgetInfo(appWidgetId);
appWidgetInfo.id = id;
appWidgetInfo.screen = c.getInt(screenIndex);
appWidgetInfo.cellX = c.getInt(cellXIndex);
appWidgetInfo.cellY = c.getInt(cellYIndex);
appWidgetInfo.spanX = c.getInt(spanXIndex);
appWidgetInfo.spanY = c.getInt(spanYIndex);
container = c.getInt(containerIndex);
if (container != LauncherSettings.Favorites.CONTAINER_DESKTOP &&
container != LauncherSettings.Favorites.CONTAINER_HOTSEAT) {
Log.e(TAG, "Widget found where container "
+ "!= CONTAINER_DESKTOP nor CONTAINER_HOTSEAT - ignoring!");
continue;
}
appWidgetInfo.container = c.getInt(containerIndex);
// check & update map of what's occupied
if (!checkItemPlacement(occupied, appWidgetInfo)) {
break;
}
sItemsIdMap.put(appWidgetInfo.id, appWidgetInfo);
sAppWidgets.add(appWidgetInfo);
}
break;
}
} catch (Exception e) {
Log.w(TAG, "Desktop items loading interrupted:", e);
}
}
} finally {
c.close();
}
if (itemsToRemove.size() > 0) {
ContentProviderClient client = contentResolver.acquireContentProviderClient(
LauncherSettings.Favorites.CONTENT_URI);
// Remove dead items
for (long id : itemsToRemove) {
if (DEBUG_LOADERS) {
Log.d(TAG, "Removed id = " + id);
}
// Don't notify content observers
try {
client.delete(LauncherSettings.Favorites.getContentUri(id, false),
null, null);
} catch (RemoteException e) {
Log.w(TAG, "Could not remove id = " + id);
}
}
}
if (DEBUG_LOADERS) {
Log.d(TAG, "loaded workspace in " + (SystemClock.uptimeMillis()-t) + "ms");
Log.d(TAG, "workspace layout: ");
for (int y = 0; y < mCellCountY; y++) {
String line = "";
for (int s = 0; s < Launcher.SCREEN_COUNT; s++) {
if (s > 0) {
line += " | ";
}
for (int x = 0; x < mCellCountX; x++) {
line += ((occupied[s][x][y] != null) ? "#" : ".");
}
}
Log.d(TAG, "[ " + line + " ]");
}
}
}
/**
* Read everything out of our database.
*/
private void bindWorkspace() {
final long t = SystemClock.uptimeMillis();
// Don't use these two variables in any of the callback runnables.
// Otherwise we hold a reference to them.
final Callbacks oldCallbacks = mCallbacks.get();
if (oldCallbacks == null) {
// This launcher has exited and nobody bothered to tell us. Just bail.
Log.w(TAG, "LoaderTask running with no launcher");
return;
}
int N;
// Tell the workspace that we're about to start firing items at it
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.startBinding();
}
}
});
// Add the items to the workspace.
N = sWorkspaceItems.size();
for (int i=0; i<N; i+=ITEMS_CHUNK) {
final int start = i;
final int chunkSize = (i+ITEMS_CHUNK <= N) ? ITEMS_CHUNK : (N-i);
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.bindItems(sWorkspaceItems, start, start+chunkSize);
}
}
});
}
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.bindFolders(sFolders);
}
}
});
// Wait until the queue goes empty.
mHandler.post(new Runnable() {
public void run() {
if (DEBUG_LOADERS) {
Log.d(TAG, "Going to start binding widgets soon.");
}
}
});
// Bind the widgets, one at a time.
// WARNING: this is calling into the workspace from the background thread,
// but since getCurrentScreen() just returns the int, we should be okay. This
// is just a hint for the order, and if it's wrong, we'll be okay.
// TODO: instead, we should have that push the current screen into here.
final int currentScreen = oldCallbacks.getCurrentWorkspaceScreen();
N = sAppWidgets.size();
// once for the current screen
for (int i=0; i<N; i++) {
final LauncherAppWidgetInfo widget = sAppWidgets.get(i);
if (widget.screen == currentScreen) {
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.bindAppWidget(widget);
}
}
});
}
}
// once for the other screens
for (int i=0; i<N; i++) {
final LauncherAppWidgetInfo widget = sAppWidgets.get(i);
if (widget.screen != currentScreen) {
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.bindAppWidget(widget);
}
}
});
}
}
// Tell the workspace that we're done.
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.finishBindingItems();
}
}
});
// If we're profiling, this is the last thing in the queue.
mHandler.post(new Runnable() {
public void run() {
if (DEBUG_LOADERS) {
Log.d(TAG, "bound workspace in "
+ (SystemClock.uptimeMillis()-t) + "ms");
}
}
});
}
private void loadAndBindAllApps() {
if (DEBUG_LOADERS) {
Log.d(TAG, "loadAndBindAllApps mAllAppsLoaded=" + mAllAppsLoaded);
}
if (!mAllAppsLoaded) {
loadAllAppsByBatch();
if (mStopped) {
return;
}
mAllAppsLoaded = true;
} else {
onlyBindAllApps();
}
}
private void onlyBindAllApps() {
final Callbacks oldCallbacks = mCallbacks.get();
if (oldCallbacks == null) {
// This launcher has exited and nobody bothered to tell us. Just bail.
Log.w(TAG, "LoaderTask running with no launcher (onlyBindAllApps)");
return;
}
// shallow copy
final ArrayList<ApplicationInfo> list
= (ArrayList<ApplicationInfo>)mAllAppsList.data.clone();
mHandler.post(new Runnable() {
public void run() {
final long t = SystemClock.uptimeMillis();
final Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.bindAllApplications(list);
}
if (DEBUG_LOADERS) {
Log.d(TAG, "bound all " + list.size() + " apps from cache in "
+ (SystemClock.uptimeMillis()-t) + "ms");
}
}
});
}
private void loadAllAppsByBatch() {
final long t = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
// Don't use these two variables in any of the callback runnables.
// Otherwise we hold a reference to them.
final Callbacks oldCallbacks = mCallbacks.get();
if (oldCallbacks == null) {
// This launcher has exited and nobody bothered to tell us. Just bail.
Log.w(TAG, "LoaderTask running with no launcher (loadAllAppsByBatch)");
return;
}
final Intent mainIntent = new Intent(Intent.ACTION_MAIN, null);
mainIntent.addCategory(Intent.CATEGORY_LAUNCHER);
final PackageManager packageManager = mContext.getPackageManager();
List<ResolveInfo> apps = null;
int N = Integer.MAX_VALUE;
int startIndex;
int i=0;
int batchSize = -1;
while (i < N && !mStopped) {
if (i == 0) {
mAllAppsList.clear();
final long qiaTime = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
apps = packageManager.queryIntentActivities(mainIntent, 0);
if (DEBUG_LOADERS) {
Log.d(TAG, "queryIntentActivities took "
+ (SystemClock.uptimeMillis()-qiaTime) + "ms");
}
if (apps == null) {
return;
}
N = apps.size();
if (DEBUG_LOADERS) {
Log.d(TAG, "queryIntentActivities got " + N + " apps");
}
if (N == 0) {
// There are no apps?!?
return;
}
if (mBatchSize == 0) {
batchSize = N;
} else {
batchSize = mBatchSize;
}
final long sortTime = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
Collections.sort(apps,
new LauncherModel.ShortcutNameComparator(packageManager, mLabelCache));
if (DEBUG_LOADERS) {
Log.d(TAG, "sort took "
+ (SystemClock.uptimeMillis()-sortTime) + "ms");
}
}
final long t2 = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
startIndex = i;
for (int j=0; i<N && j<batchSize; j++) {
// This builds the icon bitmaps.
mAllAppsList.add(new ApplicationInfo(packageManager, apps.get(i),
mIconCache, mLabelCache));
i++;
}
final boolean first = i <= batchSize;
final Callbacks callbacks = tryGetCallbacks(oldCallbacks);
final ArrayList<ApplicationInfo> added = mAllAppsList.added;
mAllAppsList.added = new ArrayList<ApplicationInfo>();
mHandler.post(new Runnable() {
public void run() {
final long t = SystemClock.uptimeMillis();
if (callbacks != null) {
if (first) {
callbacks.bindAllApplications(added);
} else {
callbacks.bindAppsAdded(added);
}
if (DEBUG_LOADERS) {
Log.d(TAG, "bound " + added.size() + " apps in "
+ (SystemClock.uptimeMillis() - t) + "ms");
}
} else {
Log.i(TAG, "not binding apps: no Launcher activity");
}
}
});
if (DEBUG_LOADERS) {
Log.d(TAG, "batch of " + (i-startIndex) + " icons processed in "
+ (SystemClock.uptimeMillis()-t2) + "ms");
}
if (mAllAppsLoadDelay > 0 && i < N) {
try {
if (DEBUG_LOADERS) {
Log.d(TAG, "sleeping for " + mAllAppsLoadDelay + "ms");
}
Thread.sleep(mAllAppsLoadDelay);
} catch (InterruptedException exc) { }
}
}
if (DEBUG_LOADERS) {
Log.d(TAG, "cached all " + N + " apps in "
+ (SystemClock.uptimeMillis()-t) + "ms"
+ (mAllAppsLoadDelay > 0 ? " (including delay)" : ""));
}
}
public void dumpState() {
Log.d(TAG, "mLoaderTask.mContext=" + mContext);
Log.d(TAG, "mLoaderTask.mWaitThread=" + mWaitThread);
Log.d(TAG, "mLoaderTask.mIsLaunching=" + mIsLaunching);
Log.d(TAG, "mLoaderTask.mStopped=" + mStopped);
Log.d(TAG, "mLoaderTask.mLoadAndBindStepFinished=" + mLoadAndBindStepFinished);
Log.d(TAG, "mItems size=" + sWorkspaceItems.size());
}
}
void enqueuePackageUpdated(PackageUpdatedTask task) {
sWorker.post(task);
}
private class PackageUpdatedTask implements Runnable {
int mOp;
String[] mPackages;
public static final int OP_NONE = 0;
public static final int OP_ADD = 1;
public static final int OP_UPDATE = 2;
public static final int OP_REMOVE = 3; // uninstlled
public static final int OP_UNAVAILABLE = 4; // external media unmounted
public PackageUpdatedTask(int op, String[] packages) {
mOp = op;
mPackages = packages;
}
public void run() {
final Context context = mApp;
final String[] packages = mPackages;
final int N = packages.length;
switch (mOp) {
case OP_ADD:
for (int i=0; i<N; i++) {
if (DEBUG_LOADERS) Log.d(TAG, "mAllAppsList.addPackage " + packages[i]);
mAllAppsList.addPackage(context, packages[i]);
}
break;
case OP_UPDATE:
for (int i=0; i<N; i++) {
if (DEBUG_LOADERS) Log.d(TAG, "mAllAppsList.updatePackage " + packages[i]);
mAllAppsList.updatePackage(context, packages[i]);
}
break;
case OP_REMOVE:
case OP_UNAVAILABLE:
for (int i=0; i<N; i++) {
if (DEBUG_LOADERS) Log.d(TAG, "mAllAppsList.removePackage " + packages[i]);
mAllAppsList.removePackage(packages[i]);
}
break;
}
ArrayList<ApplicationInfo> added = null;
ArrayList<ApplicationInfo> removed = null;
ArrayList<ApplicationInfo> modified = null;
if (mAllAppsList.added.size() > 0) {
added = mAllAppsList.added;
mAllAppsList.added = new ArrayList<ApplicationInfo>();
}
if (mAllAppsList.removed.size() > 0) {
removed = mAllAppsList.removed;
mAllAppsList.removed = new ArrayList<ApplicationInfo>();
for (ApplicationInfo info: removed) {
mIconCache.remove(info.intent.getComponent());
}
}
if (mAllAppsList.modified.size() > 0) {
modified = mAllAppsList.modified;
mAllAppsList.modified = new ArrayList<ApplicationInfo>();
}
final Callbacks callbacks = mCallbacks != null ? mCallbacks.get() : null;
if (callbacks == null) {
Log.w(TAG, "Nobody to tell about the new app. Launcher is probably loading.");
return;
}
if (added != null) {
final ArrayList<ApplicationInfo> addedFinal = added;
mHandler.post(new Runnable() {
public void run() {
Callbacks cb = mCallbacks != null ? mCallbacks.get() : null;
if (callbacks == cb && cb != null) {
callbacks.bindAppsAdded(addedFinal);
}
}
});
}
if (modified != null) {
final ArrayList<ApplicationInfo> modifiedFinal = modified;
mHandler.post(new Runnable() {
public void run() {
Callbacks cb = mCallbacks != null ? mCallbacks.get() : null;
if (callbacks == cb && cb != null) {
callbacks.bindAppsUpdated(modifiedFinal);
}
}
});
}
if (removed != null) {
final boolean permanent = mOp != OP_UNAVAILABLE;
final ArrayList<ApplicationInfo> removedFinal = removed;
mHandler.post(new Runnable() {
public void run() {
Callbacks cb = mCallbacks != null ? mCallbacks.get() : null;
if (callbacks == cb && cb != null) {
callbacks.bindAppsRemoved(removedFinal, permanent);
}
}
});
}
mHandler.post(new Runnable() {
@Override
public void run() {
Callbacks cb = mCallbacks != null ? mCallbacks.get() : null;
if (callbacks == cb && cb != null) {
callbacks.bindPackagesUpdated();
}
}
});
}
}
/**
* This is called from the code that adds shortcuts from the intent receiver. This
* doesn't have a Cursor, but
*/
public ShortcutInfo getShortcutInfo(PackageManager manager, Intent intent, Context context) {
return getShortcutInfo(manager, intent, context, null, -1, -1, null);
}
/**
* Make an ShortcutInfo object for a shortcut that is an application.
*
* If c is not null, then it will be used to fill in missing data like the title and icon.
*/
public ShortcutInfo getShortcutInfo(PackageManager manager, Intent intent, Context context,
Cursor c, int iconIndex, int titleIndex, HashMap<Object, CharSequence> labelCache) {
Bitmap icon = null;
final ShortcutInfo info = new ShortcutInfo();
ComponentName componentName = intent.getComponent();
if (componentName == null) {
return null;
}
// TODO: See if the PackageManager knows about this case. If it doesn't
// then return null & delete this.
// the resource -- This may implicitly give us back the fallback icon,
// but don't worry about that. All we're doing with usingFallbackIcon is
// to avoid saving lots of copies of that in the database, and most apps
// have icons anyway.
final ResolveInfo resolveInfo = manager.resolveActivity(intent, 0);
if (resolveInfo != null) {
icon = mIconCache.getIcon(componentName, resolveInfo);
}
// the db
if (icon == null) {
if (c != null) {
icon = getIconFromCursor(c, iconIndex);
}
}
// the fallback icon
if (icon == null) {
icon = getFallbackIcon();
info.usingFallbackIcon = true;
}
info.setIcon(icon);
// from the resource
if (resolveInfo != null) {
if (labelCache != null && labelCache.containsKey(resolveInfo)) {
info.title = labelCache.get(resolveInfo);
} else {
info.title = resolveInfo.activityInfo.loadLabel(manager);
if (labelCache != null) {
labelCache.put(resolveInfo, info.title);
}
}
}
// from the db
if (info.title == null) {
if (c != null) {
info.title = c.getString(titleIndex);
}
}
// fall back to the class name of the activity
if (info.title == null) {
info.title = componentName.getClassName();
}
info.itemType = LauncherSettings.Favorites.ITEM_TYPE_APPLICATION;
return info;
}
/**
* Make an ShortcutInfo object for a shortcut that isn't an application.
*/
private ShortcutInfo getShortcutInfo(Cursor c, Context context,
int iconTypeIndex, int iconPackageIndex, int iconResourceIndex, int iconIndex,
int titleIndex) {
Bitmap icon = null;
final ShortcutInfo info = new ShortcutInfo();
info.itemType = LauncherSettings.Favorites.ITEM_TYPE_SHORTCUT;
// TODO: If there's an explicit component and we can't install that, delete it.
info.title = c.getString(titleIndex);
int iconType = c.getInt(iconTypeIndex);
switch (iconType) {
case LauncherSettings.Favorites.ICON_TYPE_RESOURCE:
String packageName = c.getString(iconPackageIndex);
String resourceName = c.getString(iconResourceIndex);
PackageManager packageManager = context.getPackageManager();
info.customIcon = false;
// the resource
try {
Resources resources = packageManager.getResourcesForApplication(packageName);
if (resources != null) {
final int id = resources.getIdentifier(resourceName, null, null);
icon = Utilities.createIconBitmap(
mIconCache.getFullResIcon(resources, id), context);
}
} catch (Exception e) {
// drop this. we have other places to look for icons
}
// the db
if (icon == null) {
icon = getIconFromCursor(c, iconIndex);
}
// the fallback icon
if (icon == null) {
icon = getFallbackIcon();
info.usingFallbackIcon = true;
}
break;
case LauncherSettings.Favorites.ICON_TYPE_BITMAP:
icon = getIconFromCursor(c, iconIndex);
if (icon == null) {
icon = getFallbackIcon();
info.customIcon = false;
info.usingFallbackIcon = true;
} else {
info.customIcon = true;
}
break;
default:
icon = getFallbackIcon();
info.usingFallbackIcon = true;
info.customIcon = false;
break;
}
info.setIcon(icon);
return info;
}
Bitmap getIconFromCursor(Cursor c, int iconIndex) {
if (false) {
Log.d(TAG, "getIconFromCursor app="
+ c.getString(c.getColumnIndexOrThrow(LauncherSettings.Favorites.TITLE)));
}
byte[] data = c.getBlob(iconIndex);
try {
return BitmapFactory.decodeByteArray(data, 0, data.length);
} catch (Exception e) {
return null;
}
}
ShortcutInfo addShortcut(Context context, Intent data, long container, int screen,
int cellX, int cellY, boolean notify) {
final ShortcutInfo info = infoFromShortcutIntent(context, data, null);
addItemToDatabase(context, info, container, screen, cellX, cellY, notify);
return info;
}
/**
* Attempts to find an AppWidgetProviderInfo that matches the given component.
*/
AppWidgetProviderInfo findAppWidgetProviderInfoWithComponent(Context context,
ComponentName component) {
List<AppWidgetProviderInfo> widgets =
AppWidgetManager.getInstance(context).getInstalledProviders();
for (AppWidgetProviderInfo info : widgets) {
if (info.provider.equals(component)) {
return info;
}
}
return null;
}
/**
* Returns a list of all the widgets that can handle configuration with a particular mimeType.
*/
List<WidgetMimeTypeHandlerData> resolveWidgetsForMimeType(Context context, String mimeType) {
final PackageManager packageManager = context.getPackageManager();
final List<WidgetMimeTypeHandlerData> supportedConfigurationActivities =
new ArrayList<WidgetMimeTypeHandlerData>();
final Intent supportsIntent =
new Intent(InstallWidgetReceiver.ACTION_SUPPORTS_CLIPDATA_MIMETYPE);
supportsIntent.setType(mimeType);
// Create a set of widget configuration components that we can test against
final List<AppWidgetProviderInfo> widgets =
AppWidgetManager.getInstance(context).getInstalledProviders();
final HashMap<ComponentName, AppWidgetProviderInfo> configurationComponentToWidget =
new HashMap<ComponentName, AppWidgetProviderInfo>();
for (AppWidgetProviderInfo info : widgets) {
configurationComponentToWidget.put(info.configure, info);
}
// Run through each of the intents that can handle this type of clip data, and cross
// reference them with the components that are actual configuration components
final List<ResolveInfo> activities = packageManager.queryIntentActivities(supportsIntent,
PackageManager.MATCH_DEFAULT_ONLY);
for (ResolveInfo info : activities) {
final ActivityInfo activityInfo = info.activityInfo;
final ComponentName infoComponent = new ComponentName(activityInfo.packageName,
activityInfo.name);
if (configurationComponentToWidget.containsKey(infoComponent)) {
supportedConfigurationActivities.add(
new InstallWidgetReceiver.WidgetMimeTypeHandlerData(info,
configurationComponentToWidget.get(infoComponent)));
}
}
return supportedConfigurationActivities;
}
ShortcutInfo infoFromShortcutIntent(Context context, Intent data, Bitmap fallbackIcon) {
Intent intent = data.getParcelableExtra(Intent.EXTRA_SHORTCUT_INTENT);
String name = data.getStringExtra(Intent.EXTRA_SHORTCUT_NAME);
Parcelable bitmap = data.getParcelableExtra(Intent.EXTRA_SHORTCUT_ICON);
Bitmap icon = null;
boolean customIcon = false;
ShortcutIconResource iconResource = null;
if (bitmap != null && bitmap instanceof Bitmap) {
icon = Utilities.createIconBitmap(new FastBitmapDrawable((Bitmap)bitmap), context);
customIcon = true;
} else {
Parcelable extra = data.getParcelableExtra(Intent.EXTRA_SHORTCUT_ICON_RESOURCE);
if (extra != null && extra instanceof ShortcutIconResource) {
try {
iconResource = (ShortcutIconResource) extra;
final PackageManager packageManager = context.getPackageManager();
Resources resources = packageManager.getResourcesForApplication(
iconResource.packageName);
final int id = resources.getIdentifier(iconResource.resourceName, null, null);
icon = Utilities.createIconBitmap(
mIconCache.getFullResIcon(resources, id), context);
} catch (Exception e) {
Log.w(TAG, "Could not load shortcut icon: " + extra);
}
}
}
final ShortcutInfo info = new ShortcutInfo();
if (icon == null) {
if (fallbackIcon != null) {
icon = fallbackIcon;
} else {
icon = getFallbackIcon();
info.usingFallbackIcon = true;
}
}
info.setIcon(icon);
info.title = name;
info.intent = intent;
info.customIcon = customIcon;
info.iconResource = iconResource;
return info;
}
void updateSavedIcon(Context context, ShortcutInfo info, Cursor c, int iconIndex) {
// If apps can't be on SD, don't even bother.
if (!mAppsCanBeOnExternalStorage) {
return;
}
// If this icon doesn't have a custom icon, check to see
// what's stored in the DB, and if it doesn't match what
// we're going to show, store what we are going to show back
// into the DB. We do this so when we're loading, if the
// package manager can't find an icon (for example because
// the app is on SD) then we can use that instead.
if (!info.customIcon && !info.usingFallbackIcon) {
boolean needSave;
byte[] data = c.getBlob(iconIndex);
try {
if (data != null) {
Bitmap saved = BitmapFactory.decodeByteArray(data, 0, data.length);
Bitmap loaded = info.getIcon(mIconCache);
needSave = !saved.sameAs(loaded);
} else {
needSave = true;
}
} catch (Exception e) {
needSave = true;
}
if (needSave) {
Log.d(TAG, "going to save icon bitmap for info=" + info);
// This is slower than is ideal, but this only happens once
// or when the app is updated with a new icon.
updateItemInDatabase(context, info);
}
}
}
/**
* Return an existing FolderInfo object if we have encountered this ID previously,
* or make a new one.
*/
private static FolderInfo findOrMakeFolder(HashMap<Long, FolderInfo> folders, long id) {
// See if a placeholder was created for us already
FolderInfo folderInfo = folders.get(id);
if (folderInfo == null) {
// No placeholder -- create a new instance
folderInfo = new FolderInfo();
folders.put(id, folderInfo);
}
return folderInfo;
}
private static final Collator sCollator = Collator.getInstance();
public static final Comparator<ApplicationInfo> APP_NAME_COMPARATOR
= new Comparator<ApplicationInfo>() {
public final int compare(ApplicationInfo a, ApplicationInfo b) {
int result = sCollator.compare(a.title.toString(), b.title.toString());
if (result == 0) {
result = a.componentName.compareTo(b.componentName);
}
return result;
}
};
public static final Comparator<ApplicationInfo> APP_INSTALL_TIME_COMPARATOR
= new Comparator<ApplicationInfo>() {
public final int compare(ApplicationInfo a, ApplicationInfo b) {
if (a.firstInstallTime < b.firstInstallTime) return 1;
if (a.firstInstallTime > b.firstInstallTime) return -1;
return 0;
}
};
public static final Comparator<AppWidgetProviderInfo> WIDGET_NAME_COMPARATOR
= new Comparator<AppWidgetProviderInfo>() {
public final int compare(AppWidgetProviderInfo a, AppWidgetProviderInfo b) {
return sCollator.compare(a.label.toString(), b.label.toString());
}
};
public static class ShortcutNameComparator implements Comparator<ResolveInfo> {
private PackageManager mPackageManager;
private HashMap<Object, CharSequence> mLabelCache;
ShortcutNameComparator(PackageManager pm) {
mPackageManager = pm;
mLabelCache = new HashMap<Object, CharSequence>();
}
ShortcutNameComparator(PackageManager pm, HashMap<Object, CharSequence> labelCache) {
mPackageManager = pm;
mLabelCache = labelCache;
}
public final int compare(ResolveInfo a, ResolveInfo b) {
CharSequence labelA, labelB;
if (mLabelCache.containsKey(a)) {
labelA = mLabelCache.get(a);
} else {
labelA = a.loadLabel(mPackageManager).toString();
mLabelCache.put(a, labelA);
}
if (mLabelCache.containsKey(b)) {
labelB = mLabelCache.get(b);
} else {
labelB = b.loadLabel(mPackageManager).toString();
mLabelCache.put(b, labelB);
}
return sCollator.compare(labelA, labelB);
}
};
public static class WidgetAndShortcutNameComparator implements Comparator<Object> {
private PackageManager mPackageManager;
private HashMap<Object, String> mLabelCache;
WidgetAndShortcutNameComparator(PackageManager pm) {
mPackageManager = pm;
mLabelCache = new HashMap<Object, String>();
}
public final int compare(Object a, Object b) {
String labelA, labelB;
if (mLabelCache.containsKey(a)) {
labelA = mLabelCache.get(a);
} else {
labelA = (a instanceof AppWidgetProviderInfo) ?
((AppWidgetProviderInfo) a).label :
((ResolveInfo) a).loadLabel(mPackageManager).toString();
mLabelCache.put(a, labelA);
}
if (mLabelCache.containsKey(b)) {
labelB = mLabelCache.get(b);
} else {
labelB = (b instanceof AppWidgetProviderInfo) ?
((AppWidgetProviderInfo) b).label :
((ResolveInfo) b).loadLabel(mPackageManager).toString();
mLabelCache.put(b, labelB);
}
return sCollator.compare(labelA, labelB);
}
};
public void dumpState() {
Log.d(TAG, "mCallbacks=" + mCallbacks);
ApplicationInfo.dumpApplicationInfoList(TAG, "mAllAppsList.data", mAllAppsList.data);
ApplicationInfo.dumpApplicationInfoList(TAG, "mAllAppsList.added", mAllAppsList.added);
ApplicationInfo.dumpApplicationInfoList(TAG, "mAllAppsList.removed", mAllAppsList.removed);
ApplicationInfo.dumpApplicationInfoList(TAG, "mAllAppsList.modified", mAllAppsList.modified);
if (mLoaderTask != null) {
mLoaderTask.dumpState();
} else {
Log.d(TAG, "mLoaderTask=null");
}
}
}
| true | true | static boolean shortcutExists(Context context, String title, Intent intent) {
final ContentResolver cr = context.getContentResolver();
Cursor c = cr.query(LauncherSettings.Favorites.CONTENT_URI,
new String[] { "title", "intent" }, "title=? and intent=?",
new String[] { title, intent.toUri(0) }, null);
boolean result = false;
try {
result = c.moveToFirst();
} finally {
c.close();
}
return result;
}
/**
* Returns an ItemInfo array containing all the items in the LauncherModel.
* The ItemInfo.id is not set through this function.
*/
static ArrayList<ItemInfo> getItemsInLocalCoordinates(Context context) {
ArrayList<ItemInfo> items = new ArrayList<ItemInfo>();
final ContentResolver cr = context.getContentResolver();
Cursor c = cr.query(LauncherSettings.Favorites.CONTENT_URI, new String[] {
LauncherSettings.Favorites.ITEM_TYPE, LauncherSettings.Favorites.CONTAINER,
LauncherSettings.Favorites.SCREEN, LauncherSettings.Favorites.CELLX, LauncherSettings.Favorites.CELLY,
LauncherSettings.Favorites.SPANX, LauncherSettings.Favorites.SPANY }, null, null, null);
final int itemTypeIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.ITEM_TYPE);
final int containerIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CONTAINER);
final int screenIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.SCREEN);
final int cellXIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CELLX);
final int cellYIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CELLY);
final int spanXIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.SPANX);
final int spanYIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.SPANY);
try {
while (c.moveToNext()) {
ItemInfo item = new ItemInfo();
item.cellX = c.getInt(cellXIndex);
item.cellY = c.getInt(cellYIndex);
item.spanX = c.getInt(spanXIndex);
item.spanY = c.getInt(spanYIndex);
item.container = c.getInt(containerIndex);
item.itemType = c.getInt(itemTypeIndex);
item.screen = c.getInt(screenIndex);
items.add(item);
}
} catch (Exception e) {
items.clear();
} finally {
c.close();
}
return items;
}
/**
* Find a folder in the db, creating the FolderInfo if necessary, and adding it to folderList.
*/
FolderInfo getFolderById(Context context, HashMap<Long,FolderInfo> folderList, long id) {
final ContentResolver cr = context.getContentResolver();
Cursor c = cr.query(LauncherSettings.Favorites.CONTENT_URI, null,
"_id=? and (itemType=? or itemType=?)",
new String[] { String.valueOf(id),
String.valueOf(LauncherSettings.Favorites.ITEM_TYPE_FOLDER)}, null);
try {
if (c.moveToFirst()) {
final int itemTypeIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.ITEM_TYPE);
final int titleIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.TITLE);
final int containerIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CONTAINER);
final int screenIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.SCREEN);
final int cellXIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CELLX);
final int cellYIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CELLY);
FolderInfo folderInfo = null;
switch (c.getInt(itemTypeIndex)) {
case LauncherSettings.Favorites.ITEM_TYPE_FOLDER:
folderInfo = findOrMakeFolder(folderList, id);
break;
}
folderInfo.title = c.getString(titleIndex);
folderInfo.id = id;
folderInfo.container = c.getInt(containerIndex);
folderInfo.screen = c.getInt(screenIndex);
folderInfo.cellX = c.getInt(cellXIndex);
folderInfo.cellY = c.getInt(cellYIndex);
return folderInfo;
}
} finally {
c.close();
}
return null;
}
/**
* Add an item to the database in a specified container. Sets the container, screen, cellX and
* cellY fields of the item. Also assigns an ID to the item.
*/
static void addItemToDatabase(Context context, final ItemInfo item, final long container,
final int screen, final int cellX, final int cellY, final boolean notify) {
item.container = container;
item.cellX = cellX;
item.cellY = cellY;
// We store hotseat items in canonical form which is this orientation invariant position
// in the hotseat
if (context instanceof Launcher && screen < 0 &&
container == LauncherSettings.Favorites.CONTAINER_HOTSEAT) {
item.screen = ((Launcher) context).getHotseat().getOrderInHotseat(cellX, cellY);
} else {
item.screen = screen;
}
final ContentValues values = new ContentValues();
final ContentResolver cr = context.getContentResolver();
item.onAddToDatabase(values);
Launcher l = (Launcher) context;
LauncherApplication app = (LauncherApplication) l.getApplication();
item.id = app.getLauncherProvider().generateNewId();
values.put(LauncherSettings.Favorites._ID, item.id);
item.updateValuesWithCoordinates(values, item.cellX, item.cellY);
sWorker.post(new Runnable() {
public void run() {
cr.insert(notify ? LauncherSettings.Favorites.CONTENT_URI :
LauncherSettings.Favorites.CONTENT_URI_NO_NOTIFICATION, values);
sItemsIdMap.put(item.id, item);
switch (item.itemType) {
case LauncherSettings.Favorites.ITEM_TYPE_FOLDER:
sFolders.put(item.id, (FolderInfo) item);
// Fall through
case LauncherSettings.Favorites.ITEM_TYPE_APPLICATION:
case LauncherSettings.Favorites.ITEM_TYPE_SHORTCUT:
if (item.container == LauncherSettings.Favorites.CONTAINER_DESKTOP ||
item.container == LauncherSettings.Favorites.CONTAINER_HOTSEAT) {
sWorkspaceItems.add(item);
}
break;
case LauncherSettings.Favorites.ITEM_TYPE_APPWIDGET:
sAppWidgets.add((LauncherAppWidgetInfo) item);
break;
}
}
});
}
/**
* Creates a new unique child id, for a given cell span across all layouts.
*/
static int getCellLayoutChildId(
long container, int screen, int localCellX, int localCellY, int spanX, int spanY) {
return (((int) container & 0xFF) << 24)
| (screen & 0xFF) << 16 | (localCellX & 0xFF) << 8 | (localCellY & 0xFF);
}
static int getCellCountX() {
return mCellCountX;
}
static int getCellCountY() {
return mCellCountY;
}
/**
* Updates the model orientation helper to take into account the current layout dimensions
* when performing local/canonical coordinate transformations.
*/
static void updateWorkspaceLayoutCells(int shortAxisCellCount, int longAxisCellCount) {
mCellCountX = shortAxisCellCount;
mCellCountY = longAxisCellCount;
}
/**
* Update an item to the database in a specified container.
*/
static void updateItemInDatabase(Context context, final ItemInfo item) {
final ContentValues values = new ContentValues();
final ContentResolver cr = context.getContentResolver();
item.onAddToDatabase(values);
item.updateValuesWithCoordinates(values, item.cellX, item.cellY);
sWorker.post(new Runnable() {
public void run() {
cr.update(LauncherSettings.Favorites.getContentUri(item.id, false),
values, null, null);
final ItemInfo modelItem = sItemsIdMap.get(item.id);
if (item != modelItem) {
// the modelItem needs to match up perfectly with item if our model is to be
// consistent with the database-- for now, just require modelItem == item
throw new RuntimeException("Error: ItemInfo passed to moveItemInDatabase " +
"doesn't match original");
}
}
});
}
/**
* Removes the specified item from the database
* @param context
* @param item
*/
static void deleteItemFromDatabase(Context context, final ItemInfo item) {
final ContentResolver cr = context.getContentResolver();
final Uri uriToDelete = LauncherSettings.Favorites.getContentUri(item.id, false);
sWorker.post(new Runnable() {
public void run() {
cr.delete(uriToDelete, null, null);
switch (item.itemType) {
case LauncherSettings.Favorites.ITEM_TYPE_FOLDER:
sFolders.remove(item.id);
sWorkspaceItems.remove(item);
break;
case LauncherSettings.Favorites.ITEM_TYPE_APPLICATION:
case LauncherSettings.Favorites.ITEM_TYPE_SHORTCUT:
sWorkspaceItems.remove(item);
break;
case LauncherSettings.Favorites.ITEM_TYPE_APPWIDGET:
sAppWidgets.remove((LauncherAppWidgetInfo) item);
break;
}
sItemsIdMap.remove(item.id);
}
});
}
/**
* Remove the contents of the specified folder from the database
*/
static void deleteFolderContentsFromDatabase(Context context, final FolderInfo info) {
final ContentResolver cr = context.getContentResolver();
sWorker.post(new Runnable() {
public void run() {
cr.delete(LauncherSettings.Favorites.getContentUri(info.id, false), null, null);
sItemsIdMap.remove(info.id);
sFolders.remove(info.id);
sWorkspaceItems.remove(info);
cr.delete(LauncherSettings.Favorites.CONTENT_URI_NO_NOTIFICATION,
LauncherSettings.Favorites.CONTAINER + "=" + info.id, null);
for (ItemInfo childInfo : info.contents) {
sItemsIdMap.remove(childInfo.id);
}
}
});
}
/**
* Set this as the current Launcher activity object for the loader.
*/
public void initialize(Callbacks callbacks) {
synchronized (mLock) {
mCallbacks = new WeakReference<Callbacks>(callbacks);
}
}
/**
* Call from the handler for ACTION_PACKAGE_ADDED, ACTION_PACKAGE_REMOVED and
* ACTION_PACKAGE_CHANGED.
*/
@Override
public void onReceive(Context context, Intent intent) {
if (DEBUG_LOADERS) Log.d(TAG, "onReceive intent=" + intent);
final String action = intent.getAction();
if (Intent.ACTION_PACKAGE_CHANGED.equals(action)
|| Intent.ACTION_PACKAGE_REMOVED.equals(action)
|| Intent.ACTION_PACKAGE_ADDED.equals(action)) {
final String packageName = intent.getData().getSchemeSpecificPart();
final boolean replacing = intent.getBooleanExtra(Intent.EXTRA_REPLACING, false);
int op = PackageUpdatedTask.OP_NONE;
if (packageName == null || packageName.length() == 0) {
// they sent us a bad intent
return;
}
if (Intent.ACTION_PACKAGE_CHANGED.equals(action)) {
op = PackageUpdatedTask.OP_UPDATE;
} else if (Intent.ACTION_PACKAGE_REMOVED.equals(action)) {
if (!replacing) {
op = PackageUpdatedTask.OP_REMOVE;
}
// else, we are replacing the package, so a PACKAGE_ADDED will be sent
// later, we will update the package at this time
} else if (Intent.ACTION_PACKAGE_ADDED.equals(action)) {
if (!replacing) {
op = PackageUpdatedTask.OP_ADD;
} else {
op = PackageUpdatedTask.OP_UPDATE;
}
}
if (op != PackageUpdatedTask.OP_NONE) {
enqueuePackageUpdated(new PackageUpdatedTask(op, new String[] { packageName }));
}
} else if (Intent.ACTION_EXTERNAL_APPLICATIONS_AVAILABLE.equals(action)) {
// First, schedule to add these apps back in.
String[] packages = intent.getStringArrayExtra(Intent.EXTRA_CHANGED_PACKAGE_LIST);
enqueuePackageUpdated(new PackageUpdatedTask(PackageUpdatedTask.OP_ADD, packages));
// Then, rebind everything.
startLoaderFromBackground();
} else if (Intent.ACTION_EXTERNAL_APPLICATIONS_UNAVAILABLE.equals(action)) {
String[] packages = intent.getStringArrayExtra(Intent.EXTRA_CHANGED_PACKAGE_LIST);
enqueuePackageUpdated(new PackageUpdatedTask(
PackageUpdatedTask.OP_UNAVAILABLE, packages));
} else if (Intent.ACTION_LOCALE_CHANGED.equals(action)) {
// If we have changed locale we need to clear out the labels in all apps.
// Do this here because if the launcher activity is running it will be restarted.
// If it's not running startLoaderFromBackground will merely tell it that it needs
// to reload. Either way, mAllAppsLoaded will be cleared so it re-reads everything
// next time.
mAllAppsLoaded = false;
mWorkspaceLoaded = false;
startLoaderFromBackground();
} else if (SearchManager.INTENT_GLOBAL_SEARCH_ACTIVITY_CHANGED.equals(action)) {
Callbacks callbacks = mCallbacks.get();
callbacks.bindSearchablesChanged();
}
}
/**
* When the launcher is in the background, it's possible for it to miss paired
* configuration changes. So whenever we trigger the loader from the background
* tell the launcher that it needs to re-run the loader when it comes back instead
* of doing it now.
*/
public void startLoaderFromBackground() {
boolean runLoader = false;
if (mCallbacks != null) {
Callbacks callbacks = mCallbacks.get();
if (callbacks != null) {
// Only actually run the loader if they're not paused.
if (!callbacks.setLoadOnResume()) {
runLoader = true;
}
}
}
if (runLoader) {
startLoader(mApp, false);
}
}
public void startLoader(Context context, boolean isLaunching) {
synchronized (mLock) {
if (DEBUG_LOADERS) {
Log.d(TAG, "startLoader isLaunching=" + isLaunching);
}
// Don't bother to start the thread if we know it's not going to do anything
if (mCallbacks != null && mCallbacks.get() != null) {
// If there is already one running, tell it to stop.
LoaderTask oldTask = mLoaderTask;
if (oldTask != null) {
if (oldTask.isLaunching()) {
// don't downgrade isLaunching if we're already running
isLaunching = true;
}
oldTask.stopLocked();
}
mLoaderTask = new LoaderTask(context, isLaunching);
sWorker.post(mLoaderTask);
}
}
}
public void stopLoader() {
synchronized (mLock) {
if (mLoaderTask != null) {
mLoaderTask.stopLocked();
}
}
}
/**
* Runnable for the thread that loads the contents of the launcher:
* - workspace icons
* - widgets
* - all apps icons
*/
private class LoaderTask implements Runnable {
private Context mContext;
private Thread mWaitThread;
private boolean mIsLaunching;
private boolean mStopped;
private boolean mLoadAndBindStepFinished;
private HashMap<Object, CharSequence> mLabelCache;
LoaderTask(Context context, boolean isLaunching) {
mContext = context;
mIsLaunching = isLaunching;
mLabelCache = new HashMap<Object, CharSequence>();
}
boolean isLaunching() {
return mIsLaunching;
}
private void loadAndBindWorkspace() {
// Load the workspace
if (DEBUG_LOADERS) {
Log.d(TAG, "loadAndBindWorkspace mWorkspaceLoaded=" + mWorkspaceLoaded);
}
if (!mWorkspaceLoaded) {
loadWorkspace();
if (mStopped) {
return;
}
mWorkspaceLoaded = true;
}
// Bind the workspace
bindWorkspace();
}
private void waitForIdle() {
// Wait until the either we're stopped or the other threads are done.
// This way we don't start loading all apps until the workspace has settled
// down.
synchronized (LoaderTask.this) {
final long workspaceWaitTime = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
mHandler.postIdle(new Runnable() {
public void run() {
synchronized (LoaderTask.this) {
mLoadAndBindStepFinished = true;
if (DEBUG_LOADERS) {
Log.d(TAG, "done with previous binding step");
}
LoaderTask.this.notify();
}
}
});
while (!mStopped && !mLoadAndBindStepFinished) {
try {
this.wait();
} catch (InterruptedException ex) {
// Ignore
}
}
if (DEBUG_LOADERS) {
Log.d(TAG, "waited "
+ (SystemClock.uptimeMillis()-workspaceWaitTime)
+ "ms for previous step to finish binding");
}
}
}
public void run() {
// Optimize for end-user experience: if the Launcher is up and // running with the
// All Apps interface in the foreground, load All Apps first. Otherwise, load the
// workspace first (default).
final Callbacks cbk = mCallbacks.get();
final boolean loadWorkspaceFirst = cbk != null ? (!cbk.isAllAppsVisible()) : true;
keep_running: {
// Elevate priority when Home launches for the first time to avoid
// starving at boot time. Staring at a blank home is not cool.
synchronized (mLock) {
android.os.Process.setThreadPriority(mIsLaunching
? Process.THREAD_PRIORITY_DEFAULT : Process.THREAD_PRIORITY_BACKGROUND);
}
if (loadWorkspaceFirst) {
if (DEBUG_LOADERS) Log.d(TAG, "step 1: loading workspace");
loadAndBindWorkspace();
} else {
if (DEBUG_LOADERS) Log.d(TAG, "step 1: special: loading all apps");
loadAndBindAllApps();
}
if (mStopped) {
break keep_running;
}
// Whew! Hard work done. Slow us down, and wait until the UI thread has
// settled down.
synchronized (mLock) {
if (mIsLaunching) {
android.os.Process.setThreadPriority(Process.THREAD_PRIORITY_BACKGROUND);
}
}
waitForIdle();
// second step
if (loadWorkspaceFirst) {
if (DEBUG_LOADERS) Log.d(TAG, "step 2: loading all apps");
loadAndBindAllApps();
} else {
if (DEBUG_LOADERS) Log.d(TAG, "step 2: special: loading workspace");
loadAndBindWorkspace();
}
}
// Clear out this reference, otherwise we end up holding it until all of the
// callback runnables are done.
mContext = null;
synchronized (mLock) {
// If we are still the last one to be scheduled, remove ourselves.
if (mLoaderTask == this) {
mLoaderTask = null;
}
}
}
public void stopLocked() {
synchronized (LoaderTask.this) {
mStopped = true;
this.notify();
}
}
/**
* Gets the callbacks object. If we've been stopped, or if the launcher object
* has somehow been garbage collected, return null instead. Pass in the Callbacks
* object that was around when the deferred message was scheduled, and if there's
* a new Callbacks object around then also return null. This will save us from
* calling onto it with data that will be ignored.
*/
Callbacks tryGetCallbacks(Callbacks oldCallbacks) {
synchronized (mLock) {
if (mStopped) {
return null;
}
if (mCallbacks == null) {
return null;
}
final Callbacks callbacks = mCallbacks.get();
if (callbacks != oldCallbacks) {
return null;
}
if (callbacks == null) {
Log.w(TAG, "no mCallbacks");
return null;
}
return callbacks;
}
}
// check & update map of what's occupied; used to discard overlapping/invalid items
private boolean checkItemPlacement(ItemInfo occupied[][][], ItemInfo item) {
if (item.container != LauncherSettings.Favorites.CONTAINER_DESKTOP) {
return true;
}
for (int x = item.cellX; x < (item.cellX+item.spanX); x++) {
for (int y = item.cellY; y < (item.cellY+item.spanY); y++) {
if (occupied[item.screen][x][y] != null) {
Log.e(TAG, "Error loading shortcut " + item
+ " into cell (" + item.screen + ":"
+ x + "," + y
+ ") occupied by "
+ occupied[item.screen][x][y]);
return false;
}
}
}
for (int x = item.cellX; x < (item.cellX+item.spanX); x++) {
for (int y = item.cellY; y < (item.cellY+item.spanY); y++) {
occupied[item.screen][x][y] = item;
}
}
return true;
}
private void loadWorkspace() {
final long t = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
final Context context = mContext;
final ContentResolver contentResolver = context.getContentResolver();
final PackageManager manager = context.getPackageManager();
final AppWidgetManager widgets = AppWidgetManager.getInstance(context);
final boolean isSafeMode = manager.isSafeMode();
sWorkspaceItems.clear();
sAppWidgets.clear();
sFolders.clear();
sItemsIdMap.clear();
final ArrayList<Long> itemsToRemove = new ArrayList<Long>();
final Cursor c = contentResolver.query(
LauncherSettings.Favorites.CONTENT_URI, null, null, null, null);
final ItemInfo occupied[][][] =
new ItemInfo[Launcher.SCREEN_COUNT][mCellCountX][mCellCountY];
try {
final int idIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites._ID);
final int intentIndex = c.getColumnIndexOrThrow
(LauncherSettings.Favorites.INTENT);
final int titleIndex = c.getColumnIndexOrThrow
(LauncherSettings.Favorites.TITLE);
final int iconTypeIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.ICON_TYPE);
final int iconIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.ICON);
final int iconPackageIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.ICON_PACKAGE);
final int iconResourceIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.ICON_RESOURCE);
final int containerIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.CONTAINER);
final int itemTypeIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.ITEM_TYPE);
final int appWidgetIdIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.APPWIDGET_ID);
final int screenIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.SCREEN);
final int cellXIndex = c.getColumnIndexOrThrow
(LauncherSettings.Favorites.CELLX);
final int cellYIndex = c.getColumnIndexOrThrow
(LauncherSettings.Favorites.CELLY);
final int spanXIndex = c.getColumnIndexOrThrow
(LauncherSettings.Favorites.SPANX);
final int spanYIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.SPANY);
final int uriIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.URI);
final int displayModeIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.DISPLAY_MODE);
ShortcutInfo info;
String intentDescription;
LauncherAppWidgetInfo appWidgetInfo;
int container;
long id;
Intent intent;
while (!mStopped && c.moveToNext()) {
try {
int itemType = c.getInt(itemTypeIndex);
switch (itemType) {
case LauncherSettings.Favorites.ITEM_TYPE_APPLICATION:
case LauncherSettings.Favorites.ITEM_TYPE_SHORTCUT:
intentDescription = c.getString(intentIndex);
try {
intent = Intent.parseUri(intentDescription, 0);
} catch (URISyntaxException e) {
continue;
}
if (itemType == LauncherSettings.Favorites.ITEM_TYPE_APPLICATION) {
info = getShortcutInfo(manager, intent, context, c, iconIndex,
titleIndex, mLabelCache);
} else {
info = getShortcutInfo(c, context, iconTypeIndex,
iconPackageIndex, iconResourceIndex, iconIndex,
titleIndex);
}
if (info != null) {
info.intent = intent;
info.id = c.getLong(idIndex);
container = c.getInt(containerIndex);
info.container = container;
info.screen = c.getInt(screenIndex);
info.cellX = c.getInt(cellXIndex);
info.cellY = c.getInt(cellYIndex);
// check & update map of what's occupied
if (!checkItemPlacement(occupied, info)) {
break;
}
switch (container) {
case LauncherSettings.Favorites.CONTAINER_DESKTOP:
case LauncherSettings.Favorites.CONTAINER_HOTSEAT:
sWorkspaceItems.add(info);
break;
default:
// Item is in a user folder
FolderInfo folderInfo =
findOrMakeFolder(sFolders, container);
folderInfo.add(info);
break;
}
sItemsIdMap.put(info.id, info);
// now that we've loaded everthing re-save it with the
// icon in case it disappears somehow.
updateSavedIcon(context, info, c, iconIndex);
} else {
// Failed to load the shortcut, probably because the
// activity manager couldn't resolve it (maybe the app
// was uninstalled), or the db row was somehow screwed up.
// Delete it.
id = c.getLong(idIndex);
Log.e(TAG, "Error loading shortcut " + id + ", removing it");
contentResolver.delete(LauncherSettings.Favorites.getContentUri(
id, false), null, null);
}
break;
case LauncherSettings.Favorites.ITEM_TYPE_FOLDER:
id = c.getLong(idIndex);
FolderInfo folderInfo = findOrMakeFolder(sFolders, id);
folderInfo.title = c.getString(titleIndex);
folderInfo.id = id;
container = c.getInt(containerIndex);
folderInfo.container = container;
folderInfo.screen = c.getInt(screenIndex);
folderInfo.cellX = c.getInt(cellXIndex);
folderInfo.cellY = c.getInt(cellYIndex);
// check & update map of what's occupied
if (!checkItemPlacement(occupied, folderInfo)) {
break;
}
switch (container) {
case LauncherSettings.Favorites.CONTAINER_DESKTOP:
case LauncherSettings.Favorites.CONTAINER_HOTSEAT:
sWorkspaceItems.add(folderInfo);
break;
}
sItemsIdMap.put(folderInfo.id, folderInfo);
sFolders.put(folderInfo.id, folderInfo);
break;
case LauncherSettings.Favorites.ITEM_TYPE_APPWIDGET:
// Read all Launcher-specific widget details
int appWidgetId = c.getInt(appWidgetIdIndex);
id = c.getLong(idIndex);
final AppWidgetProviderInfo provider =
widgets.getAppWidgetInfo(appWidgetId);
if (!isSafeMode && (provider == null || provider.provider == null ||
provider.provider.getPackageName() == null)) {
Log.e(TAG, "Deleting widget that isn't installed anymore: id="
+ id + " appWidgetId=" + appWidgetId);
itemsToRemove.add(id);
} else {
appWidgetInfo = new LauncherAppWidgetInfo(appWidgetId);
appWidgetInfo.id = id;
appWidgetInfo.screen = c.getInt(screenIndex);
appWidgetInfo.cellX = c.getInt(cellXIndex);
appWidgetInfo.cellY = c.getInt(cellYIndex);
appWidgetInfo.spanX = c.getInt(spanXIndex);
appWidgetInfo.spanY = c.getInt(spanYIndex);
container = c.getInt(containerIndex);
if (container != LauncherSettings.Favorites.CONTAINER_DESKTOP &&
container != LauncherSettings.Favorites.CONTAINER_HOTSEAT) {
Log.e(TAG, "Widget found where container "
+ "!= CONTAINER_DESKTOP nor CONTAINER_HOTSEAT - ignoring!");
continue;
}
appWidgetInfo.container = c.getInt(containerIndex);
// check & update map of what's occupied
if (!checkItemPlacement(occupied, appWidgetInfo)) {
break;
}
sItemsIdMap.put(appWidgetInfo.id, appWidgetInfo);
sAppWidgets.add(appWidgetInfo);
}
break;
}
} catch (Exception e) {
Log.w(TAG, "Desktop items loading interrupted:", e);
}
}
} finally {
c.close();
}
if (itemsToRemove.size() > 0) {
ContentProviderClient client = contentResolver.acquireContentProviderClient(
LauncherSettings.Favorites.CONTENT_URI);
// Remove dead items
for (long id : itemsToRemove) {
if (DEBUG_LOADERS) {
Log.d(TAG, "Removed id = " + id);
}
// Don't notify content observers
try {
client.delete(LauncherSettings.Favorites.getContentUri(id, false),
null, null);
} catch (RemoteException e) {
Log.w(TAG, "Could not remove id = " + id);
}
}
}
if (DEBUG_LOADERS) {
Log.d(TAG, "loaded workspace in " + (SystemClock.uptimeMillis()-t) + "ms");
Log.d(TAG, "workspace layout: ");
for (int y = 0; y < mCellCountY; y++) {
String line = "";
for (int s = 0; s < Launcher.SCREEN_COUNT; s++) {
if (s > 0) {
line += " | ";
}
for (int x = 0; x < mCellCountX; x++) {
line += ((occupied[s][x][y] != null) ? "#" : ".");
}
}
Log.d(TAG, "[ " + line + " ]");
}
}
}
/**
* Read everything out of our database.
*/
private void bindWorkspace() {
final long t = SystemClock.uptimeMillis();
// Don't use these two variables in any of the callback runnables.
// Otherwise we hold a reference to them.
final Callbacks oldCallbacks = mCallbacks.get();
if (oldCallbacks == null) {
// This launcher has exited and nobody bothered to tell us. Just bail.
Log.w(TAG, "LoaderTask running with no launcher");
return;
}
int N;
// Tell the workspace that we're about to start firing items at it
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.startBinding();
}
}
});
// Add the items to the workspace.
N = sWorkspaceItems.size();
for (int i=0; i<N; i+=ITEMS_CHUNK) {
final int start = i;
final int chunkSize = (i+ITEMS_CHUNK <= N) ? ITEMS_CHUNK : (N-i);
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.bindItems(sWorkspaceItems, start, start+chunkSize);
}
}
});
}
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.bindFolders(sFolders);
}
}
});
// Wait until the queue goes empty.
mHandler.post(new Runnable() {
public void run() {
if (DEBUG_LOADERS) {
Log.d(TAG, "Going to start binding widgets soon.");
}
}
});
// Bind the widgets, one at a time.
// WARNING: this is calling into the workspace from the background thread,
// but since getCurrentScreen() just returns the int, we should be okay. This
// is just a hint for the order, and if it's wrong, we'll be okay.
// TODO: instead, we should have that push the current screen into here.
final int currentScreen = oldCallbacks.getCurrentWorkspaceScreen();
N = sAppWidgets.size();
// once for the current screen
for (int i=0; i<N; i++) {
final LauncherAppWidgetInfo widget = sAppWidgets.get(i);
if (widget.screen == currentScreen) {
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.bindAppWidget(widget);
}
}
});
}
}
// once for the other screens
for (int i=0; i<N; i++) {
final LauncherAppWidgetInfo widget = sAppWidgets.get(i);
if (widget.screen != currentScreen) {
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.bindAppWidget(widget);
}
}
});
}
}
// Tell the workspace that we're done.
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.finishBindingItems();
}
}
});
// If we're profiling, this is the last thing in the queue.
mHandler.post(new Runnable() {
public void run() {
if (DEBUG_LOADERS) {
Log.d(TAG, "bound workspace in "
+ (SystemClock.uptimeMillis()-t) + "ms");
}
}
});
}
private void loadAndBindAllApps() {
if (DEBUG_LOADERS) {
Log.d(TAG, "loadAndBindAllApps mAllAppsLoaded=" + mAllAppsLoaded);
}
if (!mAllAppsLoaded) {
loadAllAppsByBatch();
if (mStopped) {
return;
}
mAllAppsLoaded = true;
} else {
onlyBindAllApps();
}
}
private void onlyBindAllApps() {
final Callbacks oldCallbacks = mCallbacks.get();
if (oldCallbacks == null) {
// This launcher has exited and nobody bothered to tell us. Just bail.
Log.w(TAG, "LoaderTask running with no launcher (onlyBindAllApps)");
return;
}
// shallow copy
final ArrayList<ApplicationInfo> list
= (ArrayList<ApplicationInfo>)mAllAppsList.data.clone();
mHandler.post(new Runnable() {
public void run() {
final long t = SystemClock.uptimeMillis();
final Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.bindAllApplications(list);
}
if (DEBUG_LOADERS) {
Log.d(TAG, "bound all " + list.size() + " apps from cache in "
+ (SystemClock.uptimeMillis()-t) + "ms");
}
}
});
}
private void loadAllAppsByBatch() {
final long t = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
// Don't use these two variables in any of the callback runnables.
// Otherwise we hold a reference to them.
final Callbacks oldCallbacks = mCallbacks.get();
if (oldCallbacks == null) {
// This launcher has exited and nobody bothered to tell us. Just bail.
Log.w(TAG, "LoaderTask running with no launcher (loadAllAppsByBatch)");
return;
}
final Intent mainIntent = new Intent(Intent.ACTION_MAIN, null);
mainIntent.addCategory(Intent.CATEGORY_LAUNCHER);
final PackageManager packageManager = mContext.getPackageManager();
List<ResolveInfo> apps = null;
int N = Integer.MAX_VALUE;
int startIndex;
int i=0;
int batchSize = -1;
while (i < N && !mStopped) {
if (i == 0) {
mAllAppsList.clear();
final long qiaTime = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
apps = packageManager.queryIntentActivities(mainIntent, 0);
if (DEBUG_LOADERS) {
Log.d(TAG, "queryIntentActivities took "
+ (SystemClock.uptimeMillis()-qiaTime) + "ms");
}
if (apps == null) {
return;
}
N = apps.size();
if (DEBUG_LOADERS) {
Log.d(TAG, "queryIntentActivities got " + N + " apps");
}
if (N == 0) {
// There are no apps?!?
return;
}
if (mBatchSize == 0) {
batchSize = N;
} else {
batchSize = mBatchSize;
}
final long sortTime = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
Collections.sort(apps,
new LauncherModel.ShortcutNameComparator(packageManager, mLabelCache));
if (DEBUG_LOADERS) {
Log.d(TAG, "sort took "
+ (SystemClock.uptimeMillis()-sortTime) + "ms");
}
}
final long t2 = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
startIndex = i;
for (int j=0; i<N && j<batchSize; j++) {
// This builds the icon bitmaps.
mAllAppsList.add(new ApplicationInfo(packageManager, apps.get(i),
mIconCache, mLabelCache));
i++;
}
final boolean first = i <= batchSize;
final Callbacks callbacks = tryGetCallbacks(oldCallbacks);
final ArrayList<ApplicationInfo> added = mAllAppsList.added;
mAllAppsList.added = new ArrayList<ApplicationInfo>();
mHandler.post(new Runnable() {
public void run() {
final long t = SystemClock.uptimeMillis();
if (callbacks != null) {
if (first) {
callbacks.bindAllApplications(added);
} else {
callbacks.bindAppsAdded(added);
}
if (DEBUG_LOADERS) {
Log.d(TAG, "bound " + added.size() + " apps in "
+ (SystemClock.uptimeMillis() - t) + "ms");
}
} else {
Log.i(TAG, "not binding apps: no Launcher activity");
}
}
});
if (DEBUG_LOADERS) {
Log.d(TAG, "batch of " + (i-startIndex) + " icons processed in "
+ (SystemClock.uptimeMillis()-t2) + "ms");
}
if (mAllAppsLoadDelay > 0 && i < N) {
try {
if (DEBUG_LOADERS) {
Log.d(TAG, "sleeping for " + mAllAppsLoadDelay + "ms");
}
Thread.sleep(mAllAppsLoadDelay);
} catch (InterruptedException exc) { }
}
}
if (DEBUG_LOADERS) {
Log.d(TAG, "cached all " + N + " apps in "
+ (SystemClock.uptimeMillis()-t) + "ms"
+ (mAllAppsLoadDelay > 0 ? " (including delay)" : ""));
}
}
public void dumpState() {
Log.d(TAG, "mLoaderTask.mContext=" + mContext);
Log.d(TAG, "mLoaderTask.mWaitThread=" + mWaitThread);
Log.d(TAG, "mLoaderTask.mIsLaunching=" + mIsLaunching);
Log.d(TAG, "mLoaderTask.mStopped=" + mStopped);
Log.d(TAG, "mLoaderTask.mLoadAndBindStepFinished=" + mLoadAndBindStepFinished);
Log.d(TAG, "mItems size=" + sWorkspaceItems.size());
}
}
void enqueuePackageUpdated(PackageUpdatedTask task) {
sWorker.post(task);
}
private class PackageUpdatedTask implements Runnable {
int mOp;
String[] mPackages;
public static final int OP_NONE = 0;
public static final int OP_ADD = 1;
public static final int OP_UPDATE = 2;
public static final int OP_REMOVE = 3; // uninstlled
public static final int OP_UNAVAILABLE = 4; // external media unmounted
public PackageUpdatedTask(int op, String[] packages) {
mOp = op;
mPackages = packages;
}
public void run() {
final Context context = mApp;
final String[] packages = mPackages;
final int N = packages.length;
switch (mOp) {
case OP_ADD:
for (int i=0; i<N; i++) {
if (DEBUG_LOADERS) Log.d(TAG, "mAllAppsList.addPackage " + packages[i]);
mAllAppsList.addPackage(context, packages[i]);
}
break;
case OP_UPDATE:
for (int i=0; i<N; i++) {
if (DEBUG_LOADERS) Log.d(TAG, "mAllAppsList.updatePackage " + packages[i]);
mAllAppsList.updatePackage(context, packages[i]);
}
break;
case OP_REMOVE:
case OP_UNAVAILABLE:
for (int i=0; i<N; i++) {
if (DEBUG_LOADERS) Log.d(TAG, "mAllAppsList.removePackage " + packages[i]);
mAllAppsList.removePackage(packages[i]);
}
break;
}
ArrayList<ApplicationInfo> added = null;
ArrayList<ApplicationInfo> removed = null;
ArrayList<ApplicationInfo> modified = null;
if (mAllAppsList.added.size() > 0) {
added = mAllAppsList.added;
mAllAppsList.added = new ArrayList<ApplicationInfo>();
}
if (mAllAppsList.removed.size() > 0) {
removed = mAllAppsList.removed;
mAllAppsList.removed = new ArrayList<ApplicationInfo>();
for (ApplicationInfo info: removed) {
mIconCache.remove(info.intent.getComponent());
}
}
if (mAllAppsList.modified.size() > 0) {
modified = mAllAppsList.modified;
mAllAppsList.modified = new ArrayList<ApplicationInfo>();
}
final Callbacks callbacks = mCallbacks != null ? mCallbacks.get() : null;
if (callbacks == null) {
Log.w(TAG, "Nobody to tell about the new app. Launcher is probably loading.");
return;
}
if (added != null) {
final ArrayList<ApplicationInfo> addedFinal = added;
mHandler.post(new Runnable() {
public void run() {
Callbacks cb = mCallbacks != null ? mCallbacks.get() : null;
if (callbacks == cb && cb != null) {
callbacks.bindAppsAdded(addedFinal);
}
}
});
}
if (modified != null) {
final ArrayList<ApplicationInfo> modifiedFinal = modified;
mHandler.post(new Runnable() {
public void run() {
Callbacks cb = mCallbacks != null ? mCallbacks.get() : null;
if (callbacks == cb && cb != null) {
callbacks.bindAppsUpdated(modifiedFinal);
}
}
});
}
if (removed != null) {
final boolean permanent = mOp != OP_UNAVAILABLE;
final ArrayList<ApplicationInfo> removedFinal = removed;
mHandler.post(new Runnable() {
public void run() {
Callbacks cb = mCallbacks != null ? mCallbacks.get() : null;
if (callbacks == cb && cb != null) {
callbacks.bindAppsRemoved(removedFinal, permanent);
}
}
});
}
mHandler.post(new Runnable() {
@Override
public void run() {
Callbacks cb = mCallbacks != null ? mCallbacks.get() : null;
if (callbacks == cb && cb != null) {
callbacks.bindPackagesUpdated();
}
}
});
}
}
/**
* This is called from the code that adds shortcuts from the intent receiver. This
* doesn't have a Cursor, but
*/
public ShortcutInfo getShortcutInfo(PackageManager manager, Intent intent, Context context) {
return getShortcutInfo(manager, intent, context, null, -1, -1, null);
}
/**
* Make an ShortcutInfo object for a shortcut that is an application.
*
* If c is not null, then it will be used to fill in missing data like the title and icon.
*/
public ShortcutInfo getShortcutInfo(PackageManager manager, Intent intent, Context context,
Cursor c, int iconIndex, int titleIndex, HashMap<Object, CharSequence> labelCache) {
Bitmap icon = null;
final ShortcutInfo info = new ShortcutInfo();
ComponentName componentName = intent.getComponent();
if (componentName == null) {
return null;
}
// TODO: See if the PackageManager knows about this case. If it doesn't
// then return null & delete this.
// the resource -- This may implicitly give us back the fallback icon,
// but don't worry about that. All we're doing with usingFallbackIcon is
// to avoid saving lots of copies of that in the database, and most apps
// have icons anyway.
final ResolveInfo resolveInfo = manager.resolveActivity(intent, 0);
if (resolveInfo != null) {
icon = mIconCache.getIcon(componentName, resolveInfo);
}
// the db
if (icon == null) {
if (c != null) {
icon = getIconFromCursor(c, iconIndex);
}
}
// the fallback icon
if (icon == null) {
icon = getFallbackIcon();
info.usingFallbackIcon = true;
}
info.setIcon(icon);
// from the resource
if (resolveInfo != null) {
if (labelCache != null && labelCache.containsKey(resolveInfo)) {
info.title = labelCache.get(resolveInfo);
} else {
info.title = resolveInfo.activityInfo.loadLabel(manager);
if (labelCache != null) {
labelCache.put(resolveInfo, info.title);
}
}
}
// from the db
if (info.title == null) {
if (c != null) {
info.title = c.getString(titleIndex);
}
}
// fall back to the class name of the activity
if (info.title == null) {
info.title = componentName.getClassName();
}
info.itemType = LauncherSettings.Favorites.ITEM_TYPE_APPLICATION;
return info;
}
/**
* Make an ShortcutInfo object for a shortcut that isn't an application.
*/
private ShortcutInfo getShortcutInfo(Cursor c, Context context,
int iconTypeIndex, int iconPackageIndex, int iconResourceIndex, int iconIndex,
int titleIndex) {
Bitmap icon = null;
final ShortcutInfo info = new ShortcutInfo();
info.itemType = LauncherSettings.Favorites.ITEM_TYPE_SHORTCUT;
// TODO: If there's an explicit component and we can't install that, delete it.
info.title = c.getString(titleIndex);
int iconType = c.getInt(iconTypeIndex);
switch (iconType) {
case LauncherSettings.Favorites.ICON_TYPE_RESOURCE:
String packageName = c.getString(iconPackageIndex);
String resourceName = c.getString(iconResourceIndex);
PackageManager packageManager = context.getPackageManager();
info.customIcon = false;
// the resource
try {
Resources resources = packageManager.getResourcesForApplication(packageName);
if (resources != null) {
final int id = resources.getIdentifier(resourceName, null, null);
icon = Utilities.createIconBitmap(
mIconCache.getFullResIcon(resources, id), context);
}
} catch (Exception e) {
// drop this. we have other places to look for icons
}
// the db
if (icon == null) {
icon = getIconFromCursor(c, iconIndex);
}
// the fallback icon
if (icon == null) {
icon = getFallbackIcon();
info.usingFallbackIcon = true;
}
break;
case LauncherSettings.Favorites.ICON_TYPE_BITMAP:
icon = getIconFromCursor(c, iconIndex);
if (icon == null) {
icon = getFallbackIcon();
info.customIcon = false;
info.usingFallbackIcon = true;
} else {
info.customIcon = true;
}
break;
default:
icon = getFallbackIcon();
info.usingFallbackIcon = true;
info.customIcon = false;
break;
}
info.setIcon(icon);
return info;
}
Bitmap getIconFromCursor(Cursor c, int iconIndex) {
if (false) {
Log.d(TAG, "getIconFromCursor app="
+ c.getString(c.getColumnIndexOrThrow(LauncherSettings.Favorites.TITLE)));
}
byte[] data = c.getBlob(iconIndex);
try {
return BitmapFactory.decodeByteArray(data, 0, data.length);
} catch (Exception e) {
return null;
}
}
ShortcutInfo addShortcut(Context context, Intent data, long container, int screen,
int cellX, int cellY, boolean notify) {
final ShortcutInfo info = infoFromShortcutIntent(context, data, null);
addItemToDatabase(context, info, container, screen, cellX, cellY, notify);
return info;
}
/**
* Attempts to find an AppWidgetProviderInfo that matches the given component.
*/
AppWidgetProviderInfo findAppWidgetProviderInfoWithComponent(Context context,
ComponentName component) {
List<AppWidgetProviderInfo> widgets =
AppWidgetManager.getInstance(context).getInstalledProviders();
for (AppWidgetProviderInfo info : widgets) {
if (info.provider.equals(component)) {
return info;
}
}
return null;
}
/**
* Returns a list of all the widgets that can handle configuration with a particular mimeType.
*/
List<WidgetMimeTypeHandlerData> resolveWidgetsForMimeType(Context context, String mimeType) {
final PackageManager packageManager = context.getPackageManager();
final List<WidgetMimeTypeHandlerData> supportedConfigurationActivities =
new ArrayList<WidgetMimeTypeHandlerData>();
final Intent supportsIntent =
new Intent(InstallWidgetReceiver.ACTION_SUPPORTS_CLIPDATA_MIMETYPE);
supportsIntent.setType(mimeType);
// Create a set of widget configuration components that we can test against
final List<AppWidgetProviderInfo> widgets =
AppWidgetManager.getInstance(context).getInstalledProviders();
final HashMap<ComponentName, AppWidgetProviderInfo> configurationComponentToWidget =
new HashMap<ComponentName, AppWidgetProviderInfo>();
for (AppWidgetProviderInfo info : widgets) {
configurationComponentToWidget.put(info.configure, info);
}
// Run through each of the intents that can handle this type of clip data, and cross
// reference them with the components that are actual configuration components
final List<ResolveInfo> activities = packageManager.queryIntentActivities(supportsIntent,
PackageManager.MATCH_DEFAULT_ONLY);
for (ResolveInfo info : activities) {
final ActivityInfo activityInfo = info.activityInfo;
final ComponentName infoComponent = new ComponentName(activityInfo.packageName,
activityInfo.name);
if (configurationComponentToWidget.containsKey(infoComponent)) {
supportedConfigurationActivities.add(
new InstallWidgetReceiver.WidgetMimeTypeHandlerData(info,
configurationComponentToWidget.get(infoComponent)));
}
}
return supportedConfigurationActivities;
}
ShortcutInfo infoFromShortcutIntent(Context context, Intent data, Bitmap fallbackIcon) {
Intent intent = data.getParcelableExtra(Intent.EXTRA_SHORTCUT_INTENT);
String name = data.getStringExtra(Intent.EXTRA_SHORTCUT_NAME);
Parcelable bitmap = data.getParcelableExtra(Intent.EXTRA_SHORTCUT_ICON);
Bitmap icon = null;
boolean customIcon = false;
ShortcutIconResource iconResource = null;
if (bitmap != null && bitmap instanceof Bitmap) {
icon = Utilities.createIconBitmap(new FastBitmapDrawable((Bitmap)bitmap), context);
customIcon = true;
} else {
Parcelable extra = data.getParcelableExtra(Intent.EXTRA_SHORTCUT_ICON_RESOURCE);
if (extra != null && extra instanceof ShortcutIconResource) {
try {
iconResource = (ShortcutIconResource) extra;
final PackageManager packageManager = context.getPackageManager();
Resources resources = packageManager.getResourcesForApplication(
iconResource.packageName);
final int id = resources.getIdentifier(iconResource.resourceName, null, null);
icon = Utilities.createIconBitmap(
mIconCache.getFullResIcon(resources, id), context);
} catch (Exception e) {
Log.w(TAG, "Could not load shortcut icon: " + extra);
}
}
}
final ShortcutInfo info = new ShortcutInfo();
if (icon == null) {
if (fallbackIcon != null) {
icon = fallbackIcon;
} else {
icon = getFallbackIcon();
info.usingFallbackIcon = true;
}
}
info.setIcon(icon);
info.title = name;
info.intent = intent;
info.customIcon = customIcon;
info.iconResource = iconResource;
return info;
}
void updateSavedIcon(Context context, ShortcutInfo info, Cursor c, int iconIndex) {
// If apps can't be on SD, don't even bother.
if (!mAppsCanBeOnExternalStorage) {
return;
}
// If this icon doesn't have a custom icon, check to see
// what's stored in the DB, and if it doesn't match what
// we're going to show, store what we are going to show back
// into the DB. We do this so when we're loading, if the
// package manager can't find an icon (for example because
// the app is on SD) then we can use that instead.
if (!info.customIcon && !info.usingFallbackIcon) {
boolean needSave;
byte[] data = c.getBlob(iconIndex);
try {
if (data != null) {
Bitmap saved = BitmapFactory.decodeByteArray(data, 0, data.length);
Bitmap loaded = info.getIcon(mIconCache);
needSave = !saved.sameAs(loaded);
} else {
needSave = true;
}
} catch (Exception e) {
needSave = true;
}
if (needSave) {
Log.d(TAG, "going to save icon bitmap for info=" + info);
// This is slower than is ideal, but this only happens once
// or when the app is updated with a new icon.
updateItemInDatabase(context, info);
}
}
}
/**
* Return an existing FolderInfo object if we have encountered this ID previously,
* or make a new one.
*/
private static FolderInfo findOrMakeFolder(HashMap<Long, FolderInfo> folders, long id) {
// See if a placeholder was created for us already
FolderInfo folderInfo = folders.get(id);
if (folderInfo == null) {
// No placeholder -- create a new instance
folderInfo = new FolderInfo();
folders.put(id, folderInfo);
}
return folderInfo;
}
private static final Collator sCollator = Collator.getInstance();
public static final Comparator<ApplicationInfo> APP_NAME_COMPARATOR
= new Comparator<ApplicationInfo>() {
public final int compare(ApplicationInfo a, ApplicationInfo b) {
int result = sCollator.compare(a.title.toString(), b.title.toString());
if (result == 0) {
result = a.componentName.compareTo(b.componentName);
}
return result;
}
};
public static final Comparator<ApplicationInfo> APP_INSTALL_TIME_COMPARATOR
= new Comparator<ApplicationInfo>() {
public final int compare(ApplicationInfo a, ApplicationInfo b) {
if (a.firstInstallTime < b.firstInstallTime) return 1;
if (a.firstInstallTime > b.firstInstallTime) return -1;
return 0;
}
};
public static final Comparator<AppWidgetProviderInfo> WIDGET_NAME_COMPARATOR
= new Comparator<AppWidgetProviderInfo>() {
public final int compare(AppWidgetProviderInfo a, AppWidgetProviderInfo b) {
return sCollator.compare(a.label.toString(), b.label.toString());
}
};
public static class ShortcutNameComparator implements Comparator<ResolveInfo> {
private PackageManager mPackageManager;
private HashMap<Object, CharSequence> mLabelCache;
ShortcutNameComparator(PackageManager pm) {
mPackageManager = pm;
mLabelCache = new HashMap<Object, CharSequence>();
}
ShortcutNameComparator(PackageManager pm, HashMap<Object, CharSequence> labelCache) {
mPackageManager = pm;
mLabelCache = labelCache;
}
public final int compare(ResolveInfo a, ResolveInfo b) {
CharSequence labelA, labelB;
if (mLabelCache.containsKey(a)) {
labelA = mLabelCache.get(a);
} else {
labelA = a.loadLabel(mPackageManager).toString();
mLabelCache.put(a, labelA);
}
if (mLabelCache.containsKey(b)) {
labelB = mLabelCache.get(b);
} else {
labelB = b.loadLabel(mPackageManager).toString();
mLabelCache.put(b, labelB);
}
return sCollator.compare(labelA, labelB);
}
};
public static class WidgetAndShortcutNameComparator implements Comparator<Object> {
private PackageManager mPackageManager;
private HashMap<Object, String> mLabelCache;
WidgetAndShortcutNameComparator(PackageManager pm) {
mPackageManager = pm;
mLabelCache = new HashMap<Object, String>();
}
public final int compare(Object a, Object b) {
String labelA, labelB;
if (mLabelCache.containsKey(a)) {
labelA = mLabelCache.get(a);
} else {
labelA = (a instanceof AppWidgetProviderInfo) ?
((AppWidgetProviderInfo) a).label :
((ResolveInfo) a).loadLabel(mPackageManager).toString();
mLabelCache.put(a, labelA);
}
if (mLabelCache.containsKey(b)) {
labelB = mLabelCache.get(b);
} else {
labelB = (b instanceof AppWidgetProviderInfo) ?
((AppWidgetProviderInfo) b).label :
((ResolveInfo) b).loadLabel(mPackageManager).toString();
mLabelCache.put(b, labelB);
}
return sCollator.compare(labelA, labelB);
}
};
public void dumpState() {
Log.d(TAG, "mCallbacks=" + mCallbacks);
ApplicationInfo.dumpApplicationInfoList(TAG, "mAllAppsList.data", mAllAppsList.data);
ApplicationInfo.dumpApplicationInfoList(TAG, "mAllAppsList.added", mAllAppsList.added);
ApplicationInfo.dumpApplicationInfoList(TAG, "mAllAppsList.removed", mAllAppsList.removed);
ApplicationInfo.dumpApplicationInfoList(TAG, "mAllAppsList.modified", mAllAppsList.modified);
if (mLoaderTask != null) {
mLoaderTask.dumpState();
} else {
Log.d(TAG, "mLoaderTask=null");
}
}
}
| static boolean shortcutExists(Context context, String title, Intent intent) {
final ContentResolver cr = context.getContentResolver();
Cursor c = cr.query(LauncherSettings.Favorites.CONTENT_URI,
new String[] { "title", "intent" }, "title=? and intent=?",
new String[] { title, intent.toUri(0) }, null);
boolean result = false;
try {
result = c.moveToFirst();
} finally {
c.close();
}
return result;
}
/**
* Returns an ItemInfo array containing all the items in the LauncherModel.
* The ItemInfo.id is not set through this function.
*/
static ArrayList<ItemInfo> getItemsInLocalCoordinates(Context context) {
ArrayList<ItemInfo> items = new ArrayList<ItemInfo>();
final ContentResolver cr = context.getContentResolver();
Cursor c = cr.query(LauncherSettings.Favorites.CONTENT_URI, new String[] {
LauncherSettings.Favorites.ITEM_TYPE, LauncherSettings.Favorites.CONTAINER,
LauncherSettings.Favorites.SCREEN, LauncherSettings.Favorites.CELLX, LauncherSettings.Favorites.CELLY,
LauncherSettings.Favorites.SPANX, LauncherSettings.Favorites.SPANY }, null, null, null);
final int itemTypeIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.ITEM_TYPE);
final int containerIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CONTAINER);
final int screenIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.SCREEN);
final int cellXIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CELLX);
final int cellYIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CELLY);
final int spanXIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.SPANX);
final int spanYIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.SPANY);
try {
while (c.moveToNext()) {
ItemInfo item = new ItemInfo();
item.cellX = c.getInt(cellXIndex);
item.cellY = c.getInt(cellYIndex);
item.spanX = c.getInt(spanXIndex);
item.spanY = c.getInt(spanYIndex);
item.container = c.getInt(containerIndex);
item.itemType = c.getInt(itemTypeIndex);
item.screen = c.getInt(screenIndex);
items.add(item);
}
} catch (Exception e) {
items.clear();
} finally {
c.close();
}
return items;
}
/**
* Find a folder in the db, creating the FolderInfo if necessary, and adding it to folderList.
*/
FolderInfo getFolderById(Context context, HashMap<Long,FolderInfo> folderList, long id) {
final ContentResolver cr = context.getContentResolver();
Cursor c = cr.query(LauncherSettings.Favorites.CONTENT_URI, null,
"_id=? and (itemType=? or itemType=?)",
new String[] { String.valueOf(id),
String.valueOf(LauncherSettings.Favorites.ITEM_TYPE_FOLDER)}, null);
try {
if (c.moveToFirst()) {
final int itemTypeIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.ITEM_TYPE);
final int titleIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.TITLE);
final int containerIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CONTAINER);
final int screenIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.SCREEN);
final int cellXIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CELLX);
final int cellYIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.CELLY);
FolderInfo folderInfo = null;
switch (c.getInt(itemTypeIndex)) {
case LauncherSettings.Favorites.ITEM_TYPE_FOLDER:
folderInfo = findOrMakeFolder(folderList, id);
break;
}
folderInfo.title = c.getString(titleIndex);
folderInfo.id = id;
folderInfo.container = c.getInt(containerIndex);
folderInfo.screen = c.getInt(screenIndex);
folderInfo.cellX = c.getInt(cellXIndex);
folderInfo.cellY = c.getInt(cellYIndex);
return folderInfo;
}
} finally {
c.close();
}
return null;
}
/**
* Add an item to the database in a specified container. Sets the container, screen, cellX and
* cellY fields of the item. Also assigns an ID to the item.
*/
static void addItemToDatabase(Context context, final ItemInfo item, final long container,
final int screen, final int cellX, final int cellY, final boolean notify) {
item.container = container;
item.cellX = cellX;
item.cellY = cellY;
// We store hotseat items in canonical form which is this orientation invariant position
// in the hotseat
if (context instanceof Launcher && screen < 0 &&
container == LauncherSettings.Favorites.CONTAINER_HOTSEAT) {
item.screen = ((Launcher) context).getHotseat().getOrderInHotseat(cellX, cellY);
} else {
item.screen = screen;
}
final ContentValues values = new ContentValues();
final ContentResolver cr = context.getContentResolver();
item.onAddToDatabase(values);
LauncherApplication app = (LauncherApplication) context.getApplicationContext();
item.id = app.getLauncherProvider().generateNewId();
values.put(LauncherSettings.Favorites._ID, item.id);
item.updateValuesWithCoordinates(values, item.cellX, item.cellY);
sWorker.post(new Runnable() {
public void run() {
cr.insert(notify ? LauncherSettings.Favorites.CONTENT_URI :
LauncherSettings.Favorites.CONTENT_URI_NO_NOTIFICATION, values);
sItemsIdMap.put(item.id, item);
switch (item.itemType) {
case LauncherSettings.Favorites.ITEM_TYPE_FOLDER:
sFolders.put(item.id, (FolderInfo) item);
// Fall through
case LauncherSettings.Favorites.ITEM_TYPE_APPLICATION:
case LauncherSettings.Favorites.ITEM_TYPE_SHORTCUT:
if (item.container == LauncherSettings.Favorites.CONTAINER_DESKTOP ||
item.container == LauncherSettings.Favorites.CONTAINER_HOTSEAT) {
sWorkspaceItems.add(item);
}
break;
case LauncherSettings.Favorites.ITEM_TYPE_APPWIDGET:
sAppWidgets.add((LauncherAppWidgetInfo) item);
break;
}
}
});
}
/**
* Creates a new unique child id, for a given cell span across all layouts.
*/
static int getCellLayoutChildId(
long container, int screen, int localCellX, int localCellY, int spanX, int spanY) {
return (((int) container & 0xFF) << 24)
| (screen & 0xFF) << 16 | (localCellX & 0xFF) << 8 | (localCellY & 0xFF);
}
static int getCellCountX() {
return mCellCountX;
}
static int getCellCountY() {
return mCellCountY;
}
/**
* Updates the model orientation helper to take into account the current layout dimensions
* when performing local/canonical coordinate transformations.
*/
static void updateWorkspaceLayoutCells(int shortAxisCellCount, int longAxisCellCount) {
mCellCountX = shortAxisCellCount;
mCellCountY = longAxisCellCount;
}
/**
* Update an item to the database in a specified container.
*/
static void updateItemInDatabase(Context context, final ItemInfo item) {
final ContentValues values = new ContentValues();
final ContentResolver cr = context.getContentResolver();
item.onAddToDatabase(values);
item.updateValuesWithCoordinates(values, item.cellX, item.cellY);
sWorker.post(new Runnable() {
public void run() {
cr.update(LauncherSettings.Favorites.getContentUri(item.id, false),
values, null, null);
final ItemInfo modelItem = sItemsIdMap.get(item.id);
if (item != modelItem) {
// the modelItem needs to match up perfectly with item if our model is to be
// consistent with the database-- for now, just require modelItem == item
throw new RuntimeException("Error: ItemInfo passed to moveItemInDatabase " +
"doesn't match original");
}
}
});
}
/**
* Removes the specified item from the database
* @param context
* @param item
*/
static void deleteItemFromDatabase(Context context, final ItemInfo item) {
final ContentResolver cr = context.getContentResolver();
final Uri uriToDelete = LauncherSettings.Favorites.getContentUri(item.id, false);
sWorker.post(new Runnable() {
public void run() {
cr.delete(uriToDelete, null, null);
switch (item.itemType) {
case LauncherSettings.Favorites.ITEM_TYPE_FOLDER:
sFolders.remove(item.id);
sWorkspaceItems.remove(item);
break;
case LauncherSettings.Favorites.ITEM_TYPE_APPLICATION:
case LauncherSettings.Favorites.ITEM_TYPE_SHORTCUT:
sWorkspaceItems.remove(item);
break;
case LauncherSettings.Favorites.ITEM_TYPE_APPWIDGET:
sAppWidgets.remove((LauncherAppWidgetInfo) item);
break;
}
sItemsIdMap.remove(item.id);
}
});
}
/**
* Remove the contents of the specified folder from the database
*/
static void deleteFolderContentsFromDatabase(Context context, final FolderInfo info) {
final ContentResolver cr = context.getContentResolver();
sWorker.post(new Runnable() {
public void run() {
cr.delete(LauncherSettings.Favorites.getContentUri(info.id, false), null, null);
sItemsIdMap.remove(info.id);
sFolders.remove(info.id);
sWorkspaceItems.remove(info);
cr.delete(LauncherSettings.Favorites.CONTENT_URI_NO_NOTIFICATION,
LauncherSettings.Favorites.CONTAINER + "=" + info.id, null);
for (ItemInfo childInfo : info.contents) {
sItemsIdMap.remove(childInfo.id);
}
}
});
}
/**
* Set this as the current Launcher activity object for the loader.
*/
public void initialize(Callbacks callbacks) {
synchronized (mLock) {
mCallbacks = new WeakReference<Callbacks>(callbacks);
}
}
/**
* Call from the handler for ACTION_PACKAGE_ADDED, ACTION_PACKAGE_REMOVED and
* ACTION_PACKAGE_CHANGED.
*/
@Override
public void onReceive(Context context, Intent intent) {
if (DEBUG_LOADERS) Log.d(TAG, "onReceive intent=" + intent);
final String action = intent.getAction();
if (Intent.ACTION_PACKAGE_CHANGED.equals(action)
|| Intent.ACTION_PACKAGE_REMOVED.equals(action)
|| Intent.ACTION_PACKAGE_ADDED.equals(action)) {
final String packageName = intent.getData().getSchemeSpecificPart();
final boolean replacing = intent.getBooleanExtra(Intent.EXTRA_REPLACING, false);
int op = PackageUpdatedTask.OP_NONE;
if (packageName == null || packageName.length() == 0) {
// they sent us a bad intent
return;
}
if (Intent.ACTION_PACKAGE_CHANGED.equals(action)) {
op = PackageUpdatedTask.OP_UPDATE;
} else if (Intent.ACTION_PACKAGE_REMOVED.equals(action)) {
if (!replacing) {
op = PackageUpdatedTask.OP_REMOVE;
}
// else, we are replacing the package, so a PACKAGE_ADDED will be sent
// later, we will update the package at this time
} else if (Intent.ACTION_PACKAGE_ADDED.equals(action)) {
if (!replacing) {
op = PackageUpdatedTask.OP_ADD;
} else {
op = PackageUpdatedTask.OP_UPDATE;
}
}
if (op != PackageUpdatedTask.OP_NONE) {
enqueuePackageUpdated(new PackageUpdatedTask(op, new String[] { packageName }));
}
} else if (Intent.ACTION_EXTERNAL_APPLICATIONS_AVAILABLE.equals(action)) {
// First, schedule to add these apps back in.
String[] packages = intent.getStringArrayExtra(Intent.EXTRA_CHANGED_PACKAGE_LIST);
enqueuePackageUpdated(new PackageUpdatedTask(PackageUpdatedTask.OP_ADD, packages));
// Then, rebind everything.
startLoaderFromBackground();
} else if (Intent.ACTION_EXTERNAL_APPLICATIONS_UNAVAILABLE.equals(action)) {
String[] packages = intent.getStringArrayExtra(Intent.EXTRA_CHANGED_PACKAGE_LIST);
enqueuePackageUpdated(new PackageUpdatedTask(
PackageUpdatedTask.OP_UNAVAILABLE, packages));
} else if (Intent.ACTION_LOCALE_CHANGED.equals(action)) {
// If we have changed locale we need to clear out the labels in all apps.
// Do this here because if the launcher activity is running it will be restarted.
// If it's not running startLoaderFromBackground will merely tell it that it needs
// to reload. Either way, mAllAppsLoaded will be cleared so it re-reads everything
// next time.
mAllAppsLoaded = false;
mWorkspaceLoaded = false;
startLoaderFromBackground();
} else if (SearchManager.INTENT_GLOBAL_SEARCH_ACTIVITY_CHANGED.equals(action)) {
Callbacks callbacks = mCallbacks.get();
callbacks.bindSearchablesChanged();
}
}
/**
* When the launcher is in the background, it's possible for it to miss paired
* configuration changes. So whenever we trigger the loader from the background
* tell the launcher that it needs to re-run the loader when it comes back instead
* of doing it now.
*/
public void startLoaderFromBackground() {
boolean runLoader = false;
if (mCallbacks != null) {
Callbacks callbacks = mCallbacks.get();
if (callbacks != null) {
// Only actually run the loader if they're not paused.
if (!callbacks.setLoadOnResume()) {
runLoader = true;
}
}
}
if (runLoader) {
startLoader(mApp, false);
}
}
public void startLoader(Context context, boolean isLaunching) {
synchronized (mLock) {
if (DEBUG_LOADERS) {
Log.d(TAG, "startLoader isLaunching=" + isLaunching);
}
// Don't bother to start the thread if we know it's not going to do anything
if (mCallbacks != null && mCallbacks.get() != null) {
// If there is already one running, tell it to stop.
LoaderTask oldTask = mLoaderTask;
if (oldTask != null) {
if (oldTask.isLaunching()) {
// don't downgrade isLaunching if we're already running
isLaunching = true;
}
oldTask.stopLocked();
}
mLoaderTask = new LoaderTask(context, isLaunching);
sWorker.post(mLoaderTask);
}
}
}
public void stopLoader() {
synchronized (mLock) {
if (mLoaderTask != null) {
mLoaderTask.stopLocked();
}
}
}
/**
* Runnable for the thread that loads the contents of the launcher:
* - workspace icons
* - widgets
* - all apps icons
*/
private class LoaderTask implements Runnable {
private Context mContext;
private Thread mWaitThread;
private boolean mIsLaunching;
private boolean mStopped;
private boolean mLoadAndBindStepFinished;
private HashMap<Object, CharSequence> mLabelCache;
LoaderTask(Context context, boolean isLaunching) {
mContext = context;
mIsLaunching = isLaunching;
mLabelCache = new HashMap<Object, CharSequence>();
}
boolean isLaunching() {
return mIsLaunching;
}
private void loadAndBindWorkspace() {
// Load the workspace
if (DEBUG_LOADERS) {
Log.d(TAG, "loadAndBindWorkspace mWorkspaceLoaded=" + mWorkspaceLoaded);
}
if (!mWorkspaceLoaded) {
loadWorkspace();
if (mStopped) {
return;
}
mWorkspaceLoaded = true;
}
// Bind the workspace
bindWorkspace();
}
private void waitForIdle() {
// Wait until the either we're stopped or the other threads are done.
// This way we don't start loading all apps until the workspace has settled
// down.
synchronized (LoaderTask.this) {
final long workspaceWaitTime = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
mHandler.postIdle(new Runnable() {
public void run() {
synchronized (LoaderTask.this) {
mLoadAndBindStepFinished = true;
if (DEBUG_LOADERS) {
Log.d(TAG, "done with previous binding step");
}
LoaderTask.this.notify();
}
}
});
while (!mStopped && !mLoadAndBindStepFinished) {
try {
this.wait();
} catch (InterruptedException ex) {
// Ignore
}
}
if (DEBUG_LOADERS) {
Log.d(TAG, "waited "
+ (SystemClock.uptimeMillis()-workspaceWaitTime)
+ "ms for previous step to finish binding");
}
}
}
public void run() {
// Optimize for end-user experience: if the Launcher is up and // running with the
// All Apps interface in the foreground, load All Apps first. Otherwise, load the
// workspace first (default).
final Callbacks cbk = mCallbacks.get();
final boolean loadWorkspaceFirst = cbk != null ? (!cbk.isAllAppsVisible()) : true;
keep_running: {
// Elevate priority when Home launches for the first time to avoid
// starving at boot time. Staring at a blank home is not cool.
synchronized (mLock) {
android.os.Process.setThreadPriority(mIsLaunching
? Process.THREAD_PRIORITY_DEFAULT : Process.THREAD_PRIORITY_BACKGROUND);
}
if (loadWorkspaceFirst) {
if (DEBUG_LOADERS) Log.d(TAG, "step 1: loading workspace");
loadAndBindWorkspace();
} else {
if (DEBUG_LOADERS) Log.d(TAG, "step 1: special: loading all apps");
loadAndBindAllApps();
}
if (mStopped) {
break keep_running;
}
// Whew! Hard work done. Slow us down, and wait until the UI thread has
// settled down.
synchronized (mLock) {
if (mIsLaunching) {
android.os.Process.setThreadPriority(Process.THREAD_PRIORITY_BACKGROUND);
}
}
waitForIdle();
// second step
if (loadWorkspaceFirst) {
if (DEBUG_LOADERS) Log.d(TAG, "step 2: loading all apps");
loadAndBindAllApps();
} else {
if (DEBUG_LOADERS) Log.d(TAG, "step 2: special: loading workspace");
loadAndBindWorkspace();
}
}
// Clear out this reference, otherwise we end up holding it until all of the
// callback runnables are done.
mContext = null;
synchronized (mLock) {
// If we are still the last one to be scheduled, remove ourselves.
if (mLoaderTask == this) {
mLoaderTask = null;
}
}
}
public void stopLocked() {
synchronized (LoaderTask.this) {
mStopped = true;
this.notify();
}
}
/**
* Gets the callbacks object. If we've been stopped, or if the launcher object
* has somehow been garbage collected, return null instead. Pass in the Callbacks
* object that was around when the deferred message was scheduled, and if there's
* a new Callbacks object around then also return null. This will save us from
* calling onto it with data that will be ignored.
*/
Callbacks tryGetCallbacks(Callbacks oldCallbacks) {
synchronized (mLock) {
if (mStopped) {
return null;
}
if (mCallbacks == null) {
return null;
}
final Callbacks callbacks = mCallbacks.get();
if (callbacks != oldCallbacks) {
return null;
}
if (callbacks == null) {
Log.w(TAG, "no mCallbacks");
return null;
}
return callbacks;
}
}
// check & update map of what's occupied; used to discard overlapping/invalid items
private boolean checkItemPlacement(ItemInfo occupied[][][], ItemInfo item) {
if (item.container != LauncherSettings.Favorites.CONTAINER_DESKTOP) {
return true;
}
for (int x = item.cellX; x < (item.cellX+item.spanX); x++) {
for (int y = item.cellY; y < (item.cellY+item.spanY); y++) {
if (occupied[item.screen][x][y] != null) {
Log.e(TAG, "Error loading shortcut " + item
+ " into cell (" + item.screen + ":"
+ x + "," + y
+ ") occupied by "
+ occupied[item.screen][x][y]);
return false;
}
}
}
for (int x = item.cellX; x < (item.cellX+item.spanX); x++) {
for (int y = item.cellY; y < (item.cellY+item.spanY); y++) {
occupied[item.screen][x][y] = item;
}
}
return true;
}
private void loadWorkspace() {
final long t = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
final Context context = mContext;
final ContentResolver contentResolver = context.getContentResolver();
final PackageManager manager = context.getPackageManager();
final AppWidgetManager widgets = AppWidgetManager.getInstance(context);
final boolean isSafeMode = manager.isSafeMode();
sWorkspaceItems.clear();
sAppWidgets.clear();
sFolders.clear();
sItemsIdMap.clear();
final ArrayList<Long> itemsToRemove = new ArrayList<Long>();
final Cursor c = contentResolver.query(
LauncherSettings.Favorites.CONTENT_URI, null, null, null, null);
final ItemInfo occupied[][][] =
new ItemInfo[Launcher.SCREEN_COUNT][mCellCountX][mCellCountY];
try {
final int idIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites._ID);
final int intentIndex = c.getColumnIndexOrThrow
(LauncherSettings.Favorites.INTENT);
final int titleIndex = c.getColumnIndexOrThrow
(LauncherSettings.Favorites.TITLE);
final int iconTypeIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.ICON_TYPE);
final int iconIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.ICON);
final int iconPackageIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.ICON_PACKAGE);
final int iconResourceIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.ICON_RESOURCE);
final int containerIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.CONTAINER);
final int itemTypeIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.ITEM_TYPE);
final int appWidgetIdIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.APPWIDGET_ID);
final int screenIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.SCREEN);
final int cellXIndex = c.getColumnIndexOrThrow
(LauncherSettings.Favorites.CELLX);
final int cellYIndex = c.getColumnIndexOrThrow
(LauncherSettings.Favorites.CELLY);
final int spanXIndex = c.getColumnIndexOrThrow
(LauncherSettings.Favorites.SPANX);
final int spanYIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.SPANY);
final int uriIndex = c.getColumnIndexOrThrow(LauncherSettings.Favorites.URI);
final int displayModeIndex = c.getColumnIndexOrThrow(
LauncherSettings.Favorites.DISPLAY_MODE);
ShortcutInfo info;
String intentDescription;
LauncherAppWidgetInfo appWidgetInfo;
int container;
long id;
Intent intent;
while (!mStopped && c.moveToNext()) {
try {
int itemType = c.getInt(itemTypeIndex);
switch (itemType) {
case LauncherSettings.Favorites.ITEM_TYPE_APPLICATION:
case LauncherSettings.Favorites.ITEM_TYPE_SHORTCUT:
intentDescription = c.getString(intentIndex);
try {
intent = Intent.parseUri(intentDescription, 0);
} catch (URISyntaxException e) {
continue;
}
if (itemType == LauncherSettings.Favorites.ITEM_TYPE_APPLICATION) {
info = getShortcutInfo(manager, intent, context, c, iconIndex,
titleIndex, mLabelCache);
} else {
info = getShortcutInfo(c, context, iconTypeIndex,
iconPackageIndex, iconResourceIndex, iconIndex,
titleIndex);
}
if (info != null) {
info.intent = intent;
info.id = c.getLong(idIndex);
container = c.getInt(containerIndex);
info.container = container;
info.screen = c.getInt(screenIndex);
info.cellX = c.getInt(cellXIndex);
info.cellY = c.getInt(cellYIndex);
// check & update map of what's occupied
if (!checkItemPlacement(occupied, info)) {
break;
}
switch (container) {
case LauncherSettings.Favorites.CONTAINER_DESKTOP:
case LauncherSettings.Favorites.CONTAINER_HOTSEAT:
sWorkspaceItems.add(info);
break;
default:
// Item is in a user folder
FolderInfo folderInfo =
findOrMakeFolder(sFolders, container);
folderInfo.add(info);
break;
}
sItemsIdMap.put(info.id, info);
// now that we've loaded everthing re-save it with the
// icon in case it disappears somehow.
updateSavedIcon(context, info, c, iconIndex);
} else {
// Failed to load the shortcut, probably because the
// activity manager couldn't resolve it (maybe the app
// was uninstalled), or the db row was somehow screwed up.
// Delete it.
id = c.getLong(idIndex);
Log.e(TAG, "Error loading shortcut " + id + ", removing it");
contentResolver.delete(LauncherSettings.Favorites.getContentUri(
id, false), null, null);
}
break;
case LauncherSettings.Favorites.ITEM_TYPE_FOLDER:
id = c.getLong(idIndex);
FolderInfo folderInfo = findOrMakeFolder(sFolders, id);
folderInfo.title = c.getString(titleIndex);
folderInfo.id = id;
container = c.getInt(containerIndex);
folderInfo.container = container;
folderInfo.screen = c.getInt(screenIndex);
folderInfo.cellX = c.getInt(cellXIndex);
folderInfo.cellY = c.getInt(cellYIndex);
// check & update map of what's occupied
if (!checkItemPlacement(occupied, folderInfo)) {
break;
}
switch (container) {
case LauncherSettings.Favorites.CONTAINER_DESKTOP:
case LauncherSettings.Favorites.CONTAINER_HOTSEAT:
sWorkspaceItems.add(folderInfo);
break;
}
sItemsIdMap.put(folderInfo.id, folderInfo);
sFolders.put(folderInfo.id, folderInfo);
break;
case LauncherSettings.Favorites.ITEM_TYPE_APPWIDGET:
// Read all Launcher-specific widget details
int appWidgetId = c.getInt(appWidgetIdIndex);
id = c.getLong(idIndex);
final AppWidgetProviderInfo provider =
widgets.getAppWidgetInfo(appWidgetId);
if (!isSafeMode && (provider == null || provider.provider == null ||
provider.provider.getPackageName() == null)) {
Log.e(TAG, "Deleting widget that isn't installed anymore: id="
+ id + " appWidgetId=" + appWidgetId);
itemsToRemove.add(id);
} else {
appWidgetInfo = new LauncherAppWidgetInfo(appWidgetId);
appWidgetInfo.id = id;
appWidgetInfo.screen = c.getInt(screenIndex);
appWidgetInfo.cellX = c.getInt(cellXIndex);
appWidgetInfo.cellY = c.getInt(cellYIndex);
appWidgetInfo.spanX = c.getInt(spanXIndex);
appWidgetInfo.spanY = c.getInt(spanYIndex);
container = c.getInt(containerIndex);
if (container != LauncherSettings.Favorites.CONTAINER_DESKTOP &&
container != LauncherSettings.Favorites.CONTAINER_HOTSEAT) {
Log.e(TAG, "Widget found where container "
+ "!= CONTAINER_DESKTOP nor CONTAINER_HOTSEAT - ignoring!");
continue;
}
appWidgetInfo.container = c.getInt(containerIndex);
// check & update map of what's occupied
if (!checkItemPlacement(occupied, appWidgetInfo)) {
break;
}
sItemsIdMap.put(appWidgetInfo.id, appWidgetInfo);
sAppWidgets.add(appWidgetInfo);
}
break;
}
} catch (Exception e) {
Log.w(TAG, "Desktop items loading interrupted:", e);
}
}
} finally {
c.close();
}
if (itemsToRemove.size() > 0) {
ContentProviderClient client = contentResolver.acquireContentProviderClient(
LauncherSettings.Favorites.CONTENT_URI);
// Remove dead items
for (long id : itemsToRemove) {
if (DEBUG_LOADERS) {
Log.d(TAG, "Removed id = " + id);
}
// Don't notify content observers
try {
client.delete(LauncherSettings.Favorites.getContentUri(id, false),
null, null);
} catch (RemoteException e) {
Log.w(TAG, "Could not remove id = " + id);
}
}
}
if (DEBUG_LOADERS) {
Log.d(TAG, "loaded workspace in " + (SystemClock.uptimeMillis()-t) + "ms");
Log.d(TAG, "workspace layout: ");
for (int y = 0; y < mCellCountY; y++) {
String line = "";
for (int s = 0; s < Launcher.SCREEN_COUNT; s++) {
if (s > 0) {
line += " | ";
}
for (int x = 0; x < mCellCountX; x++) {
line += ((occupied[s][x][y] != null) ? "#" : ".");
}
}
Log.d(TAG, "[ " + line + " ]");
}
}
}
/**
* Read everything out of our database.
*/
private void bindWorkspace() {
final long t = SystemClock.uptimeMillis();
// Don't use these two variables in any of the callback runnables.
// Otherwise we hold a reference to them.
final Callbacks oldCallbacks = mCallbacks.get();
if (oldCallbacks == null) {
// This launcher has exited and nobody bothered to tell us. Just bail.
Log.w(TAG, "LoaderTask running with no launcher");
return;
}
int N;
// Tell the workspace that we're about to start firing items at it
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.startBinding();
}
}
});
// Add the items to the workspace.
N = sWorkspaceItems.size();
for (int i=0; i<N; i+=ITEMS_CHUNK) {
final int start = i;
final int chunkSize = (i+ITEMS_CHUNK <= N) ? ITEMS_CHUNK : (N-i);
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.bindItems(sWorkspaceItems, start, start+chunkSize);
}
}
});
}
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.bindFolders(sFolders);
}
}
});
// Wait until the queue goes empty.
mHandler.post(new Runnable() {
public void run() {
if (DEBUG_LOADERS) {
Log.d(TAG, "Going to start binding widgets soon.");
}
}
});
// Bind the widgets, one at a time.
// WARNING: this is calling into the workspace from the background thread,
// but since getCurrentScreen() just returns the int, we should be okay. This
// is just a hint for the order, and if it's wrong, we'll be okay.
// TODO: instead, we should have that push the current screen into here.
final int currentScreen = oldCallbacks.getCurrentWorkspaceScreen();
N = sAppWidgets.size();
// once for the current screen
for (int i=0; i<N; i++) {
final LauncherAppWidgetInfo widget = sAppWidgets.get(i);
if (widget.screen == currentScreen) {
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.bindAppWidget(widget);
}
}
});
}
}
// once for the other screens
for (int i=0; i<N; i++) {
final LauncherAppWidgetInfo widget = sAppWidgets.get(i);
if (widget.screen != currentScreen) {
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.bindAppWidget(widget);
}
}
});
}
}
// Tell the workspace that we're done.
mHandler.post(new Runnable() {
public void run() {
Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.finishBindingItems();
}
}
});
// If we're profiling, this is the last thing in the queue.
mHandler.post(new Runnable() {
public void run() {
if (DEBUG_LOADERS) {
Log.d(TAG, "bound workspace in "
+ (SystemClock.uptimeMillis()-t) + "ms");
}
}
});
}
private void loadAndBindAllApps() {
if (DEBUG_LOADERS) {
Log.d(TAG, "loadAndBindAllApps mAllAppsLoaded=" + mAllAppsLoaded);
}
if (!mAllAppsLoaded) {
loadAllAppsByBatch();
if (mStopped) {
return;
}
mAllAppsLoaded = true;
} else {
onlyBindAllApps();
}
}
private void onlyBindAllApps() {
final Callbacks oldCallbacks = mCallbacks.get();
if (oldCallbacks == null) {
// This launcher has exited and nobody bothered to tell us. Just bail.
Log.w(TAG, "LoaderTask running with no launcher (onlyBindAllApps)");
return;
}
// shallow copy
final ArrayList<ApplicationInfo> list
= (ArrayList<ApplicationInfo>)mAllAppsList.data.clone();
mHandler.post(new Runnable() {
public void run() {
final long t = SystemClock.uptimeMillis();
final Callbacks callbacks = tryGetCallbacks(oldCallbacks);
if (callbacks != null) {
callbacks.bindAllApplications(list);
}
if (DEBUG_LOADERS) {
Log.d(TAG, "bound all " + list.size() + " apps from cache in "
+ (SystemClock.uptimeMillis()-t) + "ms");
}
}
});
}
private void loadAllAppsByBatch() {
final long t = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
// Don't use these two variables in any of the callback runnables.
// Otherwise we hold a reference to them.
final Callbacks oldCallbacks = mCallbacks.get();
if (oldCallbacks == null) {
// This launcher has exited and nobody bothered to tell us. Just bail.
Log.w(TAG, "LoaderTask running with no launcher (loadAllAppsByBatch)");
return;
}
final Intent mainIntent = new Intent(Intent.ACTION_MAIN, null);
mainIntent.addCategory(Intent.CATEGORY_LAUNCHER);
final PackageManager packageManager = mContext.getPackageManager();
List<ResolveInfo> apps = null;
int N = Integer.MAX_VALUE;
int startIndex;
int i=0;
int batchSize = -1;
while (i < N && !mStopped) {
if (i == 0) {
mAllAppsList.clear();
final long qiaTime = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
apps = packageManager.queryIntentActivities(mainIntent, 0);
if (DEBUG_LOADERS) {
Log.d(TAG, "queryIntentActivities took "
+ (SystemClock.uptimeMillis()-qiaTime) + "ms");
}
if (apps == null) {
return;
}
N = apps.size();
if (DEBUG_LOADERS) {
Log.d(TAG, "queryIntentActivities got " + N + " apps");
}
if (N == 0) {
// There are no apps?!?
return;
}
if (mBatchSize == 0) {
batchSize = N;
} else {
batchSize = mBatchSize;
}
final long sortTime = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
Collections.sort(apps,
new LauncherModel.ShortcutNameComparator(packageManager, mLabelCache));
if (DEBUG_LOADERS) {
Log.d(TAG, "sort took "
+ (SystemClock.uptimeMillis()-sortTime) + "ms");
}
}
final long t2 = DEBUG_LOADERS ? SystemClock.uptimeMillis() : 0;
startIndex = i;
for (int j=0; i<N && j<batchSize; j++) {
// This builds the icon bitmaps.
mAllAppsList.add(new ApplicationInfo(packageManager, apps.get(i),
mIconCache, mLabelCache));
i++;
}
final boolean first = i <= batchSize;
final Callbacks callbacks = tryGetCallbacks(oldCallbacks);
final ArrayList<ApplicationInfo> added = mAllAppsList.added;
mAllAppsList.added = new ArrayList<ApplicationInfo>();
mHandler.post(new Runnable() {
public void run() {
final long t = SystemClock.uptimeMillis();
if (callbacks != null) {
if (first) {
callbacks.bindAllApplications(added);
} else {
callbacks.bindAppsAdded(added);
}
if (DEBUG_LOADERS) {
Log.d(TAG, "bound " + added.size() + " apps in "
+ (SystemClock.uptimeMillis() - t) + "ms");
}
} else {
Log.i(TAG, "not binding apps: no Launcher activity");
}
}
});
if (DEBUG_LOADERS) {
Log.d(TAG, "batch of " + (i-startIndex) + " icons processed in "
+ (SystemClock.uptimeMillis()-t2) + "ms");
}
if (mAllAppsLoadDelay > 0 && i < N) {
try {
if (DEBUG_LOADERS) {
Log.d(TAG, "sleeping for " + mAllAppsLoadDelay + "ms");
}
Thread.sleep(mAllAppsLoadDelay);
} catch (InterruptedException exc) { }
}
}
if (DEBUG_LOADERS) {
Log.d(TAG, "cached all " + N + " apps in "
+ (SystemClock.uptimeMillis()-t) + "ms"
+ (mAllAppsLoadDelay > 0 ? " (including delay)" : ""));
}
}
public void dumpState() {
Log.d(TAG, "mLoaderTask.mContext=" + mContext);
Log.d(TAG, "mLoaderTask.mWaitThread=" + mWaitThread);
Log.d(TAG, "mLoaderTask.mIsLaunching=" + mIsLaunching);
Log.d(TAG, "mLoaderTask.mStopped=" + mStopped);
Log.d(TAG, "mLoaderTask.mLoadAndBindStepFinished=" + mLoadAndBindStepFinished);
Log.d(TAG, "mItems size=" + sWorkspaceItems.size());
}
}
void enqueuePackageUpdated(PackageUpdatedTask task) {
sWorker.post(task);
}
private class PackageUpdatedTask implements Runnable {
int mOp;
String[] mPackages;
public static final int OP_NONE = 0;
public static final int OP_ADD = 1;
public static final int OP_UPDATE = 2;
public static final int OP_REMOVE = 3; // uninstlled
public static final int OP_UNAVAILABLE = 4; // external media unmounted
public PackageUpdatedTask(int op, String[] packages) {
mOp = op;
mPackages = packages;
}
public void run() {
final Context context = mApp;
final String[] packages = mPackages;
final int N = packages.length;
switch (mOp) {
case OP_ADD:
for (int i=0; i<N; i++) {
if (DEBUG_LOADERS) Log.d(TAG, "mAllAppsList.addPackage " + packages[i]);
mAllAppsList.addPackage(context, packages[i]);
}
break;
case OP_UPDATE:
for (int i=0; i<N; i++) {
if (DEBUG_LOADERS) Log.d(TAG, "mAllAppsList.updatePackage " + packages[i]);
mAllAppsList.updatePackage(context, packages[i]);
}
break;
case OP_REMOVE:
case OP_UNAVAILABLE:
for (int i=0; i<N; i++) {
if (DEBUG_LOADERS) Log.d(TAG, "mAllAppsList.removePackage " + packages[i]);
mAllAppsList.removePackage(packages[i]);
}
break;
}
ArrayList<ApplicationInfo> added = null;
ArrayList<ApplicationInfo> removed = null;
ArrayList<ApplicationInfo> modified = null;
if (mAllAppsList.added.size() > 0) {
added = mAllAppsList.added;
mAllAppsList.added = new ArrayList<ApplicationInfo>();
}
if (mAllAppsList.removed.size() > 0) {
removed = mAllAppsList.removed;
mAllAppsList.removed = new ArrayList<ApplicationInfo>();
for (ApplicationInfo info: removed) {
mIconCache.remove(info.intent.getComponent());
}
}
if (mAllAppsList.modified.size() > 0) {
modified = mAllAppsList.modified;
mAllAppsList.modified = new ArrayList<ApplicationInfo>();
}
final Callbacks callbacks = mCallbacks != null ? mCallbacks.get() : null;
if (callbacks == null) {
Log.w(TAG, "Nobody to tell about the new app. Launcher is probably loading.");
return;
}
if (added != null) {
final ArrayList<ApplicationInfo> addedFinal = added;
mHandler.post(new Runnable() {
public void run() {
Callbacks cb = mCallbacks != null ? mCallbacks.get() : null;
if (callbacks == cb && cb != null) {
callbacks.bindAppsAdded(addedFinal);
}
}
});
}
if (modified != null) {
final ArrayList<ApplicationInfo> modifiedFinal = modified;
mHandler.post(new Runnable() {
public void run() {
Callbacks cb = mCallbacks != null ? mCallbacks.get() : null;
if (callbacks == cb && cb != null) {
callbacks.bindAppsUpdated(modifiedFinal);
}
}
});
}
if (removed != null) {
final boolean permanent = mOp != OP_UNAVAILABLE;
final ArrayList<ApplicationInfo> removedFinal = removed;
mHandler.post(new Runnable() {
public void run() {
Callbacks cb = mCallbacks != null ? mCallbacks.get() : null;
if (callbacks == cb && cb != null) {
callbacks.bindAppsRemoved(removedFinal, permanent);
}
}
});
}
mHandler.post(new Runnable() {
@Override
public void run() {
Callbacks cb = mCallbacks != null ? mCallbacks.get() : null;
if (callbacks == cb && cb != null) {
callbacks.bindPackagesUpdated();
}
}
});
}
}
/**
* This is called from the code that adds shortcuts from the intent receiver. This
* doesn't have a Cursor, but
*/
public ShortcutInfo getShortcutInfo(PackageManager manager, Intent intent, Context context) {
return getShortcutInfo(manager, intent, context, null, -1, -1, null);
}
/**
* Make an ShortcutInfo object for a shortcut that is an application.
*
* If c is not null, then it will be used to fill in missing data like the title and icon.
*/
public ShortcutInfo getShortcutInfo(PackageManager manager, Intent intent, Context context,
Cursor c, int iconIndex, int titleIndex, HashMap<Object, CharSequence> labelCache) {
Bitmap icon = null;
final ShortcutInfo info = new ShortcutInfo();
ComponentName componentName = intent.getComponent();
if (componentName == null) {
return null;
}
// TODO: See if the PackageManager knows about this case. If it doesn't
// then return null & delete this.
// the resource -- This may implicitly give us back the fallback icon,
// but don't worry about that. All we're doing with usingFallbackIcon is
// to avoid saving lots of copies of that in the database, and most apps
// have icons anyway.
final ResolveInfo resolveInfo = manager.resolveActivity(intent, 0);
if (resolveInfo != null) {
icon = mIconCache.getIcon(componentName, resolveInfo);
}
// the db
if (icon == null) {
if (c != null) {
icon = getIconFromCursor(c, iconIndex);
}
}
// the fallback icon
if (icon == null) {
icon = getFallbackIcon();
info.usingFallbackIcon = true;
}
info.setIcon(icon);
// from the resource
if (resolveInfo != null) {
if (labelCache != null && labelCache.containsKey(resolveInfo)) {
info.title = labelCache.get(resolveInfo);
} else {
info.title = resolveInfo.activityInfo.loadLabel(manager);
if (labelCache != null) {
labelCache.put(resolveInfo, info.title);
}
}
}
// from the db
if (info.title == null) {
if (c != null) {
info.title = c.getString(titleIndex);
}
}
// fall back to the class name of the activity
if (info.title == null) {
info.title = componentName.getClassName();
}
info.itemType = LauncherSettings.Favorites.ITEM_TYPE_APPLICATION;
return info;
}
/**
* Make an ShortcutInfo object for a shortcut that isn't an application.
*/
private ShortcutInfo getShortcutInfo(Cursor c, Context context,
int iconTypeIndex, int iconPackageIndex, int iconResourceIndex, int iconIndex,
int titleIndex) {
Bitmap icon = null;
final ShortcutInfo info = new ShortcutInfo();
info.itemType = LauncherSettings.Favorites.ITEM_TYPE_SHORTCUT;
// TODO: If there's an explicit component and we can't install that, delete it.
info.title = c.getString(titleIndex);
int iconType = c.getInt(iconTypeIndex);
switch (iconType) {
case LauncherSettings.Favorites.ICON_TYPE_RESOURCE:
String packageName = c.getString(iconPackageIndex);
String resourceName = c.getString(iconResourceIndex);
PackageManager packageManager = context.getPackageManager();
info.customIcon = false;
// the resource
try {
Resources resources = packageManager.getResourcesForApplication(packageName);
if (resources != null) {
final int id = resources.getIdentifier(resourceName, null, null);
icon = Utilities.createIconBitmap(
mIconCache.getFullResIcon(resources, id), context);
}
} catch (Exception e) {
// drop this. we have other places to look for icons
}
// the db
if (icon == null) {
icon = getIconFromCursor(c, iconIndex);
}
// the fallback icon
if (icon == null) {
icon = getFallbackIcon();
info.usingFallbackIcon = true;
}
break;
case LauncherSettings.Favorites.ICON_TYPE_BITMAP:
icon = getIconFromCursor(c, iconIndex);
if (icon == null) {
icon = getFallbackIcon();
info.customIcon = false;
info.usingFallbackIcon = true;
} else {
info.customIcon = true;
}
break;
default:
icon = getFallbackIcon();
info.usingFallbackIcon = true;
info.customIcon = false;
break;
}
info.setIcon(icon);
return info;
}
Bitmap getIconFromCursor(Cursor c, int iconIndex) {
if (false) {
Log.d(TAG, "getIconFromCursor app="
+ c.getString(c.getColumnIndexOrThrow(LauncherSettings.Favorites.TITLE)));
}
byte[] data = c.getBlob(iconIndex);
try {
return BitmapFactory.decodeByteArray(data, 0, data.length);
} catch (Exception e) {
return null;
}
}
ShortcutInfo addShortcut(Context context, Intent data, long container, int screen,
int cellX, int cellY, boolean notify) {
final ShortcutInfo info = infoFromShortcutIntent(context, data, null);
addItemToDatabase(context, info, container, screen, cellX, cellY, notify);
return info;
}
/**
* Attempts to find an AppWidgetProviderInfo that matches the given component.
*/
AppWidgetProviderInfo findAppWidgetProviderInfoWithComponent(Context context,
ComponentName component) {
List<AppWidgetProviderInfo> widgets =
AppWidgetManager.getInstance(context).getInstalledProviders();
for (AppWidgetProviderInfo info : widgets) {
if (info.provider.equals(component)) {
return info;
}
}
return null;
}
/**
* Returns a list of all the widgets that can handle configuration with a particular mimeType.
*/
List<WidgetMimeTypeHandlerData> resolveWidgetsForMimeType(Context context, String mimeType) {
final PackageManager packageManager = context.getPackageManager();
final List<WidgetMimeTypeHandlerData> supportedConfigurationActivities =
new ArrayList<WidgetMimeTypeHandlerData>();
final Intent supportsIntent =
new Intent(InstallWidgetReceiver.ACTION_SUPPORTS_CLIPDATA_MIMETYPE);
supportsIntent.setType(mimeType);
// Create a set of widget configuration components that we can test against
final List<AppWidgetProviderInfo> widgets =
AppWidgetManager.getInstance(context).getInstalledProviders();
final HashMap<ComponentName, AppWidgetProviderInfo> configurationComponentToWidget =
new HashMap<ComponentName, AppWidgetProviderInfo>();
for (AppWidgetProviderInfo info : widgets) {
configurationComponentToWidget.put(info.configure, info);
}
// Run through each of the intents that can handle this type of clip data, and cross
// reference them with the components that are actual configuration components
final List<ResolveInfo> activities = packageManager.queryIntentActivities(supportsIntent,
PackageManager.MATCH_DEFAULT_ONLY);
for (ResolveInfo info : activities) {
final ActivityInfo activityInfo = info.activityInfo;
final ComponentName infoComponent = new ComponentName(activityInfo.packageName,
activityInfo.name);
if (configurationComponentToWidget.containsKey(infoComponent)) {
supportedConfigurationActivities.add(
new InstallWidgetReceiver.WidgetMimeTypeHandlerData(info,
configurationComponentToWidget.get(infoComponent)));
}
}
return supportedConfigurationActivities;
}
ShortcutInfo infoFromShortcutIntent(Context context, Intent data, Bitmap fallbackIcon) {
Intent intent = data.getParcelableExtra(Intent.EXTRA_SHORTCUT_INTENT);
String name = data.getStringExtra(Intent.EXTRA_SHORTCUT_NAME);
Parcelable bitmap = data.getParcelableExtra(Intent.EXTRA_SHORTCUT_ICON);
Bitmap icon = null;
boolean customIcon = false;
ShortcutIconResource iconResource = null;
if (bitmap != null && bitmap instanceof Bitmap) {
icon = Utilities.createIconBitmap(new FastBitmapDrawable((Bitmap)bitmap), context);
customIcon = true;
} else {
Parcelable extra = data.getParcelableExtra(Intent.EXTRA_SHORTCUT_ICON_RESOURCE);
if (extra != null && extra instanceof ShortcutIconResource) {
try {
iconResource = (ShortcutIconResource) extra;
final PackageManager packageManager = context.getPackageManager();
Resources resources = packageManager.getResourcesForApplication(
iconResource.packageName);
final int id = resources.getIdentifier(iconResource.resourceName, null, null);
icon = Utilities.createIconBitmap(
mIconCache.getFullResIcon(resources, id), context);
} catch (Exception e) {
Log.w(TAG, "Could not load shortcut icon: " + extra);
}
}
}
final ShortcutInfo info = new ShortcutInfo();
if (icon == null) {
if (fallbackIcon != null) {
icon = fallbackIcon;
} else {
icon = getFallbackIcon();
info.usingFallbackIcon = true;
}
}
info.setIcon(icon);
info.title = name;
info.intent = intent;
info.customIcon = customIcon;
info.iconResource = iconResource;
return info;
}
void updateSavedIcon(Context context, ShortcutInfo info, Cursor c, int iconIndex) {
// If apps can't be on SD, don't even bother.
if (!mAppsCanBeOnExternalStorage) {
return;
}
// If this icon doesn't have a custom icon, check to see
// what's stored in the DB, and if it doesn't match what
// we're going to show, store what we are going to show back
// into the DB. We do this so when we're loading, if the
// package manager can't find an icon (for example because
// the app is on SD) then we can use that instead.
if (!info.customIcon && !info.usingFallbackIcon) {
boolean needSave;
byte[] data = c.getBlob(iconIndex);
try {
if (data != null) {
Bitmap saved = BitmapFactory.decodeByteArray(data, 0, data.length);
Bitmap loaded = info.getIcon(mIconCache);
needSave = !saved.sameAs(loaded);
} else {
needSave = true;
}
} catch (Exception e) {
needSave = true;
}
if (needSave) {
Log.d(TAG, "going to save icon bitmap for info=" + info);
// This is slower than is ideal, but this only happens once
// or when the app is updated with a new icon.
updateItemInDatabase(context, info);
}
}
}
/**
* Return an existing FolderInfo object if we have encountered this ID previously,
* or make a new one.
*/
private static FolderInfo findOrMakeFolder(HashMap<Long, FolderInfo> folders, long id) {
// See if a placeholder was created for us already
FolderInfo folderInfo = folders.get(id);
if (folderInfo == null) {
// No placeholder -- create a new instance
folderInfo = new FolderInfo();
folders.put(id, folderInfo);
}
return folderInfo;
}
private static final Collator sCollator = Collator.getInstance();
public static final Comparator<ApplicationInfo> APP_NAME_COMPARATOR
= new Comparator<ApplicationInfo>() {
public final int compare(ApplicationInfo a, ApplicationInfo b) {
int result = sCollator.compare(a.title.toString(), b.title.toString());
if (result == 0) {
result = a.componentName.compareTo(b.componentName);
}
return result;
}
};
public static final Comparator<ApplicationInfo> APP_INSTALL_TIME_COMPARATOR
= new Comparator<ApplicationInfo>() {
public final int compare(ApplicationInfo a, ApplicationInfo b) {
if (a.firstInstallTime < b.firstInstallTime) return 1;
if (a.firstInstallTime > b.firstInstallTime) return -1;
return 0;
}
};
public static final Comparator<AppWidgetProviderInfo> WIDGET_NAME_COMPARATOR
= new Comparator<AppWidgetProviderInfo>() {
public final int compare(AppWidgetProviderInfo a, AppWidgetProviderInfo b) {
return sCollator.compare(a.label.toString(), b.label.toString());
}
};
public static class ShortcutNameComparator implements Comparator<ResolveInfo> {
private PackageManager mPackageManager;
private HashMap<Object, CharSequence> mLabelCache;
ShortcutNameComparator(PackageManager pm) {
mPackageManager = pm;
mLabelCache = new HashMap<Object, CharSequence>();
}
ShortcutNameComparator(PackageManager pm, HashMap<Object, CharSequence> labelCache) {
mPackageManager = pm;
mLabelCache = labelCache;
}
public final int compare(ResolveInfo a, ResolveInfo b) {
CharSequence labelA, labelB;
if (mLabelCache.containsKey(a)) {
labelA = mLabelCache.get(a);
} else {
labelA = a.loadLabel(mPackageManager).toString();
mLabelCache.put(a, labelA);
}
if (mLabelCache.containsKey(b)) {
labelB = mLabelCache.get(b);
} else {
labelB = b.loadLabel(mPackageManager).toString();
mLabelCache.put(b, labelB);
}
return sCollator.compare(labelA, labelB);
}
};
public static class WidgetAndShortcutNameComparator implements Comparator<Object> {
private PackageManager mPackageManager;
private HashMap<Object, String> mLabelCache;
WidgetAndShortcutNameComparator(PackageManager pm) {
mPackageManager = pm;
mLabelCache = new HashMap<Object, String>();
}
public final int compare(Object a, Object b) {
String labelA, labelB;
if (mLabelCache.containsKey(a)) {
labelA = mLabelCache.get(a);
} else {
labelA = (a instanceof AppWidgetProviderInfo) ?
((AppWidgetProviderInfo) a).label :
((ResolveInfo) a).loadLabel(mPackageManager).toString();
mLabelCache.put(a, labelA);
}
if (mLabelCache.containsKey(b)) {
labelB = mLabelCache.get(b);
} else {
labelB = (b instanceof AppWidgetProviderInfo) ?
((AppWidgetProviderInfo) b).label :
((ResolveInfo) b).loadLabel(mPackageManager).toString();
mLabelCache.put(b, labelB);
}
return sCollator.compare(labelA, labelB);
}
};
public void dumpState() {
Log.d(TAG, "mCallbacks=" + mCallbacks);
ApplicationInfo.dumpApplicationInfoList(TAG, "mAllAppsList.data", mAllAppsList.data);
ApplicationInfo.dumpApplicationInfoList(TAG, "mAllAppsList.added", mAllAppsList.added);
ApplicationInfo.dumpApplicationInfoList(TAG, "mAllAppsList.removed", mAllAppsList.removed);
ApplicationInfo.dumpApplicationInfoList(TAG, "mAllAppsList.modified", mAllAppsList.modified);
if (mLoaderTask != null) {
mLoaderTask.dumpState();
} else {
Log.d(TAG, "mLoaderTask=null");
}
}
}
|
diff --git a/gerrit-server/src/main/java/com/google/gerrit/server/changedetail/DeleteDraftPatchSet.java b/gerrit-server/src/main/java/com/google/gerrit/server/changedetail/DeleteDraftPatchSet.java
index adec292ac..d20b0f63a 100644
--- a/gerrit-server/src/main/java/com/google/gerrit/server/changedetail/DeleteDraftPatchSet.java
+++ b/gerrit-server/src/main/java/com/google/gerrit/server/changedetail/DeleteDraftPatchSet.java
@@ -1,126 +1,124 @@
// Copyright (C) 2011 The Android Open Source Project
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
package com.google.gerrit.server.changedetail;
import com.google.gerrit.common.data.ReviewResult;
import com.google.gerrit.reviewdb.client.Change;
import com.google.gerrit.reviewdb.client.PatchSet;
import com.google.gerrit.reviewdb.server.ReviewDb;
import com.google.gerrit.server.ChangeUtil;
import com.google.gerrit.server.extensions.events.GitReferenceUpdated;
import com.google.gerrit.server.git.GitRepositoryManager;
import com.google.gerrit.server.patch.PatchSetInfoFactory;
import com.google.gerrit.server.patch.PatchSetInfoNotAvailableException;
import com.google.gerrit.server.project.ChangeControl;
import com.google.gerrit.server.project.NoSuchChangeException;
import com.google.gwtorm.server.OrmException;
import com.google.inject.Inject;
import com.google.inject.assistedinject.Assisted;
import java.io.IOException;
import java.util.Collections;
import java.util.List;
import java.util.concurrent.Callable;
public class DeleteDraftPatchSet implements Callable<ReviewResult> {
public interface Factory {
DeleteDraftPatchSet create(PatchSet.Id patchSetId);
}
private final ChangeControl.Factory changeControlFactory;
private final ReviewDb db;
private final GitRepositoryManager gitManager;
private final GitReferenceUpdated gitRefUpdated;
private final PatchSetInfoFactory patchSetInfoFactory;
private final PatchSet.Id patchSetId;
@Inject
DeleteDraftPatchSet(ChangeControl.Factory changeControlFactory,
ReviewDb db, GitRepositoryManager gitManager,
GitReferenceUpdated gitRefUpdated, PatchSetInfoFactory patchSetInfoFactory,
@Assisted final PatchSet.Id patchSetId) {
this.changeControlFactory = changeControlFactory;
this.db = db;
this.gitManager = gitManager;
this.gitRefUpdated = gitRefUpdated;
this.patchSetInfoFactory = patchSetInfoFactory;
this.patchSetId = patchSetId;
}
@Override
public ReviewResult call() throws NoSuchChangeException, OrmException {
final ReviewResult result = new ReviewResult();
final Change.Id changeId = patchSetId.getParentKey();
result.setChangeId(changeId);
final ChangeControl control = changeControlFactory.validateFor(changeId);
final PatchSet patch = db.patchSets().get(patchSetId);
if (patch == null) {
throw new NoSuchChangeException(changeId);
}
if (!patch.isDraft()) {
result.addError(new ReviewResult.Error(
ReviewResult.Error.Type.NOT_A_DRAFT));
return result;
}
if (!control.canDeleteDraft(db)) {
result.addError(new ReviewResult.Error(
ReviewResult.Error.Type.DELETE_NOT_PERMITTED));
return result;
}
final Change change = control.getChange();
try {
ChangeUtil.deleteOnlyDraftPatchSet(patch, change, gitManager, gitRefUpdated, db);
} catch (IOException e) {
result.addError(new ReviewResult.Error(
ReviewResult.Error.Type.GIT_ERROR, e.getMessage()));
}
List<PatchSet> restOfPatches = db.patchSets().byChange(changeId).toList();
if (restOfPatches.size() == 0) {
try {
ChangeUtil.deleteDraftChange(patchSetId, gitManager, gitRefUpdated, db);
result.setChangeId(null);
} catch (IOException e) {
result.addError(new ReviewResult.Error(
ReviewResult.Error.Type.GIT_ERROR, e.getMessage()));
}
} else {
PatchSet.Id highestId = null;
for (PatchSet ps : restOfPatches) {
if (highestId == null || ps.getPatchSetId() > highestId.get()) {
highestId = ps.getId();
}
}
if (change.currentPatchSetId().equals(patchSetId)) {
try {
- PatchSet.Id id =
- new PatchSet.Id(patchSetId.getParentKey(), patchSetId.get() - 1);
- change.setCurrentPatchSet(patchSetInfoFactory.get(db, id));
+ change.setCurrentPatchSet(patchSetInfoFactory.get(db, highestId));
} catch (PatchSetInfoNotAvailableException e) {
throw new NoSuchChangeException(changeId);
}
db.changes().update(Collections.singleton(change));
}
}
return result;
}
}
| true | true | public ReviewResult call() throws NoSuchChangeException, OrmException {
final ReviewResult result = new ReviewResult();
final Change.Id changeId = patchSetId.getParentKey();
result.setChangeId(changeId);
final ChangeControl control = changeControlFactory.validateFor(changeId);
final PatchSet patch = db.patchSets().get(patchSetId);
if (patch == null) {
throw new NoSuchChangeException(changeId);
}
if (!patch.isDraft()) {
result.addError(new ReviewResult.Error(
ReviewResult.Error.Type.NOT_A_DRAFT));
return result;
}
if (!control.canDeleteDraft(db)) {
result.addError(new ReviewResult.Error(
ReviewResult.Error.Type.DELETE_NOT_PERMITTED));
return result;
}
final Change change = control.getChange();
try {
ChangeUtil.deleteOnlyDraftPatchSet(patch, change, gitManager, gitRefUpdated, db);
} catch (IOException e) {
result.addError(new ReviewResult.Error(
ReviewResult.Error.Type.GIT_ERROR, e.getMessage()));
}
List<PatchSet> restOfPatches = db.patchSets().byChange(changeId).toList();
if (restOfPatches.size() == 0) {
try {
ChangeUtil.deleteDraftChange(patchSetId, gitManager, gitRefUpdated, db);
result.setChangeId(null);
} catch (IOException e) {
result.addError(new ReviewResult.Error(
ReviewResult.Error.Type.GIT_ERROR, e.getMessage()));
}
} else {
PatchSet.Id highestId = null;
for (PatchSet ps : restOfPatches) {
if (highestId == null || ps.getPatchSetId() > highestId.get()) {
highestId = ps.getId();
}
}
if (change.currentPatchSetId().equals(patchSetId)) {
try {
PatchSet.Id id =
new PatchSet.Id(patchSetId.getParentKey(), patchSetId.get() - 1);
change.setCurrentPatchSet(patchSetInfoFactory.get(db, id));
} catch (PatchSetInfoNotAvailableException e) {
throw new NoSuchChangeException(changeId);
}
db.changes().update(Collections.singleton(change));
}
}
return result;
}
| public ReviewResult call() throws NoSuchChangeException, OrmException {
final ReviewResult result = new ReviewResult();
final Change.Id changeId = patchSetId.getParentKey();
result.setChangeId(changeId);
final ChangeControl control = changeControlFactory.validateFor(changeId);
final PatchSet patch = db.patchSets().get(patchSetId);
if (patch == null) {
throw new NoSuchChangeException(changeId);
}
if (!patch.isDraft()) {
result.addError(new ReviewResult.Error(
ReviewResult.Error.Type.NOT_A_DRAFT));
return result;
}
if (!control.canDeleteDraft(db)) {
result.addError(new ReviewResult.Error(
ReviewResult.Error.Type.DELETE_NOT_PERMITTED));
return result;
}
final Change change = control.getChange();
try {
ChangeUtil.deleteOnlyDraftPatchSet(patch, change, gitManager, gitRefUpdated, db);
} catch (IOException e) {
result.addError(new ReviewResult.Error(
ReviewResult.Error.Type.GIT_ERROR, e.getMessage()));
}
List<PatchSet> restOfPatches = db.patchSets().byChange(changeId).toList();
if (restOfPatches.size() == 0) {
try {
ChangeUtil.deleteDraftChange(patchSetId, gitManager, gitRefUpdated, db);
result.setChangeId(null);
} catch (IOException e) {
result.addError(new ReviewResult.Error(
ReviewResult.Error.Type.GIT_ERROR, e.getMessage()));
}
} else {
PatchSet.Id highestId = null;
for (PatchSet ps : restOfPatches) {
if (highestId == null || ps.getPatchSetId() > highestId.get()) {
highestId = ps.getId();
}
}
if (change.currentPatchSetId().equals(patchSetId)) {
try {
change.setCurrentPatchSet(patchSetInfoFactory.get(db, highestId));
} catch (PatchSetInfoNotAvailableException e) {
throw new NoSuchChangeException(changeId);
}
db.changes().update(Collections.singleton(change));
}
}
return result;
}
|
diff --git a/src/com/android/settings/cyanogenmod/AutoBrightnessCustomizeDialog.java b/src/com/android/settings/cyanogenmod/AutoBrightnessCustomizeDialog.java
index 3f93afcd9..f9b6e195e 100644
--- a/src/com/android/settings/cyanogenmod/AutoBrightnessCustomizeDialog.java
+++ b/src/com/android/settings/cyanogenmod/AutoBrightnessCustomizeDialog.java
@@ -1,565 +1,565 @@
package com.android.settings.cyanogenmod;
import android.app.AlertDialog;
import android.content.Context;
import android.content.DialogInterface;
import android.content.res.Resources;
import android.hardware.Sensor;
import android.hardware.SensorEvent;
import android.hardware.SensorEventListener;
import android.hardware.SensorManager;
import android.os.Bundle;
import android.os.PowerManager;
import android.provider.Settings;
import android.text.Editable;
import android.text.TextWatcher;
import android.util.Log;
import android.view.ContextMenu;
import android.view.Menu;
import android.view.MenuItem;
import android.view.View;
import android.view.ViewGroup;
import android.view.Window;
import android.view.WindowManager;
import android.widget.AdapterView;
import android.widget.ArrayAdapter;
import android.widget.Button;
import android.widget.EditText;
import android.widget.ListView;
import android.widget.SeekBar;
import android.widget.TextView;
import java.util.ArrayList;
import com.android.settings.R;
public class AutoBrightnessCustomizeDialog extends AlertDialog
implements DialogInterface.OnClickListener {
private static final String TAG = "AutoBrightnessCustomizeDialog";
private TextView mSensorLevel;
private TextView mBrightnessLevel;
private ListView mConfigList;
private SensorManager mSensorManager;
private Sensor mLightSensor;
private static class SettingRow {
int luxFrom;
int luxTo;
int backlight;
public SettingRow(int luxFrom, int luxTo, int backlight) {
this.luxFrom = luxFrom;
this.luxTo = luxTo;
this.backlight = backlight;
}
};
private SettingRowAdapter mAdapter;
private int mMinLevel;
private boolean mIsDefault;
private SensorEventListener mLightSensorListener = new SensorEventListener() {
@Override
public void onSensorChanged(SensorEvent event) {
final int lux = Math.round(event.values[0]);
mSensorLevel.setText(getContext().getString(R.string.light_sensor_current_value, lux));
}
@Override
public void onAccuracyChanged(Sensor sensor, int accuracy) {
}
};
public AutoBrightnessCustomizeDialog(Context context) {
super(context);
}
@Override
protected void onCreate(Bundle savedInstanceState) {
final Context context = getContext();
View view = getLayoutInflater().inflate(R.layout.dialog_auto_brightness_levels, null);
setView(view);
setTitle(R.string.auto_brightness_dialog_title);
setCancelable(true);
setButton(DialogInterface.BUTTON_POSITIVE, context.getString(android.R.string.ok), this);
setButton(DialogInterface.BUTTON_NEUTRAL,
context.getString(R.string.auto_brightness_reset_button), this);
setButton(DialogInterface.BUTTON_NEGATIVE, context.getString(android.R.string.cancel), this);
super.onCreate(savedInstanceState);
mSensorManager = (SensorManager) context.getSystemService(Context.SENSOR_SERVICE);
mLightSensor = mSensorManager.getDefaultSensor(Sensor.TYPE_LIGHT);
PowerManager pm = (PowerManager) context.getSystemService(Context.POWER_SERVICE);
mMinLevel = pm.getMinimumAbsoluteScreenBrightness();
mSensorLevel = (TextView) view.findViewById(R.id.light_sensor_value);
mBrightnessLevel = (TextView) view.findViewById(R.id.current_brightness);
mConfigList = (ListView) view.findViewById(android.R.id.list);
mAdapter = new SettingRowAdapter(context, new ArrayList<SettingRow>());
mConfigList.setAdapter(mAdapter);
registerForContextMenu(mConfigList);
}
@Override
protected void onStart() {
updateSettings(false);
super.onStart();
mSensorManager.registerListener(mLightSensorListener,
mLightSensor, SensorManager.SENSOR_DELAY_NORMAL);
Button neutralButton = getButton(DialogInterface.BUTTON_NEUTRAL);
neutralButton.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
showResetConfirmation();
}
});
}
@Override
protected void onStop() {
super.onStop();
mSensorManager.unregisterListener(mLightSensorListener, mLightSensor);
}
@Override
public void onCreateContextMenu(ContextMenu menu, View v, ContextMenu.ContextMenuInfo menuInfo) {
AdapterView.AdapterContextMenuInfo info = (AdapterView.AdapterContextMenuInfo) menuInfo;
menu.setHeaderTitle(R.string.auto_brightness_level_options);
menu.add(Menu.NONE, Menu.FIRST, 0, R.string.auto_brightness_menu_edit_lux)
.setEnabled(!mAdapter.isLastItem(info.position));
menu.add(Menu.NONE, Menu.FIRST + 1, 1, R.string.auto_brightness_menu_split)
.setEnabled(mAdapter.canSplitRow(info.position));
menu.add(Menu.NONE, Menu.FIRST + 2, 2, R.string.auto_brightness_menu_remove)
.setEnabled(mAdapter.getCount() > 1);
}
@Override
public boolean onMenuItemSelected(int featureId, MenuItem item) {
AdapterView.AdapterContextMenuInfo info =
(AdapterView.AdapterContextMenuInfo) item.getMenuInfo();
int position = info.position;
switch (item.getItemId() - Menu.FIRST) {
case 0:
showLuxSetup(position);
return true;
case 1:
showSplitDialog(position);
break;
case 2:
mAdapter.removeRow(position);
return true;
}
return false;
}
@Override
public void onClick(DialogInterface dialog, int which) {
if (which == DialogInterface.BUTTON_POSITIVE) {
putSettings();
} else if (which == DialogInterface.BUTTON_NEGATIVE) {
cancel();
}
}
private void updateSettings(boolean forceDefault) {
int[] lux = null, values = null;
if (!forceDefault) {
lux = fetchItems(Settings.System.AUTO_BRIGHTNESS_LUX);
values = fetchItems(Settings.System.AUTO_BRIGHTNESS_BACKLIGHT);
}
if (lux != null && values != null && lux.length != values.length - 1) {
Log.e(TAG, "Found invalid backlight settings, ignoring");
values = null;
}
if (lux == null || values == null) {
final Resources res = getContext().getResources();
lux = res.getIntArray(com.android.internal.R.array.config_autoBrightnessLevels);
values = res.getIntArray(com.android.internal.R.array.config_autoBrightnessLcdBacklightValues);
mIsDefault = true;
} else {
mIsDefault = false;
}
mAdapter.initFromSettings(lux, values);
}
private void showLuxSetup(final int position) {
final SettingRow row = mAdapter.getItem(position);
final View v = getLayoutInflater().inflate(R.layout.auto_brightness_lux_config, null);
final EditText startLux = (EditText) v.findViewById(R.id.start_lux);
final EditText endLux = (EditText) v.findViewById(R.id.end_lux);
final AlertDialog d = new AlertDialog.Builder(getContext())
.setTitle(R.string.auto_brightness_lux_dialog_title)
.setCancelable(true)
.setView(v)
.setPositiveButton(R.string.ok, new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface d, int which) {
try {
int newLux = Integer.valueOf(endLux.getText().toString());
mAdapter.setLuxToForRow(position, newLux);
} catch (NumberFormatException e) {
//ignored
}
}
})
.setNegativeButton(R.string.cancel, null)
.create();
startLux.setText(String.valueOf(row.luxFrom));
endLux.setText(String.valueOf(row.luxTo));
d.show();
}
private void showSplitDialog(final int position) {
final SettingRow row = mAdapter.getItem(position);
final View v = getLayoutInflater().inflate(R.layout.auto_brightness_split_dialog, null);
final TextView label = (TextView) v.findViewById(R.id.split_label);
final EditText value = (EditText) v.findViewById(R.id.split_position);
final AlertDialog d = new AlertDialog.Builder(getContext())
.setTitle(R.string.auto_brightness_lux_dialog_title)
.setCancelable(true)
.setView(v)
.setPositiveButton(R.string.ok, new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface d, int which) {
int splitLux = Integer.valueOf(value.getText().toString());
mAdapter.splitRow(position, splitLux);
}
})
.setNegativeButton(R.string.cancel, null)
.create();
label.setText(getContext().getString(R.string.auto_brightness_split_lux_format,
row.luxFrom + 1, row.luxTo - 1));
value.setText(String.valueOf(row.luxFrom + 1));
value.addTextChangedListener(new TextWatcher() {
@Override
public void beforeTextChanged(CharSequence s, int start, int count, int after) {
}
@Override
public void onTextChanged(CharSequence s, int start, int before, int count) {
}
@Override
public void afterTextChanged(Editable s) {
boolean ok = false;
try {
int newLux = Integer.valueOf(s.toString());
ok = newLux > row.luxFrom && newLux < row.luxTo;
} catch (NumberFormatException e) {
//ignored, ok is false anyway
}
Button okButton = d.getButton(DialogInterface.BUTTON_POSITIVE);
if (okButton != null) {
okButton.setEnabled(ok);
}
}
});
d.show();
}
private void showResetConfirmation() {
final AlertDialog d = new AlertDialog.Builder(getContext())
.setTitle(R.string.auto_brightness_reset_dialog_title)
.setCancelable(true)
.setMessage(R.string.auto_brightness_reset_confirmation)
.setPositiveButton(R.string.ok, new DialogInterface.OnClickListener() {
@Override
public void onClick(DialogInterface d, int which) {
updateSettings(true);
}
})
.setNegativeButton(R.string.cancel, null)
.create();
d.show();
}
private void putSettings() {
int[] lux = null, values = null;
if (!mIsDefault) {
lux = mAdapter.getLuxValues();
values = mAdapter.getBacklightValues();
}
putItems(Settings.System.AUTO_BRIGHTNESS_LUX, lux);
putItems(Settings.System.AUTO_BRIGHTNESS_BACKLIGHT, values);
}
private int[] fetchItems(String setting) {
String value = Settings.System.getString(getContext().getContentResolver(), setting);
if (value != null) {
String[] values = value.split(",");
if (values != null && values.length != 0) {
int[] result = new int[values.length];
int i;
for (i = 0; i < values.length; i++) {
try {
result[i] = Integer.valueOf(values[i]);
} catch (NumberFormatException e) {
break;
}
}
if (i == values.length) {
return result;
}
}
}
return null;
}
private void putItems(String setting, int[] values) {
String value = null;
if (values != null) {
final StringBuilder builder = new StringBuilder();
for (int i = 0; i < values.length; i++) {
if (i > 0) {
builder.append(",");
}
builder.append(values[i]);
}
value = builder.toString();
}
Settings.System.putString(getContext().getContentResolver(), setting, value);
}
private class SettingRowAdapter extends ArrayAdapter<SettingRow> {
public SettingRowAdapter(Context context, ArrayList<SettingRow> rows) {
super(context, 0, rows);
setNotifyOnChange(false);
}
private boolean isLastItem(int position) {
return position == getCount() - 1;
}
public boolean canSplitRow(int position) {
if (isLastItem(position)) {
return false;
}
SettingRow row = getItem(position);
return row.luxTo > (row.luxFrom + 1);
}
public void initFromSettings(int[] lux, int[] values) {
ArrayList<SettingRow> settings = new ArrayList<SettingRow>(values.length);
for (int i = 0; i < lux.length; i++) {
settings.add(new SettingRow(i == 0 ? 0 : lux[i - 1], lux[i], values[i]));
}
settings.add(new SettingRow(lux[lux.length - 1], Integer.MAX_VALUE, values[values.length - 1]));
clear();
addAll(settings);
notifyDataSetChanged();
}
public int[] getLuxValues() {
int count = getCount();
int[] lux = new int[count - 1];
for (int i = 0; i < count - 1; i++) {
lux[i] = getItem(i).luxTo;
}
return lux;
}
public int[] getBacklightValues() {
int count = getCount();
int[] values = new int[count];
for (int i = 0; i < count; i++) {
values[i] = getItem(i).backlight;
}
return values;
}
public void splitRow(int position, int splitLux) {
if (!canSplitRow(position)) {
return;
}
ArrayList<SettingRow> rows = new ArrayList<SettingRow>();
for (int i = 0; i <= position; i++) {
rows.add(getItem(i));
}
SettingRow lastRow = getItem(position);
SettingRow nextRow = getItem(position + 1);
rows.add(new SettingRow(splitLux, nextRow.luxFrom, lastRow.backlight));
for (int i = position + 1; i < getCount(); i++) {
rows.add(getItem(i));
}
clear();
addAll(rows);
sanitizeValuesAndNotify();
}
public void removeRow(int position) {
if (getCount() <= 1) {
return;
}
remove(getItem(position));
sanitizeValuesAndNotify();
}
public void setLuxToForRow(final int position, int newLuxTo) {
final SettingRow row = getItem(position);
if (isLastItem(position) || row.luxTo == newLuxTo) {
return;
}
row.luxTo = newLuxTo;
sanitizeValuesAndNotify();
}
public void sanitizeValuesAndNotify() {
final int count = getCount();
getItem(0).luxFrom = 0;
for (int i = 1; i < count; i++) {
SettingRow lastRow = getItem(i - 1);
SettingRow thisRow = getItem(i);
thisRow.luxFrom = Math.max(lastRow.luxFrom + 1, thisRow.luxFrom);
thisRow.backlight = Math.max(lastRow.backlight, thisRow.backlight);
lastRow.luxTo = thisRow.luxFrom;
}
getItem(count - 1).luxTo = Integer.MAX_VALUE;
mIsDefault = false;
mAdapter.notifyDataSetChanged();
}
private int brightnessToProgress(int brightness) {
brightness -= mMinLevel;
return brightness * 100;
}
private float progressToBrightness(int progress) {
float brightness = (float) progress / 100F;
return brightness + mMinLevel;
}
@Override
public View getView(int position, View convertView, ViewGroup parent) {
final Holder holder;
if (convertView == null) {
convertView = getLayoutInflater().inflate(
R.layout.auto_brightness_list_item, parent, false);
holder = new Holder();
holder.lux = (TextView) convertView.findViewById(R.id.lux);
holder.backlight = (SeekBar) convertView.findViewById(R.id.backlight);
holder.percent = (TextView) convertView.findViewById(R.id.backlight_percent);
convertView.setTag(holder);
holder.backlight.setMax(brightnessToProgress(PowerManager.BRIGHTNESS_ON));
holder.backlight.setOnSeekBarChangeListener(new SeekBar.OnSeekBarChangeListener() {
private boolean mIsDragging = false;
private void updateBrightness(float brightness) {
final Window window = getWindow();
final WindowManager.LayoutParams params = window.getAttributes();
params.screenBrightness = brightness;
window.setAttributes(params);
}
@Override
public void onProgressChanged(SeekBar seekBar, int progress, boolean fromUser) {
int pos = (Integer) seekBar.getTag();
if (fromUser) {
int minValue = pos == 0
? 0
: brightnessToProgress(getItem(pos - 1).backlight);
int maxValue = isLastItem(pos)
? seekBar.getMax()
: brightnessToProgress(getItem(pos + 1).backlight);
if (progress < minValue) {
seekBar.setProgress(minValue);
- return;
+ progress = minValue;
} else if (progress > maxValue) {
seekBar.setProgress(maxValue);
- return;
+ progress = maxValue;
}
getItem(pos).backlight = Math.round(progressToBrightness(progress));
mIsDefault = false;
}
if (mIsDragging) {
float brightness = progressToBrightness(progress);
updateBrightness(brightness / PowerManager.BRIGHTNESS_ON);
}
holder.updatePercent();
}
@Override
public void onStartTrackingTouch(SeekBar seekBar) {
float brightness = progressToBrightness(seekBar.getProgress());
updateBrightness(brightness / PowerManager.BRIGHTNESS_ON);
mIsDragging = true;
}
@Override
public void onStopTrackingTouch(SeekBar seekBar) {
updateBrightness(WindowManager.LayoutParams.BRIGHTNESS_OVERRIDE_NONE);
mIsDragging = false;
}
});
} else {
holder = (Holder) convertView.getTag();
}
SettingRow row = (SettingRow) getItem(position);
final String to = row.luxTo == Integer.MAX_VALUE ? "\u221e" : String.valueOf(row.luxTo);
holder.lux.setText(getContext().getString(R.string.auto_brightness_level_format,
String.valueOf(row.luxFrom), to));
holder.backlight.setTag(position);
holder.backlight.setProgress(brightnessToProgress(row.backlight));
holder.updatePercent();
return convertView;
}
private class Holder {
TextView lux;
SeekBar backlight;
TextView percent;
public void updatePercent() {
int percentValue = Math.round((float) backlight.getProgress() * 100F / backlight.getMax());
percent.setText(getContext().getString(
R.string.auto_brightness_brightness_format, percentValue));
}
};
};
}
| false | true | public View getView(int position, View convertView, ViewGroup parent) {
final Holder holder;
if (convertView == null) {
convertView = getLayoutInflater().inflate(
R.layout.auto_brightness_list_item, parent, false);
holder = new Holder();
holder.lux = (TextView) convertView.findViewById(R.id.lux);
holder.backlight = (SeekBar) convertView.findViewById(R.id.backlight);
holder.percent = (TextView) convertView.findViewById(R.id.backlight_percent);
convertView.setTag(holder);
holder.backlight.setMax(brightnessToProgress(PowerManager.BRIGHTNESS_ON));
holder.backlight.setOnSeekBarChangeListener(new SeekBar.OnSeekBarChangeListener() {
private boolean mIsDragging = false;
private void updateBrightness(float brightness) {
final Window window = getWindow();
final WindowManager.LayoutParams params = window.getAttributes();
params.screenBrightness = brightness;
window.setAttributes(params);
}
@Override
public void onProgressChanged(SeekBar seekBar, int progress, boolean fromUser) {
int pos = (Integer) seekBar.getTag();
if (fromUser) {
int minValue = pos == 0
? 0
: brightnessToProgress(getItem(pos - 1).backlight);
int maxValue = isLastItem(pos)
? seekBar.getMax()
: brightnessToProgress(getItem(pos + 1).backlight);
if (progress < minValue) {
seekBar.setProgress(minValue);
return;
} else if (progress > maxValue) {
seekBar.setProgress(maxValue);
return;
}
getItem(pos).backlight = Math.round(progressToBrightness(progress));
mIsDefault = false;
}
if (mIsDragging) {
float brightness = progressToBrightness(progress);
updateBrightness(brightness / PowerManager.BRIGHTNESS_ON);
}
holder.updatePercent();
}
@Override
public void onStartTrackingTouch(SeekBar seekBar) {
float brightness = progressToBrightness(seekBar.getProgress());
updateBrightness(brightness / PowerManager.BRIGHTNESS_ON);
mIsDragging = true;
}
@Override
public void onStopTrackingTouch(SeekBar seekBar) {
updateBrightness(WindowManager.LayoutParams.BRIGHTNESS_OVERRIDE_NONE);
mIsDragging = false;
}
});
} else {
holder = (Holder) convertView.getTag();
}
SettingRow row = (SettingRow) getItem(position);
final String to = row.luxTo == Integer.MAX_VALUE ? "\u221e" : String.valueOf(row.luxTo);
holder.lux.setText(getContext().getString(R.string.auto_brightness_level_format,
String.valueOf(row.luxFrom), to));
holder.backlight.setTag(position);
holder.backlight.setProgress(brightnessToProgress(row.backlight));
holder.updatePercent();
return convertView;
}
| public View getView(int position, View convertView, ViewGroup parent) {
final Holder holder;
if (convertView == null) {
convertView = getLayoutInflater().inflate(
R.layout.auto_brightness_list_item, parent, false);
holder = new Holder();
holder.lux = (TextView) convertView.findViewById(R.id.lux);
holder.backlight = (SeekBar) convertView.findViewById(R.id.backlight);
holder.percent = (TextView) convertView.findViewById(R.id.backlight_percent);
convertView.setTag(holder);
holder.backlight.setMax(brightnessToProgress(PowerManager.BRIGHTNESS_ON));
holder.backlight.setOnSeekBarChangeListener(new SeekBar.OnSeekBarChangeListener() {
private boolean mIsDragging = false;
private void updateBrightness(float brightness) {
final Window window = getWindow();
final WindowManager.LayoutParams params = window.getAttributes();
params.screenBrightness = brightness;
window.setAttributes(params);
}
@Override
public void onProgressChanged(SeekBar seekBar, int progress, boolean fromUser) {
int pos = (Integer) seekBar.getTag();
if (fromUser) {
int minValue = pos == 0
? 0
: brightnessToProgress(getItem(pos - 1).backlight);
int maxValue = isLastItem(pos)
? seekBar.getMax()
: brightnessToProgress(getItem(pos + 1).backlight);
if (progress < minValue) {
seekBar.setProgress(minValue);
progress = minValue;
} else if (progress > maxValue) {
seekBar.setProgress(maxValue);
progress = maxValue;
}
getItem(pos).backlight = Math.round(progressToBrightness(progress));
mIsDefault = false;
}
if (mIsDragging) {
float brightness = progressToBrightness(progress);
updateBrightness(brightness / PowerManager.BRIGHTNESS_ON);
}
holder.updatePercent();
}
@Override
public void onStartTrackingTouch(SeekBar seekBar) {
float brightness = progressToBrightness(seekBar.getProgress());
updateBrightness(brightness / PowerManager.BRIGHTNESS_ON);
mIsDragging = true;
}
@Override
public void onStopTrackingTouch(SeekBar seekBar) {
updateBrightness(WindowManager.LayoutParams.BRIGHTNESS_OVERRIDE_NONE);
mIsDragging = false;
}
});
} else {
holder = (Holder) convertView.getTag();
}
SettingRow row = (SettingRow) getItem(position);
final String to = row.luxTo == Integer.MAX_VALUE ? "\u221e" : String.valueOf(row.luxTo);
holder.lux.setText(getContext().getString(R.string.auto_brightness_level_format,
String.valueOf(row.luxFrom), to));
holder.backlight.setTag(position);
holder.backlight.setProgress(brightnessToProgress(row.backlight));
holder.updatePercent();
return convertView;
}
|
diff --git a/src/main/java/org/basex/query/func/FNGen.java b/src/main/java/org/basex/query/func/FNGen.java
index 33fd99708..3adac6c8b 100644
--- a/src/main/java/org/basex/query/func/FNGen.java
+++ b/src/main/java/org/basex/query/func/FNGen.java
@@ -1,362 +1,362 @@
package org.basex.query.func;
import static org.basex.query.QueryTokens.*;
import static org.basex.query.util.Err.*;
import static org.basex.util.Token.*;
import java.io.IOException;
import org.basex.build.MemBuilder;
import org.basex.build.Parser;
import org.basex.core.Prop;
import org.basex.data.Data;
import org.basex.data.SerializerException;
import org.basex.data.SerializerProp;
import org.basex.data.XMLSerializer;
import org.basex.io.ArrayOutput;
import org.basex.io.IO;
import org.basex.io.IOContent;
import org.basex.io.TextInput;
import org.basex.query.QueryContext;
import org.basex.query.QueryException;
import org.basex.query.expr.Expr;
import org.basex.query.item.Bln;
import org.basex.query.item.DBNode;
import org.basex.query.item.Item;
import org.basex.query.item.ANode;
import org.basex.query.item.NodeType;
import org.basex.query.item.QNm;
import org.basex.query.item.SeqType;
import org.basex.query.item.AtomType;
import org.basex.query.item.Str;
import org.basex.query.item.Uri;
import org.basex.query.iter.AxisIter;
import org.basex.query.iter.Iter;
import org.basex.query.up.primitives.Put;
import org.basex.query.util.Err;
import org.basex.util.ByteList;
import org.basex.util.InputInfo;
import org.basex.util.TokenBuilder;
/**
* Generating functions.
*
* @author BaseX Team 2005-11, BSD License
* @author Christian Gruen
*/
final class FNGen extends Fun {
/** Output namespace. */
private static final Uri U_ZIP = Uri.uri(OUTPUTURI);
/** Element: output:serialization-parameter. */
private static final QNm E_PARAM =
new QNm(token("serialization-parameters"), U_ZIP);
/**
* Constructor.
* @param ii input info
* @param f function definition
* @param e arguments
*/
protected FNGen(final InputInfo ii, final FunDef f, final Expr[] e) {
super(ii, f, e);
}
@Override
public Iter iter(final QueryContext ctx) throws QueryException {
switch(def) {
case DATA: return data(ctx);
case COLL: return collection(ctx);
case URICOLL: return uriCollection(ctx);
case PARSETXTLIN: return unparsedTextLines(ctx);
default: return super.iter(ctx);
}
}
@Override
public Item item(final QueryContext ctx, final InputInfo ii)
throws QueryException {
switch(def) {
case DOC: return doc(ctx);
case DOCAVL: return docAvailable(ctx);
case PARSETXT: return unparsedText(ctx);
case PARSETXTAVL: return unparsedTextAvailable(ctx);
case PUT: return put(ctx);
case PARSEXML: return parseXml(ctx);
case SERIALIZE: return serialize(ctx);
default: return super.item(ctx, ii);
}
}
@Override
public Expr cmp(final QueryContext ctx) {
if(def == FunDef.DATA && expr.length == 1) {
final SeqType t = expr[0].type();
type = t.type.node() ? SeqType.get(AtomType.ATM, t.occ) : t;
}
return this;
}
/**
* Performs the data function.
* @param ctx query context
* @return resulting iterator
* @throws QueryException query exception
*/
private Iter data(final QueryContext ctx) throws QueryException {
final Iter ir = ctx.iter(expr.length != 0 ? expr[0] : checkCtx(ctx));
return new Iter() {
@Override
public Item next() throws QueryException {
final Item it = ir.next();
if(it == null) return null;
if(it.func()) FNATM.thrw(input, FNGen.this);
return atom(it);
}
};
}
/**
* Performs the collection function.
* @param ctx query context
* @return resulting iterator
* @throws QueryException query exception
*/
private Iter collection(final QueryContext ctx) throws QueryException {
return ctx.resource.collection(expr.length != 0 ? checkStr(expr[0], ctx) :
null, input);
}
/**
* Performs the uri-collection function.
* @param ctx query context
* @return resulting iterator
* @throws QueryException query exception
*/
private Iter uriCollection(final QueryContext ctx) throws QueryException {
final Iter coll = collection(ctx);
return new Iter() {
@Override
public Item next() throws QueryException {
final Item it = coll.next();
// all items will be nodes
return it == null ? null : Uri.uri(((ANode) it).base());
}
};
}
/**
* Performs the put function.
* @param ctx query context
* @return resulting iterator
* @throws QueryException query exception
*/
private Item put(final QueryContext ctx) throws QueryException {
checkAdmin(ctx);
final byte[] file = checkEStr(expr[1], ctx);
final Item it = checkNode(checkEmpty(expr[0].item(ctx, input)));
if(it == null || it.type != NodeType.DOC && it.type != NodeType.ELM)
UPFOTYPE.thrw(input, expr[0]);
final Uri u = Uri.uri(file);
if(u == Uri.EMPTY || !u.valid()) UPFOURI.thrw(input, file);
ctx.updates.add(new Put(input, (ANode) it, u, ctx), ctx);
return null;
}
/**
* Performs the doc function.
* @param ctx query context
* @return resulting node
* @throws QueryException query exception
*/
private ANode doc(final QueryContext ctx) throws QueryException {
final Item it = expr[0].item(ctx, input);
if(it == null) return null;
final byte[] in = checkEStr(it);
if(contains(in, '<') || contains(in, '>')) INVDOC.thrw(input, in);
final Data d = ctx.resource.data(in, false, input);
if(!d.single()) EXPSINGLE.thrw(input);
return new DBNode(d, 0, Data.DOC);
}
/**
* Performs the doc-available function.
* @param ctx query context
* @return resulting item
* @throws QueryException query exception
*/
private Bln docAvailable(final QueryContext ctx) throws QueryException {
try {
return Bln.get(doc(ctx) != null);
} catch(final QueryException ex) {
// catch FODC0002 and FODC0004
if(ex.type() == Err.ErrType.FODC) return Bln.FALSE;
throw ex;
}
}
/**
* Performs the unparsed-text function.
* @param ctx query context
* @return resulting item
* @throws QueryException query exception
*/
private Str unparsedText(final QueryContext ctx) throws QueryException {
final IO io = checkIO(expr[0], ctx);
final String enc = expr.length < 2 ? null : string(checkStr(expr[1], ctx));
try {
return Str.get(TextInput.content(io, enc).finish());
} catch(final IOException ex) {
throw WRONGINPUT.thrw(input, io, ex);
}
}
/**
* Performs the unparsed-text-lines function.
* @param ctx query context
* @return resulting item
* @throws QueryException query exception
*/
private Iter unparsedTextLines(final QueryContext ctx) throws QueryException {
final byte[] str = unparsedText(ctx).atom();
return new Iter() {
int p = -1;
@Override
public Item next() {
final ByteList bl = new ByteList();
while(++p < str.length) {
if(str[p] == 0x0a) break;
if(str[p] == 0x0d) {
if(p + 1 < str.length && str[p + 1] == 0x0a) p++;
break;
}
bl.add(str[p]);
}
return p + 1 < str.length || bl.size() != 0 ?
Str.get(bl.toArray()) : null;
}
};
}
/**
* Performs the unparsed-text-available function.
* @param ctx query context
* @return resulting item
* @throws QueryException query exception
*/
private Bln unparsedTextAvailable(final QueryContext ctx)
throws QueryException {
final IO io = checkIO(expr[0], ctx);
final String enc = expr.length < 2 ? null : string(checkEStr(expr[1], ctx));
try {
TextInput.content(io, enc);
return Bln.TRUE;
} catch(final IOException ex) {
return Bln.FALSE;
}
}
/**
* Performs the parse-xml function.
* @param ctx query context
* @return resulting item
* @throws QueryException query exception
*/
private ANode parseXml(final QueryContext ctx) throws QueryException {
final byte[] cont = checkEStr(expr[0], ctx);
Uri base = ctx.baseURI;
if(expr.length == 2) {
base = Uri.uri(checkEStr(expr[1], ctx));
if(!base.valid()) DOCBASE.thrw(input, base);
}
final Prop prop = ctx.context.prop;
final IO io = new IOContent(cont, string(base.atom()));
try {
final Parser p = Parser.fileParser(io, prop, "");
return new DBNode(MemBuilder.build(p, prop, ""), 0);
} catch(final IOException ex) {
throw SAXERR.thrw(input, ex);
}
}
/**
* Performs the serialize function.
* @param ctx query context
* @return resulting item
* @throws QueryException query exception
*/
private Str serialize(final QueryContext ctx) throws QueryException {
final ANode node = checkNode(checkItem(expr[0], ctx));
final ArrayOutput ao = new ArrayOutput();
try {
// run serialization
final XMLSerializer xml = new XMLSerializer(ao, serialPar(this, 1, ctx));
node.serialize(xml);
xml.close();
} catch(final SerializerException ex) {
throw new QueryException(input, ex);
} catch(final IOException ex) {
SERANY.thrw(input, ex);
}
return Str.get(ao.toArray());
}
/**
* Creates serializer properties.
* @param fun calling function
* @param arg argument with parameters
* @param ctx query context
* @return serialization parameters
* @throws SerializerException serializer exception
* @throws QueryException query exception
*/
static SerializerProp serialPar(final Fun fun, final int arg,
final QueryContext ctx) throws SerializerException, QueryException {
final TokenBuilder tb = new TokenBuilder();
// check if enough arguments are available
if(arg < fun.expr.length) {
// retrieve parameters
final Item it = fun.expr[arg].item(ctx, fun.input);
if(it != null) {
// check root node
- ANode node = (ANode) fun.checkType(it, Type.ELM);
+ ANode node = (ANode) fun.checkType(it, NodeType.ELM);
if(!node.qname().eq(E_PARAM)) SERUNKNOWN.thrw(fun.input, node.qname());
// interpret query parameters
final AxisIter ai = node.children();
while((node = ai.next()) != null) {
if(tb.size() != 0) tb.add(',');
final QNm name = node.qname();
if(!name.uri().eq(U_ZIP)) SERUNKNOWN.thrw(fun.input, name);
tb.add(name.ln()).add('=').add(node.atom());
}
}
}
// use default parameters if no parameters have been assigned
return tb.size() == 0 ? ctx.serProp() : new SerializerProp(tb.toString());
}
@Override
public boolean uses(final Use u) {
return u == Use.UPD && def == FunDef.PUT || u == Use.X30 && (
def == FunDef.DATA && expr.length == 0 ||
def == FunDef.PARSETXT || def == FunDef.PARSETXTLIN ||
def == FunDef.PARSETXTAVL || def == FunDef.PARSEXML ||
def == FunDef.URICOLL || def == FunDef.SERIALIZE) ||
u == Use.CTX && def == FunDef.DATA && expr.length == 0 ||
super.uses(u);
}
@Override
public boolean duplicates() {
return def != FunDef.COLL && super.duplicates();
}
}
| true | true | static SerializerProp serialPar(final Fun fun, final int arg,
final QueryContext ctx) throws SerializerException, QueryException {
final TokenBuilder tb = new TokenBuilder();
// check if enough arguments are available
if(arg < fun.expr.length) {
// retrieve parameters
final Item it = fun.expr[arg].item(ctx, fun.input);
if(it != null) {
// check root node
ANode node = (ANode) fun.checkType(it, Type.ELM);
if(!node.qname().eq(E_PARAM)) SERUNKNOWN.thrw(fun.input, node.qname());
// interpret query parameters
final AxisIter ai = node.children();
while((node = ai.next()) != null) {
if(tb.size() != 0) tb.add(',');
final QNm name = node.qname();
if(!name.uri().eq(U_ZIP)) SERUNKNOWN.thrw(fun.input, name);
tb.add(name.ln()).add('=').add(node.atom());
}
}
}
// use default parameters if no parameters have been assigned
return tb.size() == 0 ? ctx.serProp() : new SerializerProp(tb.toString());
}
| static SerializerProp serialPar(final Fun fun, final int arg,
final QueryContext ctx) throws SerializerException, QueryException {
final TokenBuilder tb = new TokenBuilder();
// check if enough arguments are available
if(arg < fun.expr.length) {
// retrieve parameters
final Item it = fun.expr[arg].item(ctx, fun.input);
if(it != null) {
// check root node
ANode node = (ANode) fun.checkType(it, NodeType.ELM);
if(!node.qname().eq(E_PARAM)) SERUNKNOWN.thrw(fun.input, node.qname());
// interpret query parameters
final AxisIter ai = node.children();
while((node = ai.next()) != null) {
if(tb.size() != 0) tb.add(',');
final QNm name = node.qname();
if(!name.uri().eq(U_ZIP)) SERUNKNOWN.thrw(fun.input, name);
tb.add(name.ln()).add('=').add(node.atom());
}
}
}
// use default parameters if no parameters have been assigned
return tb.size() == 0 ? ctx.serProp() : new SerializerProp(tb.toString());
}
|
diff --git a/project/src/de/topobyte/livecg/algorithms/dcel/HalfEdgeArrow.java b/project/src/de/topobyte/livecg/algorithms/dcel/HalfEdgeArrow.java
index dfdbc26..afcb0b1 100644
--- a/project/src/de/topobyte/livecg/algorithms/dcel/HalfEdgeArrow.java
+++ b/project/src/de/topobyte/livecg/algorithms/dcel/HalfEdgeArrow.java
@@ -1,147 +1,147 @@
/* This file is part of LiveCG.
*
* Copyright (C) 2013 Sebastian Kuerten
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package de.topobyte.livecg.algorithms.dcel;
import de.topobyte.livecg.core.geometry.dcel.HalfEdge;
import de.topobyte.livecg.core.geometry.dcel.Vertex;
import de.topobyte.livecg.core.geometry.geom.Coordinate;
import de.topobyte.livecg.core.geometry.geom.GeomMath;
import de.topobyte.livecg.core.lina2.Vector;
public class HalfEdgeArrow
{
private double gap;
private boolean valid;
private Vector ao, ad, am;
private double length;
public HalfEdgeArrow(HalfEdge halfedge, double gap, double shorten,
double markerLen, double alpha)
{
this.gap = gap;
double lsa = markerLen * Math.sin(alpha);
double lca = markerLen * Math.cos(alpha);
Vertex origin = halfedge.getOrigin();
Vertex destination = halfedge.getTwin().getOrigin();
Coordinate co = origin.getCoordinate();
Coordinate cd = destination.getCoordinate();
HalfEdge prev = halfedge.getPrev();
Vertex prevOrigin = prev.getOrigin();
Coordinate cpo = prevOrigin.getCoordinate();
HalfEdge next = halfedge.getNext();
Vertex nextDestination = next.getTwin().getOrigin();
Coordinate cnd = nextDestination.getCoordinate();
ao = findPoint(cpo, co, cd, co, cd, true);
ad = findPoint(co, cd, cnd, co, cd, false);
Vector e = new Vector(co, cd).normalized();
Vector arrow = ad.sub(ao);
length = arrow.norm();
valid = length >= shorten * 2;
if (valid) {
ao = ao.add(e.mult(shorten));
ad = ad.sub(e.mult(shorten));
length -= shorten * 2;
}
Vector ppd = e.perpendicularRight().normalized();
am = ad.add(ppd.mult(lsa)).sub(e.mult(lca));
}
/**
* Coordinates c1, c2, c3 form the chain to find a point for.
*
* Coordinates co, cd are the coordinates of the segment that the current
* arrow is parallel to.
*
* @param origin
*/
private Vector findPoint(Coordinate c1, Coordinate c2, Coordinate c3,
Coordinate co, Coordinate cd, boolean origin)
{
Vector v2 = new Vector(c2);
Vector e1 = new Vector(c1, c2).normalized();
Vector e2 = new Vector(c2, c3).normalized();
Vector e = new Vector(co, cd).normalized();
double angle = GeomMath.angle(c2, c1, c3);
- if (angle <= 0.00001) {
+ if (Math.abs(angle) <= 0.00001) {
Vector d = e1.perpendicularRight().normalized();
Vector p;
if (origin) {
p = v2.sub(d.mult(gap));
} else {
p = v2.add(d.mult(gap));
}
return p;
- } else if (angle <= Math.PI) { // Acute angle
+ } else if (angle <= Math.PI - 0.00001) { // Acute angle
// d is the direction in which to shift the point from v2
Vector d = e1.mult(-1).add(e2).normalized();
// Find lambda such that lambda * d shifts the target point p from
// v2 with the property that p has distance 'gap' to e1 and e2
double dx2 = d.getX() * d.getX();
double ex2 = e2.getX() * e2.getX();
double dy2 = d.getY() * d.getY();
double ey2 = e2.getY() * e2.getY();
double dxexdyey = 2 * d.getX() * e2.getX() * d.getY() * e2.getY();
double sub = (dx2 * ex2 + dy2 * ey2 + dxexdyey);
double lambda = gap / Math.sqrt(1 - sub);
Vector p = v2.add(d.mult(lambda));
return p;
} else { // Obtuse angle
// Just move the target point p an amount 'gap' in the direction
// perpendicular to the edge
Vector ppd = e.perpendicularRight().normalized();
Vector p = v2.add(ppd.mult(gap));
return p;
}
}
public boolean isValid()
{
return valid;
}
public Vector getOrigin()
{
return ao;
}
public Vector getDestination()
{
return ad;
}
public Vector getMarker()
{
return am;
}
public double getLength()
{
return length;
}
}
| false | true | private Vector findPoint(Coordinate c1, Coordinate c2, Coordinate c3,
Coordinate co, Coordinate cd, boolean origin)
{
Vector v2 = new Vector(c2);
Vector e1 = new Vector(c1, c2).normalized();
Vector e2 = new Vector(c2, c3).normalized();
Vector e = new Vector(co, cd).normalized();
double angle = GeomMath.angle(c2, c1, c3);
if (angle <= 0.00001) {
Vector d = e1.perpendicularRight().normalized();
Vector p;
if (origin) {
p = v2.sub(d.mult(gap));
} else {
p = v2.add(d.mult(gap));
}
return p;
} else if (angle <= Math.PI) { // Acute angle
// d is the direction in which to shift the point from v2
Vector d = e1.mult(-1).add(e2).normalized();
// Find lambda such that lambda * d shifts the target point p from
// v2 with the property that p has distance 'gap' to e1 and e2
double dx2 = d.getX() * d.getX();
double ex2 = e2.getX() * e2.getX();
double dy2 = d.getY() * d.getY();
double ey2 = e2.getY() * e2.getY();
double dxexdyey = 2 * d.getX() * e2.getX() * d.getY() * e2.getY();
double sub = (dx2 * ex2 + dy2 * ey2 + dxexdyey);
double lambda = gap / Math.sqrt(1 - sub);
Vector p = v2.add(d.mult(lambda));
return p;
} else { // Obtuse angle
// Just move the target point p an amount 'gap' in the direction
// perpendicular to the edge
Vector ppd = e.perpendicularRight().normalized();
Vector p = v2.add(ppd.mult(gap));
return p;
}
}
| private Vector findPoint(Coordinate c1, Coordinate c2, Coordinate c3,
Coordinate co, Coordinate cd, boolean origin)
{
Vector v2 = new Vector(c2);
Vector e1 = new Vector(c1, c2).normalized();
Vector e2 = new Vector(c2, c3).normalized();
Vector e = new Vector(co, cd).normalized();
double angle = GeomMath.angle(c2, c1, c3);
if (Math.abs(angle) <= 0.00001) {
Vector d = e1.perpendicularRight().normalized();
Vector p;
if (origin) {
p = v2.sub(d.mult(gap));
} else {
p = v2.add(d.mult(gap));
}
return p;
} else if (angle <= Math.PI - 0.00001) { // Acute angle
// d is the direction in which to shift the point from v2
Vector d = e1.mult(-1).add(e2).normalized();
// Find lambda such that lambda * d shifts the target point p from
// v2 with the property that p has distance 'gap' to e1 and e2
double dx2 = d.getX() * d.getX();
double ex2 = e2.getX() * e2.getX();
double dy2 = d.getY() * d.getY();
double ey2 = e2.getY() * e2.getY();
double dxexdyey = 2 * d.getX() * e2.getX() * d.getY() * e2.getY();
double sub = (dx2 * ex2 + dy2 * ey2 + dxexdyey);
double lambda = gap / Math.sqrt(1 - sub);
Vector p = v2.add(d.mult(lambda));
return p;
} else { // Obtuse angle
// Just move the target point p an amount 'gap' in the direction
// perpendicular to the edge
Vector ppd = e.perpendicularRight().normalized();
Vector p = v2.add(ppd.mult(gap));
return p;
}
}
|
diff --git a/fap/app/controllers/SeguimientoController.java b/fap/app/controllers/SeguimientoController.java
index 59916225..abf63e81 100644
--- a/fap/app/controllers/SeguimientoController.java
+++ b/fap/app/controllers/SeguimientoController.java
@@ -1,61 +1,61 @@
package controllers;
import java.io.File;
import java.util.ArrayList;
import java.util.List;
import messages.Messages;
import models.SolicitudGenerica;
import play.mvc.Util;
import reports.Report;
import controllers.gen.SeguimientoControllerGen;
public class SeguimientoController extends SeguimientoControllerGen {
@Util
// Este @Util es necesario porque en determinadas circunstancias crear(..) llama a editar(..).
public static void generarSeguimientoForm(String generarSeguimiento) {
checkAuthenticity();
if (!permisoGenerarSeguimientoForm("editar")) {
Messages.error("No tiene permisos suficientes para realizar la acción");
}
if (!Messages.hasErrors()) {
- List<SolicitudGenerica> todasSolicitudes = SolicitudGenerica.find("select solicitud from SolicitudGenerica solicitud").fetch();
+ List<SolicitudGenerica> todasSolicitudes = SolicitudGenerica.find("select solicitud from SolicitudGenerica solicitud order by solicitud.expedienteAed.idAed").fetch();
List<SolicitudGenerica> solicitudes = new ArrayList<SolicitudGenerica>();
for (SolicitudGenerica sol: todasSolicitudes) {
if (sol.datosAnotaciones.anotaciones.size() != 0) {
solicitudes.add(sol);
}
}
if (!Messages.hasErrors()) {
File informeSeguimiento;
try {
// Genera el informe
informeSeguimiento = new Report("reports/seguimientoInformeTodos.html")
.header("reports/header.html")
.footer("reports/footer-borrador.html")
.renderTmpFile(solicitudes);
renderBinary(informeSeguimiento);
} catch (Exception e) {
play.Logger.error("Error generando el borrador del informe. "+e);
Messages.error("Error generando el borrador del informe.");
}
}
}
if (!Messages.hasErrors()) {
SeguimientoController.generarSeguimientoFormValidateRules();
}
if (!Messages.hasErrors()) {
log.info("Acción Editar de página: " + "gen/Seguimiento/Seguimiento.html" + " , intentada con éxito");
} else
log.info("Acción Editar de página: " + "gen/Seguimiento/Seguimiento.html" + " , intentada sin éxito (Problemas de Validación)");
SeguimientoController.generarSeguimientoFormRender();
}
}
| true | true | public static void generarSeguimientoForm(String generarSeguimiento) {
checkAuthenticity();
if (!permisoGenerarSeguimientoForm("editar")) {
Messages.error("No tiene permisos suficientes para realizar la acción");
}
if (!Messages.hasErrors()) {
List<SolicitudGenerica> todasSolicitudes = SolicitudGenerica.find("select solicitud from SolicitudGenerica solicitud").fetch();
List<SolicitudGenerica> solicitudes = new ArrayList<SolicitudGenerica>();
for (SolicitudGenerica sol: todasSolicitudes) {
if (sol.datosAnotaciones.anotaciones.size() != 0) {
solicitudes.add(sol);
}
}
if (!Messages.hasErrors()) {
File informeSeguimiento;
try {
// Genera el informe
informeSeguimiento = new Report("reports/seguimientoInformeTodos.html")
.header("reports/header.html")
.footer("reports/footer-borrador.html")
.renderTmpFile(solicitudes);
renderBinary(informeSeguimiento);
} catch (Exception e) {
play.Logger.error("Error generando el borrador del informe. "+e);
Messages.error("Error generando el borrador del informe.");
}
}
}
if (!Messages.hasErrors()) {
SeguimientoController.generarSeguimientoFormValidateRules();
}
if (!Messages.hasErrors()) {
log.info("Acción Editar de página: " + "gen/Seguimiento/Seguimiento.html" + " , intentada con éxito");
} else
log.info("Acción Editar de página: " + "gen/Seguimiento/Seguimiento.html" + " , intentada sin éxito (Problemas de Validación)");
SeguimientoController.generarSeguimientoFormRender();
}
| public static void generarSeguimientoForm(String generarSeguimiento) {
checkAuthenticity();
if (!permisoGenerarSeguimientoForm("editar")) {
Messages.error("No tiene permisos suficientes para realizar la acción");
}
if (!Messages.hasErrors()) {
List<SolicitudGenerica> todasSolicitudes = SolicitudGenerica.find("select solicitud from SolicitudGenerica solicitud order by solicitud.expedienteAed.idAed").fetch();
List<SolicitudGenerica> solicitudes = new ArrayList<SolicitudGenerica>();
for (SolicitudGenerica sol: todasSolicitudes) {
if (sol.datosAnotaciones.anotaciones.size() != 0) {
solicitudes.add(sol);
}
}
if (!Messages.hasErrors()) {
File informeSeguimiento;
try {
// Genera el informe
informeSeguimiento = new Report("reports/seguimientoInformeTodos.html")
.header("reports/header.html")
.footer("reports/footer-borrador.html")
.renderTmpFile(solicitudes);
renderBinary(informeSeguimiento);
} catch (Exception e) {
play.Logger.error("Error generando el borrador del informe. "+e);
Messages.error("Error generando el borrador del informe.");
}
}
}
if (!Messages.hasErrors()) {
SeguimientoController.generarSeguimientoFormValidateRules();
}
if (!Messages.hasErrors()) {
log.info("Acción Editar de página: " + "gen/Seguimiento/Seguimiento.html" + " , intentada con éxito");
} else
log.info("Acción Editar de página: " + "gen/Seguimiento/Seguimiento.html" + " , intentada sin éxito (Problemas de Validación)");
SeguimientoController.generarSeguimientoFormRender();
}
|
diff --git a/geotools2/geotools-src/gmldatasource/src/org/geotools/gml/FlatFeature.java b/geotools2/geotools-src/gmldatasource/src/org/geotools/gml/FlatFeature.java
index cba57c672..46fa8182b 100644
--- a/geotools2/geotools-src/gmldatasource/src/org/geotools/gml/FlatFeature.java
+++ b/geotools2/geotools-src/gmldatasource/src/org/geotools/gml/FlatFeature.java
@@ -1,107 +1,115 @@
/*
* DefaultFeature.java
*
* Created on March 15, 2002, 3:46 PM
*/
package org.geotools.gml;
import java.util.*;
import org.geotools.datasource.*;
import com.vividsolutions.jts.geom.*;
/**
* <p>Describes a flat feature, which is a simplification of the allowed GML
* feature types. We define a <code>FlatFeature</code> as feature with the
* following properties:<ul>
* <li>Contains a single geometry element.
* <li>Contains an arbitrary number of non-geometric properties, which are
* all simple. Simple means that the properties are in the set: {String,
* Int, Double, Boolean}.</ul>
*
* @author Rob Hranac, Vision for New York
*/
public class FlatFeature implements Feature {
// A COUPLE OF IMPORTANT POINTS TO DEVELOPERS...
// GIVEN THE CURRENT STRUCTURE OF THE FEATURE INTERFACE,
// THIS FEATURE OBJECT DOES NOT DO ANY INTERNAL CHECKS TO MAKE
// SURE THAT IT COMPLIES WITH OUR DEFINITION OF A FLAT FEATURE.
// INSTEAD, THESE CHECKS ARE PERFORMED IN FLATFEATURETABLE,
// THEY SHOULD REALLY BE HERE, BUT THAT WOULD NECESSITATE A DESIGN
// CHANGE TO THE FEATURE INTERFACE, WHICH IS UP TO JAMES AND IAN.
/** Geometry element for the feature */
private Geometry geometry;
/** Attributes for the feature */
private Object[] attributes;
/** Attributes for the feature */
private String[] attributeNames;
/**
* Creates a new instance of DefaultFeature
*/
public FlatFeature() {
}
/**
* Creates a new instance of DefaultFeature
*/
public FlatFeature(int numAttributes) {
attributes = new Object[numAttributes];
}
public void setAttributes(Object[] attributes, String[] colNames){
this.attributes = attributes;
this.attributeNames = colNames;
}
public Object[] getAttributes() {
return attributes;
}
public String[] getAttributeNames() {
return attributeNames;
}
public Geometry getGeometry() {
return this.geometry;
}
public void setGeometry(Geometry geom) {
this.geometry = geom;
}
public void setAttributes(Object[] a) {
setAttributes(a,new String[]{});
}
public String getTypeName(){
return "feature"; //TODO: this needs to a paramiter rather than just being fixed.
}
public String toString() {
StringBuffer featureString = new StringBuffer();
Vector currentAttributes = new Vector( java.util.Arrays.asList(attributes) );
featureString.append("\n");
- featureString.append(" attributes: " + currentAttributes.toString() + "\n");
- featureString.append(" geometry: " + geometry.toString() + "\n");
+ if(currentAttributes != null){
+ featureString.append(" attributes: " + currentAttributes.toString() + "\n");
+ }else{
+ featureString.append(" No attributes set \n");
+ }
+ if(geometry != null){
+ featureString.append(" geometry: " + geometry.toString() + "\n");
+ }else{
+ featureString.append(" No Geometry set \n");
+ }
return featureString.toString();
}
}
| true | true | public String toString() {
StringBuffer featureString = new StringBuffer();
Vector currentAttributes = new Vector( java.util.Arrays.asList(attributes) );
featureString.append("\n");
featureString.append(" attributes: " + currentAttributes.toString() + "\n");
featureString.append(" geometry: " + geometry.toString() + "\n");
return featureString.toString();
}
| public String toString() {
StringBuffer featureString = new StringBuffer();
Vector currentAttributes = new Vector( java.util.Arrays.asList(attributes) );
featureString.append("\n");
if(currentAttributes != null){
featureString.append(" attributes: " + currentAttributes.toString() + "\n");
}else{
featureString.append(" No attributes set \n");
}
if(geometry != null){
featureString.append(" geometry: " + geometry.toString() + "\n");
}else{
featureString.append(" No Geometry set \n");
}
return featureString.toString();
}
|
diff --git a/src/main/java/org/jenkinsci/plugins/scriptler/ScriptlerManagment.java b/src/main/java/org/jenkinsci/plugins/scriptler/ScriptlerManagment.java
index 07bbf78..61fbdbb 100644
--- a/src/main/java/org/jenkinsci/plugins/scriptler/ScriptlerManagment.java
+++ b/src/main/java/org/jenkinsci/plugins/scriptler/ScriptlerManagment.java
@@ -1,715 +1,715 @@
/*
* The MIT License
*
* Copyright (c) 2010, Dominik Bartholdi
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
package org.jenkinsci.plugins.scriptler;
import hudson.Extension;
import hudson.Util;
import hudson.PluginWrapper;
import hudson.model.ManagementLink;
import hudson.model.RootAction;
import hudson.model.ComputerSet;
import hudson.model.Hudson;
import hudson.security.Permission;
import java.io.File;
import java.io.FileWriter;
import java.io.IOException;
import java.io.Writer;
import java.text.SimpleDateFormat;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Date;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Set;
import java.util.logging.Logger;
import javax.servlet.ServletException;
import jenkins.model.Jenkins;
import org.apache.commons.fileupload.FileItem;
import org.apache.commons.lang.StringUtils;
import org.jenkinsci.plugins.scriptler.config.Parameter;
import org.jenkinsci.plugins.scriptler.config.Script;
import org.jenkinsci.plugins.scriptler.config.ScriptlerConfiguration;
import org.jenkinsci.plugins.scriptler.git.GitScriptlerRepository;
import org.jenkinsci.plugins.scriptler.share.CatalogInfo;
import org.jenkinsci.plugins.scriptler.share.ScriptInfo;
import org.jenkinsci.plugins.scriptler.share.ScriptInfoCatalog;
import org.jenkinsci.plugins.scriptler.util.ScriptHelper;
import org.jenkinsci.plugins.scriptler.util.UIHelper;
import org.kohsuke.stapler.ForwardToView;
import org.kohsuke.stapler.HttpRedirect;
import org.kohsuke.stapler.HttpResponse;
import org.kohsuke.stapler.QueryParameter;
import org.kohsuke.stapler.StaplerRequest;
import org.kohsuke.stapler.StaplerResponse;
/**
* Creates the link on the "manage Jenkins" page and handles all the web requests.
*
* @author Dominik Bartholdi (imod)
*/
@Extension
public class ScriptlerManagment extends ManagementLink implements RootAction {
private final static Logger LOGGER = Logger.getLogger(ScriptlerManagment.class.getName());
private final static String MASTER = "(master)";
private final static String ALL = "(all)";
private final static String ALL_SLAVES = "(all slaves)";
private boolean isRunScriptPermissionEnabled() {
return getConfiguration().isAllowRunScriptPermission();
}
public Permission getRequiredPermissionForRunScript() {
return isRunScriptPermissionEnabled() ? Jenkins.RUN_SCRIPTS : Jenkins.ADMINISTER;
}
/*
* (non-Javadoc)
*
* @see hudson.model.ManagementLink#getIconFileName()
*/
@Override
public String getIconFileName() {
return Jenkins.getInstance().hasPermission(getRequiredPermissionForRunScript()) ? "notepad.gif" : null;
}
/*
* (non-Javadoc)
*
* @see hudson.model.ManagementLink#getUrlName()
*/
@Override
public String getUrlName() {
return "scriptler";
}
public boolean disableRemoteCatalog() {
return getConfiguration().isDisbableRemoteCatalog();
}
public boolean allowRunScriptEdit() {
return getConfiguration().isAllowRunScriptEdit();
}
public boolean allowRunScriptPermission() {
return getConfiguration().isAllowRunScriptPermission();
}
/*
* (non-Javadoc)
*
* @see hudson.model.Action#getDisplayName()
*/
public String getDisplayName() {
return Messages.display_name();
}
@Override
public String getDescription() {
return Messages.description();
}
public ScriptlerManagment getScriptler() {
return this;
}
public ScriptlerConfiguration getConfiguration() {
return ScriptlerConfiguration.getConfiguration();
}
public String getPluginResourcePath() {
PluginWrapper wrapper = Hudson.getInstance().getPluginManager().getPlugin(ScritplerPluginImpl.class);
return Hudson.getInstance().getRootUrl() + "plugin/" + wrapper.getShortName() + "/";
}
/**
* save the scriptler 'global' settings (on settings screen, not global Jenkins config)
*
* @param res
* @param rsp
* @param disableRemoteCatalog
* @param allowRunScriptPermission
* @param allowRunScriptEdit
* @return
* @throws IOException
*/
public HttpResponse doScriptlerSettings(StaplerRequest res, StaplerResponse rsp, @QueryParameter("disableRemoteCatalog") boolean disableRemoteCatalog, @QueryParameter("allowRunScriptPermission") boolean allowRunScriptPermission,
@QueryParameter("allowRunScriptEdit") boolean allowRunScriptEdit) throws IOException {
checkPermission(Hudson.ADMINISTER);
ScriptlerConfiguration cfg = getConfiguration();
cfg.setDisbableRemoteCatalog(disableRemoteCatalog);
cfg.setAllowRunScriptEdit(allowRunScriptEdit);
cfg.setAllowRunScriptPermission(allowRunScriptPermission);
cfg.save();
return new HttpRedirect("settings");
}
/**
* Downloads a script from a catalog and imports it to the local system.
*
* @param res
* request
* @param rsp
* response
* @param id
* the id of the file to be downloaded
* @param catalogName
* the catalog to download the file from
* @return same forward as from <code>doScriptAdd</code>
* @throws IOException
* @throws ServletException
*/
public HttpResponse doDownloadScript(StaplerRequest req, StaplerResponse rsp, @QueryParameter("id") String id, @QueryParameter("catalog") String catalogName) throws IOException, ServletException {
checkPermission(Hudson.ADMINISTER);
ScriptlerConfiguration c = getConfiguration();
if (c.isDisbableRemoteCatalog()) {
return new HttpRedirect("index");
}
for (ScriptInfoCatalog scriptInfoCatalog : ScriptInfoCatalog.all()) {
if (catalogName.equals(scriptInfoCatalog.getInfo().name)) {
final ScriptInfo info = scriptInfoCatalog.getEntryById(id);
final String source = scriptInfoCatalog.getScriptSource(info);
final List<Parameter> paramList = new ArrayList<Parameter>();
for (String paramName : info.getParameters()) {
paramList.add(new Parameter(paramName, null));
}
Parameter[] parameters = paramList.toArray(new Parameter[paramList.size()]);
final String finalName = saveScriptAndForward(id, info.getName(), info.getComment(), source, false, false, catalogName, id, parameters);
return new HttpRedirect("editScript?id=" + finalName);
}
}
final ForwardToView view = new ForwardToView(this, "catalog.jelly");
view.with("message", Messages.download_failed(id, catalogName));
view.with("catName", catalogName);
return view;
}
/**
* Saves a script snipplet as file to the system.
*
* @param req
* response
* @param rsp
* request
* @param id
* the script id (fileName)
* @param name
* the name of the script
* @param comment
* a comment
* @param script
* script code
* @param catalogName
* (optional) the name of the catalog the script is loaded/added from
* @param originId
* (optional) the original id the script had at the catalog
* @return forward to 'index'
* @throws IOException
* @throws ServletException
*/
public HttpResponse doScriptAdd(StaplerRequest req, StaplerResponse rsp, @QueryParameter("id") String id, @QueryParameter("name") String name, @QueryParameter("comment") String comment, @QueryParameter("script") String script,
@QueryParameter("nonAdministerUsing") boolean nonAdministerUsing, @QueryParameter("onlyMaster") boolean onlyMaster, String originCatalogName, String originId) throws IOException, ServletException {
checkPermission(Hudson.ADMINISTER);
Parameter[] parameters = UIHelper.extractParameters(req.getSubmittedForm());
saveScriptAndForward(id, name, comment, script, nonAdministerUsing, onlyMaster, originCatalogName, originId, parameters);
return new HttpRedirect("index");
}
/**
* Save the script details and return the forward to index
*
* @return the final name of the saved script - which is also the id of the script!
* @throws IOException
*/
private String saveScriptAndForward(String id, String name, String comment, String script, boolean nonAdministerUsing, boolean onlyMaster, String originCatalogName, String originId, Parameter[] parameters) throws IOException {
script = script == null ? "TODO" : script;
if (StringUtils.isEmpty(id)) {
throw new IllegalArgumentException("'id' must not be empty!");
}
final String displayName = name == null ? id : name;
final String finalFileName = fixFileName(originCatalogName, id);
// save (overwrite) the file/script
File newScriptFile = new File(getScriptDirectory(), finalFileName);
Writer writer = new FileWriter(newScriptFile);
writer.write(script);
writer.close();
commitFileToGitRepo(finalFileName);
Script newScript = null;
if (!StringUtils.isEmpty(originId)) {
newScript = new Script(finalFileName, displayName, comment, true, originCatalogName, originId, new SimpleDateFormat("dd MMM yyyy HH:mm:ss a").format(new Date()), parameters);
} else {
// save (overwrite) the meta information
newScript = new Script(finalFileName, displayName, comment, nonAdministerUsing, parameters, onlyMaster);
}
ScriptlerConfiguration cfg = getConfiguration();
cfg.addOrReplace(newScript);
cfg.save();
return finalFileName;
}
/**
* adds/commits the given file to the local git repo - file must be written to scripts directory!
*
* @param finalFileName
* @throws IOException
*/
private void commitFileToGitRepo(final String finalFileName) throws IOException {
try {
getGitRepo().addSingleFileToRepo(finalFileName);
} catch (Exception e) {
throw new IOException("failed to update git repo", e);
}
}
private GitScriptlerRepository getGitRepo() {
return Jenkins.getInstance().getExtensionList(GitScriptlerRepository.class).get(GitScriptlerRepository.class);
}
/**
* Triggers a hard reset on the git repo
* @return redirects to the repo entry page at <code>http://jenkins.orga.com/scriptler.git</code>
* @throws IOException
*/
public HttpResponse doHardResetGit() throws IOException {
checkPermission(Hudson.ADMINISTER);
getGitRepo().hardReset();
return new HttpRedirect("/scriptler.git");
}
/**
* Removes a script from the config and filesystem.
*
* @param res
* response
* @param rsp
* request
* @param name
* the name of the file to be removed
* @return forward to 'index'
* @throws IOException
*/
public HttpResponse doRemoveScript(StaplerRequest res, StaplerResponse rsp, @QueryParameter("id") String id) throws IOException {
checkPermission(Hudson.ADMINISTER);
// remove the file
File oldScript = new File(getScriptDirectory(), id);
oldScript.delete();
try {
final GitScriptlerRepository gitRepo = Jenkins.getInstance().getExtensionList(GitScriptlerRepository.class).get(GitScriptlerRepository.class);
gitRepo.rmSingleFileToRepo(id);
} catch (Exception e) {
throw new IOException("failed to update git repo", e);
}
// remove the meta information
ScriptlerConfiguration cfg = getConfiguration();
cfg.removeScript(id);
cfg.save();
return new HttpRedirect("index");
}
/**
* Uploads a script and stores it with the given filename to the configuration. It will be stored on the filessytem.
*
* @param req
* request
* @return forward to index page.
* @throws IOException
* @throws ServletException
*/
public HttpResponse doUploadScript(StaplerRequest req) throws IOException, ServletException {
checkPermission(Hudson.ADMINISTER);
try {
FileItem fileItem = req.getFileItem("file");
boolean nonAdministerUsing = req.getSubmittedForm().getBoolean("nonAdministerUsing");
String fileName = Util.getFileName(fileItem.getName());
if (StringUtils.isEmpty(fileName)) {
return new HttpRedirect(".");
}
saveScript(fileItem, nonAdministerUsing, fileName);
return new HttpRedirect("index");
} catch (IOException e) {
throw e;
} catch (Exception e) {
throw new ServletException(e);
}
}
/**
* Protected only for testing
*/
/*private*/ void saveScript(FileItem fileItem, boolean nonAdministerUsing, String fileName) throws Exception, IOException {
// upload can only be to/from local catalog
fileName = fixFileName(null, fileName);
File rootDir = getScriptDirectory();
final File f = new File(rootDir, fileName);
fileItem.write(f);
commitFileToGitRepo(fileName);
Script script = ScriptHelper.getScript(fileName, false);
if (script == null) {
script = new Script(fileName, fileName, true, nonAdministerUsing, false);
}
ScriptlerConfiguration config = getConfiguration();
config.addOrReplace(script);
}
/**
* Display the screen to trigger a script. The source of the script get loaded from the filesystem and placed in the request to display it on the page before execution.
*
* @param req
* request
* @param rsp
* response
* @param scriptName
* the name of the script to be executed
* @throws IOException
* @throws ServletException
*/
public void doRunScript(StaplerRequest req, StaplerResponse rsp, @QueryParameter("id") String id) throws IOException, ServletException {
Script script = ScriptHelper.getScript(id, true);
checkPermission(getRequiredPermissionForRunScript());
final boolean isAdmin = Jenkins.getInstance().getACL().hasPermission(Jenkins.ADMINISTER);
final boolean isChangeScriptAllowed = isAdmin || allowRunScriptEdit();
req.setAttribute("script", script);
req.setAttribute("readOnly", !isChangeScriptAllowed);
// set default selection
req.setAttribute("currentNode", MASTER);
req.getView(this, "runscript.jelly").forward(req, rsp);
}
/**
* Trigger/run/execute the script on a slave and show the result/output. The request then gets forward to <code>runscript.jelly</code> (This is usually also where the request came from). The
* script passed to this method gets restored in the request again (and not loaded from the system). This way one is able to modify the script before execution and reuse the modified version for
* further executions.
*
* @param req
* request
* @param rsp
* response
* @param scriptName
* the name of the script
* @param scriptSrc
* the script code (groovy)
* @param node
* the node, to execute the code on.
* @throws IOException
* @throws ServletException
*/
public void doTriggerScript(StaplerRequest req, StaplerResponse rsp, @QueryParameter("id") String id, @QueryParameter("script") String scriptSrc, @QueryParameter("node") String node) throws IOException, ServletException {
checkPermission(getRequiredPermissionForRunScript());
final Parameter[] parameters = UIHelper.extractParameters(req.getSubmittedForm());
Script tempScript = null;
final boolean isAdmin = Jenkins.getInstance().getACL().hasPermission(Jenkins.ADMINISTER);
final boolean isChangeScriptAllowed = isAdmin || allowRunScriptEdit();
if (!isChangeScriptAllowed) {
tempScript = ScriptHelper.getScript(id, true);
// use original script, user has no permission to change it!s
scriptSrc = tempScript.script;
} else {
// set the script info back to the request, to display it together with
// the output.
tempScript = ScriptHelper.getScript(id, false);
tempScript.setScript(scriptSrc);
}
final String[] slaves = resolveSlaveNames(node);
String output = ScriptHelper.runScript(slaves, scriptSrc, parameters);
tempScript.setParameters(parameters);// show the same parameters to the user
req.setAttribute("script", tempScript);
req.setAttribute("currentNode", node);
req.setAttribute("output", output);
req.setAttribute("readOnly", !isChangeScriptAllowed);
req.getView(this, "runscript.jelly").forward(req, rsp);
}
/**
* Trigger/run/execute the script on a slave and directly forward the result/output to the response.
*
* @param req
* request
* @param rsp
* response
* @param script
* the script code (groovy)
* @param node
* the node, to execute the code on, defaults to {@value #MASTER}
* @param contentType
* the contentType to use in the response, defaults to text/plain
* @throws IOException
* @throws ServletException
*/
public void doRun(StaplerRequest req, StaplerResponse rsp, @QueryParameter(fixEmpty = true) String script,
@QueryParameter(fixEmpty = true) String node, @QueryParameter(fixEmpty = true) String contentType)
throws IOException, ServletException {
checkPermission(getRequiredPermissionForRunScript());
String id = req.getRestOfPath();
if (id.startsWith("/")) {
id = id.substring(1);
}
if (StringUtils.isEmpty(id)) {
- throw new RuntimeException("Please specify a script id. Use ./executePlain/<yourScriptId>");
+ throw new RuntimeException("Please specify a script id. Use /scriptler/run/<yourScriptId>");
}
Script tempScript = ScriptHelper.getScript(id, true);
if (tempScript == null) {
- throw new RuntimeException("Unknown script: " + id + ". Use ./executePlain/<yourScriptId>");
+ throw new RuntimeException("Unknown script: " + id + ". Use /scriptler/run/<yourScriptId>");
}
final boolean isAdmin = Jenkins.getInstance().getACL().hasPermission(Jenkins.ADMINISTER);
final boolean isChangeScriptAllowed = isAdmin || allowRunScriptEdit();
if (script == null || !isChangeScriptAllowed) {
// use original script
script = tempScript.script;
}
Parameter[] paramArray = prepareParameters(req, tempScript);
rsp.setContentType(contentType == null ? "text/plain" : contentType);
final String[] slaves = resolveSlaveNames(node == null ? MASTER : node);
if (slaves.length > 1) {
rsp.getOutputStream().print(ScriptHelper.runScript(slaves, script, paramArray));
}
else {
rsp.getOutputStream().print(ScriptHelper.runScript(slaves[0], script, paramArray));
}
}
@SuppressWarnings("unchecked")
private Parameter[] prepareParameters(StaplerRequest req, Script tempScript) {
// retain default parameter values
Map<String, Parameter> params = new HashMap<String, Parameter>();
for (Parameter param : tempScript.getParameters()) {
params.put(param.getName(), param);
}
// overwrite parameters that are passed as parameters
for (Map.Entry<String, String[]> param : (Set<Map.Entry<String, String[]>>) req.getParameterMap().entrySet()) {
if (params.containsKey(param.getKey())) {
params.put(param.getKey(), new Parameter(param.getKey(), param.getValue()[0]));
}
}
Parameter[] paramArray = params.values().toArray(new Parameter[params.size()]);
return paramArray;
}
private String[] resolveSlaveNames(String nameAlias) {
List<String> slaves = null;
if (nameAlias.equalsIgnoreCase(ALL) || nameAlias.equalsIgnoreCase(ALL_SLAVES)) {
slaves = this.getSlaveNames();
if (nameAlias.equalsIgnoreCase(ALL)) {
if (!slaves.contains(MASTER)) {
slaves.add(MASTER);
}
}
if (nameAlias.equalsIgnoreCase(ALL_SLAVES)) {
// take the master node out of the loop if we said all slaves
slaves.remove(MASTER);
}
} else {
slaves = Arrays.asList(nameAlias);
}
return slaves.toArray(new String[slaves.size()]);
}
/**
* Loads the script by its name and forwards the request to "show.jelly".
*
* @param req
* request
* @param rsp
* response
* @param scriptName
* the name of the script to be loaded in to the show view.
* @throws IOException
* @throws ServletException
*/
public void doShowScript(StaplerRequest req, StaplerResponse rsp, @QueryParameter("id") String id) throws IOException, ServletException {
checkPermission(Hudson.RUN_SCRIPTS);
Script script = ScriptHelper.getScript(id, true);
req.setAttribute("script", script);
req.getView(this, "show.jelly").forward(req, rsp);
}
/**
* Loads the script by its name and forwards the request to "edit.jelly".
*
* @param req
* request
* @param rsp
* response
* @param scriptName
* the name of the script to be loaded in to the edit view.
* @throws IOException
* @throws ServletException
*/
public void doEditScript(StaplerRequest req, StaplerResponse rsp, @QueryParameter("id") String id) throws IOException, ServletException {
checkPermission(Hudson.ADMINISTER);
Script script = ScriptHelper.getScript(id, true);
req.setAttribute("script", script);
req.getView(this, "edit.jelly").forward(req, rsp);
}
/**
* Gets the names of all configured slaves, regardless whether they are online, including alias of ALL and ALL_SLAVES
*
* @return list with all slave names
*/
public List<String> getSlaveAlias(Script script) {
if (script.onlyMaster) {
List<String> slaveNames = new ArrayList<String>();
slaveNames.add(MASTER);
return slaveNames;
}
final List<String> slaveNames = getSlaveNames();
// add 'magic' name for master, so all nodes can be handled the same way
if (!slaveNames.contains(MASTER)) {
slaveNames.add(0, MASTER);
}
if (slaveNames.size() > 0) {
if (!slaveNames.contains(ALL)) {
slaveNames.add(1, ALL);
}
if (!slaveNames.contains(ALL_SLAVES)) {
slaveNames.add(2, ALL_SLAVES);
}
}
return slaveNames;
}
private List<String> getSlaveNames() {
ComputerSet computers = Jenkins.getInstance().getComputer();
List<String> slaveNames = computers.get_slaveNames();
// slaveNames is unmodifiable, therefore create a new list
List<String> slaves = new ArrayList<String>();
slaves.addAll(slaveNames);
return slaves;
}
/**
* Gets the remote catalogs containing the available scripts for download.
*
* @return the catalog
*/
public List<ScriptInfoCatalog> getCatalogs() {
return ScriptInfoCatalog.all();
}
public ScriptInfoCatalog<? extends ScriptInfo> getCatalogByName(String catalogName) {
if (StringUtils.isNotBlank(catalogName)) {
for (ScriptInfoCatalog<? extends ScriptInfo> sic : getCatalogs()) {
final CatalogInfo info = sic.getInfo();
if (catalogName.equals(info.name)) {
return sic;
}
}
}
return null;
}
public CatalogInfo getCatalogInfoByName(String catalogName) {
if (StringUtils.isNotBlank(catalogName)) {
for (ScriptInfoCatalog<? extends ScriptInfo> sic : getCatalogs()) {
final CatalogInfo info = sic.getInfo();
if (catalogName.equals(info.name)) {
return info;
}
}
}
return null;
}
/**
* returns the directory where the script files get stored
*
* @return the script directory
*/
public static File getScriptDirectory() {
return new File(getScriptlerHomeDirectory(), "scripts");
}
public static File getScriptlerHomeDirectory() {
return new File(Hudson.getInstance().getRootDir(), "scriptler");
}
private void checkPermission(Permission permission) {
Hudson.getInstance().checkPermission(permission);
}
private String fixFileName(String catalogName, String name) {
if (!name.endsWith(".groovy")) {
if (!StringUtils.isEmpty(catalogName)) {
name += "." + catalogName;
}
name += ".groovy";
}
// make sure we don't have spaces in the filename
name = name.replace(" ", "_").trim();
LOGGER.fine("set file name to: " + name);
return name;
}
}
| false | true | public void doRun(StaplerRequest req, StaplerResponse rsp, @QueryParameter(fixEmpty = true) String script,
@QueryParameter(fixEmpty = true) String node, @QueryParameter(fixEmpty = true) String contentType)
throws IOException, ServletException {
checkPermission(getRequiredPermissionForRunScript());
String id = req.getRestOfPath();
if (id.startsWith("/")) {
id = id.substring(1);
}
if (StringUtils.isEmpty(id)) {
throw new RuntimeException("Please specify a script id. Use ./executePlain/<yourScriptId>");
}
Script tempScript = ScriptHelper.getScript(id, true);
if (tempScript == null) {
throw new RuntimeException("Unknown script: " + id + ". Use ./executePlain/<yourScriptId>");
}
final boolean isAdmin = Jenkins.getInstance().getACL().hasPermission(Jenkins.ADMINISTER);
final boolean isChangeScriptAllowed = isAdmin || allowRunScriptEdit();
if (script == null || !isChangeScriptAllowed) {
// use original script
script = tempScript.script;
}
Parameter[] paramArray = prepareParameters(req, tempScript);
rsp.setContentType(contentType == null ? "text/plain" : contentType);
final String[] slaves = resolveSlaveNames(node == null ? MASTER : node);
if (slaves.length > 1) {
rsp.getOutputStream().print(ScriptHelper.runScript(slaves, script, paramArray));
}
else {
rsp.getOutputStream().print(ScriptHelper.runScript(slaves[0], script, paramArray));
}
}
| public void doRun(StaplerRequest req, StaplerResponse rsp, @QueryParameter(fixEmpty = true) String script,
@QueryParameter(fixEmpty = true) String node, @QueryParameter(fixEmpty = true) String contentType)
throws IOException, ServletException {
checkPermission(getRequiredPermissionForRunScript());
String id = req.getRestOfPath();
if (id.startsWith("/")) {
id = id.substring(1);
}
if (StringUtils.isEmpty(id)) {
throw new RuntimeException("Please specify a script id. Use /scriptler/run/<yourScriptId>");
}
Script tempScript = ScriptHelper.getScript(id, true);
if (tempScript == null) {
throw new RuntimeException("Unknown script: " + id + ". Use /scriptler/run/<yourScriptId>");
}
final boolean isAdmin = Jenkins.getInstance().getACL().hasPermission(Jenkins.ADMINISTER);
final boolean isChangeScriptAllowed = isAdmin || allowRunScriptEdit();
if (script == null || !isChangeScriptAllowed) {
// use original script
script = tempScript.script;
}
Parameter[] paramArray = prepareParameters(req, tempScript);
rsp.setContentType(contentType == null ? "text/plain" : contentType);
final String[] slaves = resolveSlaveNames(node == null ? MASTER : node);
if (slaves.length > 1) {
rsp.getOutputStream().print(ScriptHelper.runScript(slaves, script, paramArray));
}
else {
rsp.getOutputStream().print(ScriptHelper.runScript(slaves[0], script, paramArray));
}
}
|
diff --git a/org.eclipse.jubula.client.ui.rcp/src/org/eclipse/jubula/client/ui/rcp/wizards/refactor/pages/ChooseTestCasePage.java b/org.eclipse.jubula.client.ui.rcp/src/org/eclipse/jubula/client/ui/rcp/wizards/refactor/pages/ChooseTestCasePage.java
index 1f0b1052d..da2e5b541 100644
--- a/org.eclipse.jubula.client.ui.rcp/src/org/eclipse/jubula/client/ui/rcp/wizards/refactor/pages/ChooseTestCasePage.java
+++ b/org.eclipse.jubula.client.ui.rcp/src/org/eclipse/jubula/client/ui/rcp/wizards/refactor/pages/ChooseTestCasePage.java
@@ -1,141 +1,144 @@
/*******************************************************************************
* Copyright (c) 2004, 2010 BREDEX GmbH.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* BREDEX GmbH - initial API and implementation and/or initial documentation
*******************************************************************************/
package org.eclipse.jubula.client.ui.rcp.wizards.refactor.pages;
import java.util.Set;
import org.eclipse.jface.viewers.ISelectionChangedListener;
import org.eclipse.jface.viewers.IStructuredSelection;
import org.eclipse.jface.viewers.SelectionChangedEvent;
import org.eclipse.jface.wizard.WizardPage;
import org.eclipse.jubula.client.core.model.INodePO;
import org.eclipse.jubula.client.core.model.ISpecTestCasePO;
import org.eclipse.jubula.client.ui.constants.ContextHelpIds;
import org.eclipse.jubula.client.ui.rcp.i18n.Messages;
import org.eclipse.jubula.client.ui.rcp.widgets.TestCaseTreeComposite;
import org.eclipse.swt.SWT;
import org.eclipse.swt.widgets.Composite;
import org.eclipse.ui.PlatformUI;
/**
* @author Markus Tiede
* @created Jul 25, 2011
*/
public class ChooseTestCasePage extends WizardPage {
/** The help context ID for this page. */
private String m_contextHelpId;
/**
* <code>m_parentTestCase</code>
*/
private INodePO m_parentTestCase;
/**
* <code>m_parentTestCases</code>
*/
private Set<INodePO> m_setOfParentTestCases;
/**
* <code>m_choosenTestCase</code>
*/
private ISpecTestCasePO m_choosenTestCase = null;
/**
* The default context help ID is
* {@link ContextHelpIds#REFACTOR_REPLACE_CHOOSE_TEST_CASE_WIZARD_PAGE}.
* @param pageId
* the page id
* @param parentTestCase
* the parent test case
*/
public ChooseTestCasePage(INodePO parentTestCase, String pageId) {
super(pageId, Messages.ReplaceTCRWizard_choosePage_title, null);
m_parentTestCase = parentTestCase;
setPageComplete(false);
m_contextHelpId =
ContextHelpIds.REFACTOR_REPLACE_CHOOSE_TEST_CASE_WIZARD_PAGE;
}
/**
* @param pageId
* the page id
* @param parentTestCases
* the parent test cases
*/
public ChooseTestCasePage(Set<INodePO> parentTestCases, String pageId) {
super(pageId, Messages.ReplaceTCRWizard_choosePage_title, null);
m_setOfParentTestCases = parentTestCases;
setPageComplete(false);
}
/**
* Override the default context help ID.
* @param contextHelpId The help context ID for this wizard page.
* @see #ChooseTestCasePage(INodePO, String)
*/
public void setContextHelpId(String contextHelpId) {
m_contextHelpId = contextHelpId;
}
/**
* {@inheritDoc}
*/
public void createControl(Composite parent) {
final TestCaseTreeComposite tctc;
if (m_parentTestCase != null) {
tctc = new TestCaseTreeComposite(parent,
SWT.SINGLE, m_parentTestCase);
} else {
tctc = new TestCaseTreeComposite(parent,
SWT.SINGLE, m_setOfParentTestCases);
}
tctc.getTreeViewer().addSelectionChangedListener(
new ISelectionChangedListener() {
public void selectionChanged(SelectionChangedEvent event) {
boolean pageComplete = false;
ISpecTestCasePO specTC = null;
if (tctc.hasValidSelection()) {
IStructuredSelection selection =
(IStructuredSelection)event.getSelection();
pageComplete = true;
specTC = (ISpecTestCasePO)selection
.getFirstElement();
+ if (specTC == null) {
+ pageComplete = false;
+ }
}
setChoosenTestCase(specTC);
setPageComplete(pageComplete);
}
});
setControl(tctc);
}
/**
* {@inheritDoc}
*/
public void performHelp() {
PlatformUI.getWorkbench().getHelpSystem().displayHelp(
m_contextHelpId);
}
/**
* @param choosenTestCase the choosenTestCase to set
*/
private void setChoosenTestCase(ISpecTestCasePO choosenTestCase) {
m_choosenTestCase = choosenTestCase;
}
/**
* @return the choosenTestCase
*/
public ISpecTestCasePO getChoosenTestCase() {
return m_choosenTestCase;
}
}
| true | true | public void createControl(Composite parent) {
final TestCaseTreeComposite tctc;
if (m_parentTestCase != null) {
tctc = new TestCaseTreeComposite(parent,
SWT.SINGLE, m_parentTestCase);
} else {
tctc = new TestCaseTreeComposite(parent,
SWT.SINGLE, m_setOfParentTestCases);
}
tctc.getTreeViewer().addSelectionChangedListener(
new ISelectionChangedListener() {
public void selectionChanged(SelectionChangedEvent event) {
boolean pageComplete = false;
ISpecTestCasePO specTC = null;
if (tctc.hasValidSelection()) {
IStructuredSelection selection =
(IStructuredSelection)event.getSelection();
pageComplete = true;
specTC = (ISpecTestCasePO)selection
.getFirstElement();
}
setChoosenTestCase(specTC);
setPageComplete(pageComplete);
}
});
setControl(tctc);
}
| public void createControl(Composite parent) {
final TestCaseTreeComposite tctc;
if (m_parentTestCase != null) {
tctc = new TestCaseTreeComposite(parent,
SWT.SINGLE, m_parentTestCase);
} else {
tctc = new TestCaseTreeComposite(parent,
SWT.SINGLE, m_setOfParentTestCases);
}
tctc.getTreeViewer().addSelectionChangedListener(
new ISelectionChangedListener() {
public void selectionChanged(SelectionChangedEvent event) {
boolean pageComplete = false;
ISpecTestCasePO specTC = null;
if (tctc.hasValidSelection()) {
IStructuredSelection selection =
(IStructuredSelection)event.getSelection();
pageComplete = true;
specTC = (ISpecTestCasePO)selection
.getFirstElement();
if (specTC == null) {
pageComplete = false;
}
}
setChoosenTestCase(specTC);
setPageComplete(pageComplete);
}
});
setControl(tctc);
}
|
diff --git a/domino/eclipse/plugins/com.ibm.xsp.sbtsdk.playground/src/nsf/playground/playground/PreviewJavaHandler.java b/domino/eclipse/plugins/com.ibm.xsp.sbtsdk.playground/src/nsf/playground/playground/PreviewJavaHandler.java
index d5949a7bd..bfe9e317c 100644
--- a/domino/eclipse/plugins/com.ibm.xsp.sbtsdk.playground/src/nsf/playground/playground/PreviewJavaHandler.java
+++ b/domino/eclipse/plugins/com.ibm.xsp.sbtsdk.playground/src/nsf/playground/playground/PreviewJavaHandler.java
@@ -1,290 +1,289 @@
package nsf.playground.playground;
import java.io.IOException;
import java.io.PrintWriter;
import java.io.Serializable;
import java.io.StringWriter;
import java.util.Iterator;
import javax.faces.context.FacesContext;
import javax.servlet.ServletException;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import javax.servlet.http.HttpSession;
import lotus.domino.Document;
import lotus.domino.NotesException;
import nsf.playground.beans.DataAccessBean;
import nsf.playground.beans.JavaSnippetBean;
import nsf.playground.environments.PlaygroundEnvironment;
import nsf.playground.jsp.JspCompiler;
import nsf.playground.jsp.JspFragment;
import nsf.playground.jsp.JspSampleWriter;
import com.ibm.commons.runtime.Context;
import com.ibm.commons.runtime.util.ParameterProcessor;
import com.ibm.commons.runtime.util.UrlUtil;
import com.ibm.commons.util.IExceptionEx;
import com.ibm.commons.util.PathUtil;
import com.ibm.commons.util.StringUtil;
import com.ibm.commons.util.io.json.JsonJavaFactory;
import com.ibm.commons.util.io.json.JsonJavaObject;
import com.ibm.commons.util.io.json.JsonObject;
import com.ibm.commons.util.io.json.JsonParser;
import com.ibm.sbt.jslibrary.SBTEnvironment;
import com.ibm.xsp.model.domino.DominoUtils;
import com.ibm.xsp.sbtsdk.servlets.JavaScriptLibraries;
import com.ibm.xsp.util.HtmlUtil;
import com.ibm.xsp.util.ManagedBeanUtil;
public class PreviewJavaHandler extends PreviewHandler {
private static final String LAST_REQUEST = "javasnippet.lastrequest";
static class RequestParams implements Serializable {
private static final long serialVersionUID = 1L;
String sOptions;
String id;
public RequestParams(String sOptions, String id) {
this.sOptions = sOptions;
this.id = id;
}
}
@Override
public void doPost(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
String pathInfo = req.getPathInfo();
if(pathInfo.equals("/javasnippet")) {
String sOptions = req.getParameter("fm_options");
String id = req.getParameter("fm_id");
RequestParams requestParams = new RequestParams(sOptions,id);
req.getSession().setAttribute(LAST_REQUEST, requestParams);
String url = UrlUtil.getRequestUrl(req);
url = StringUtil.replace(url, "/javasnippet", "/jsppage");
resp.sendRedirect(url);
} else {
execRequest(req, resp);
}
}
@Override
public void doGet(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
execRequest(req, resp);
}
public void execRequest(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
RequestParams requestParams = (RequestParams)req.getSession().getAttribute(LAST_REQUEST);
if(requestParams!=null) {
execRequest(req, resp, requestParams);
} else {
PrintWriter pw = resp.getWriter();
pw.println("Social Business Tooolkit Playground - Java Snippet Preview Servlet");
pw.flush();
}
}
protected void execRequest(HttpServletRequest req, HttpServletResponse resp, RequestParams requestParams) throws ServletException, IOException {
- HttpSession session = req.getSession();
resp.setContentType("text/html");
resp.setStatus(HttpServletResponse.SC_OK);
String sOptions = requestParams.sOptions;
JsonJavaObject options = new JsonJavaObject();
try {
options = (JsonJavaObject)JsonParser.fromJson(JsonJavaFactory.instanceEx, sOptions);
} catch(Exception ex) {}
boolean debug = options.getBoolean("debug");
String unid = requestParams.id;
DataAccessBean dataAccess = DataAccessBean.get();
String envName = options.getString("env");
PlaygroundEnvironment env = dataAccess.getEnvironment(envName);
env.prepareEndpoints();
// Push the dynamic parameters to the user session
JsonObject p = (JsonObject)options.get("params");
if(p!=null) {
for(Iterator<String> it= p.getJsonProperties(); it.hasNext(); ) {
String name = it.next();
String value = (String)p.getJsonProperty(name);
env.pushSessionParams(name, value);
}
}
String serverUrl = composeServerUrl(req);
String dbUrl = composeDatabaseUrl(req,serverUrl);
JavaScriptLibraries.JSLibrary jsLib = JavaScriptLibraries.LIBRARIES[0]; // Default
String jsLibraryPath = getDefautLibraryPath(serverUrl);
SBTEnvironment.push(Context.get(), env);
EnvParameterProvider prov = new EnvParameterProvider(env);
// Load the jsp document
String jsp = null;
try {
Document doc = DominoUtils.getDocumentById(DominoUtils.getCurrentDatabase(), unid);
jsp = doc.getItemValueString("Jsp");
jsp = ParameterProcessor.process(jsp, prov);
} catch(NotesException ex) {
throw new ServletException(ex);
}
PrintWriter pw = resp.getWriter();
pw.println("<!DOCTYPE html>");
pw.println("<html lang=\"en\">");
pw.println("<head>");
pw.println(" <title>Social Business Playground - Java Snippet</title>");
pw.println(" <style type=\"text/css\">");
pw.println(" @import \""+jsLibraryPath+"dijit/themes/claro/claro.css\";");
pw.println(" @import \""+jsLibraryPath+"dojo/resources/dojo.css\";");
pw.println(" </style>");
String bodyTheme = "claro";
jsLibraryPath = PathUtil.concat(jsLibraryPath,"/dojo/dojo.js",'/');
pw.println(" <script type=\"text/javascript\">");
pw.println(" dojoConfig = {");
pw.println(" parseOnLoad: true");
pw.println(" };");
pw.println(" </script>");
pw.println(" <script type=\"text/javascript\" src=\""+jsLibraryPath+"\"></script>");
String libType = jsLib.getLibType().toString();
String libVersion = jsLib.getLibVersion();
pw.print(" <script type=\"text/javascript\" src=\""+composeToolkitUrl(dbUrl)+"?lib="+libType+"&ver="+libVersion);
pw.print("&env=");
pw.print(envName);
pw.println("\"></script>");
pw.println(" <script>");
pw.println(" require(['dojo/parser']);"); // avoid dojo warning
pw.println(" </script>");
pw.println("</head>");
pw.print("<body");
if(StringUtil.isNotEmpty(bodyTheme)) {
pw.print(" class=\"");
pw.print(bodyTheme);
pw.print("\"");
}
pw.println(">");
//Debugging...
if(false) {
pw.println("<pre>");
pw.println(jsp);
pw.println("</pre>");
}
String jspClassName = "xspjsp.jsp_"+unid;
//String jspClassName = "jsp_"+unid;
String sourceCode = null;
try {
JavaSnippetBean bean = (JavaSnippetBean)ManagedBeanUtil.getBean(FacesContext.getCurrentInstance(), "javaSnippetBean");
Class<JspFragment> jspClass = bean.getCompiledClass(jspClassName);
if(jspClass==null) {
JspCompiler compiler = new JspCompiler();
sourceCode = compiler.compileJsp(jsp, jspClassName);
if(false) {
pw.println("<pre>");
pw.println(HtmlUtil.toHTMLContentString(sourceCode, false));
pw.println("</pre>");
}
jspClass = bean.compileSnippet(jspClassName, sourceCode);
}
if(jspClass!=null) {
JspFragment f = jspClass.newInstance();
f.exec(new JspSampleWriter(pw),req,resp);
}
} catch(Throwable e) {
pw.println("Execution error");
pw.println("<pre>");
StringWriter sw = new StringWriter();
PrintWriter psw = new PrintWriter(sw);
if(e instanceof IExceptionEx) {
((IExceptionEx)e).printExtraInformation(psw);
psw.println("");
}
if(sourceCode==null) {
JspCompiler compiler = new JspCompiler();
sourceCode = compiler.compileJsp(jsp, jspClassName);
}
if(sourceCode!=null) {
printSourceCode(psw,sourceCode,true,-1);
//psw.println(HtmlUtil.toHTMLContentString(sourceCode, false));
}
e.printStackTrace(psw);
psw.flush();
pw.println(HtmlUtil.toHTMLContentString(sw.toString(), false));
pw.println("</pre>");
}
pw.println("</body>");
pw.println("</html>");
pw.flush();
pw.close();
}
public void printSourceCode(PrintWriter out, String code, boolean alltext, int errline) {
if(code==null) {
return;
}
code = code.trim();
if (StringUtil.isNotEmpty(code)) {
int codeLength = code.length();
int pos = 0;
for (int line = 1; pos < codeLength; line++) {
int start = pos;
while (pos < codeLength && code.charAt(pos) != '\n'
&& code.charAt(pos) != '\r') {
pos++;
}
boolean show = alltext || Math.abs(line-errline)<3; // 5 lines being displayed
boolean iserr = errline == line;
if(show) {
if (iserr) {
out.print("->"); //$NON-NLS-1$
} else {
out.print(" "); //$NON-NLS-1$
}
String sLine = StringUtil.toString(line);
for (int i = 0; i < 4 - sLine.length(); i++) {
out.print(" "); //$NON-NLS-1$
}
out.print(sLine);
out.print(": "); //$NON-NLS-1$
out.print(code.substring(start, pos));
}
if (pos < codeLength) {
if (code.charAt(pos) == '\n') {
pos++;
if (pos < codeLength && code.charAt(pos) == '\r') {
pos++;
}
}
else if (code.charAt(pos) == '\r') {
pos++;
if (pos < codeLength && code.charAt(pos) == '\n') {
pos++;
}
}
}
if(show) {
out.println(""); //$NON-NLS-1$
}
}
}
}
}
| true | true | protected void execRequest(HttpServletRequest req, HttpServletResponse resp, RequestParams requestParams) throws ServletException, IOException {
HttpSession session = req.getSession();
resp.setContentType("text/html");
resp.setStatus(HttpServletResponse.SC_OK);
String sOptions = requestParams.sOptions;
JsonJavaObject options = new JsonJavaObject();
try {
options = (JsonJavaObject)JsonParser.fromJson(JsonJavaFactory.instanceEx, sOptions);
} catch(Exception ex) {}
boolean debug = options.getBoolean("debug");
String unid = requestParams.id;
DataAccessBean dataAccess = DataAccessBean.get();
String envName = options.getString("env");
PlaygroundEnvironment env = dataAccess.getEnvironment(envName);
env.prepareEndpoints();
// Push the dynamic parameters to the user session
JsonObject p = (JsonObject)options.get("params");
if(p!=null) {
for(Iterator<String> it= p.getJsonProperties(); it.hasNext(); ) {
String name = it.next();
String value = (String)p.getJsonProperty(name);
env.pushSessionParams(name, value);
}
}
String serverUrl = composeServerUrl(req);
String dbUrl = composeDatabaseUrl(req,serverUrl);
JavaScriptLibraries.JSLibrary jsLib = JavaScriptLibraries.LIBRARIES[0]; // Default
String jsLibraryPath = getDefautLibraryPath(serverUrl);
SBTEnvironment.push(Context.get(), env);
EnvParameterProvider prov = new EnvParameterProvider(env);
// Load the jsp document
String jsp = null;
try {
Document doc = DominoUtils.getDocumentById(DominoUtils.getCurrentDatabase(), unid);
jsp = doc.getItemValueString("Jsp");
jsp = ParameterProcessor.process(jsp, prov);
} catch(NotesException ex) {
throw new ServletException(ex);
}
PrintWriter pw = resp.getWriter();
pw.println("<!DOCTYPE html>");
pw.println("<html lang=\"en\">");
pw.println("<head>");
pw.println(" <title>Social Business Playground - Java Snippet</title>");
pw.println(" <style type=\"text/css\">");
pw.println(" @import \""+jsLibraryPath+"dijit/themes/claro/claro.css\";");
pw.println(" @import \""+jsLibraryPath+"dojo/resources/dojo.css\";");
pw.println(" </style>");
String bodyTheme = "claro";
jsLibraryPath = PathUtil.concat(jsLibraryPath,"/dojo/dojo.js",'/');
pw.println(" <script type=\"text/javascript\">");
pw.println(" dojoConfig = {");
pw.println(" parseOnLoad: true");
pw.println(" };");
pw.println(" </script>");
pw.println(" <script type=\"text/javascript\" src=\""+jsLibraryPath+"\"></script>");
String libType = jsLib.getLibType().toString();
String libVersion = jsLib.getLibVersion();
pw.print(" <script type=\"text/javascript\" src=\""+composeToolkitUrl(dbUrl)+"?lib="+libType+"&ver="+libVersion);
pw.print("&env=");
pw.print(envName);
pw.println("\"></script>");
pw.println(" <script>");
pw.println(" require(['dojo/parser']);"); // avoid dojo warning
pw.println(" </script>");
pw.println("</head>");
pw.print("<body");
if(StringUtil.isNotEmpty(bodyTheme)) {
pw.print(" class=\"");
pw.print(bodyTheme);
pw.print("\"");
}
pw.println(">");
//Debugging...
if(false) {
pw.println("<pre>");
pw.println(jsp);
pw.println("</pre>");
}
String jspClassName = "xspjsp.jsp_"+unid;
//String jspClassName = "jsp_"+unid;
String sourceCode = null;
try {
JavaSnippetBean bean = (JavaSnippetBean)ManagedBeanUtil.getBean(FacesContext.getCurrentInstance(), "javaSnippetBean");
Class<JspFragment> jspClass = bean.getCompiledClass(jspClassName);
if(jspClass==null) {
JspCompiler compiler = new JspCompiler();
sourceCode = compiler.compileJsp(jsp, jspClassName);
if(false) {
pw.println("<pre>");
pw.println(HtmlUtil.toHTMLContentString(sourceCode, false));
pw.println("</pre>");
}
jspClass = bean.compileSnippet(jspClassName, sourceCode);
}
if(jspClass!=null) {
JspFragment f = jspClass.newInstance();
f.exec(new JspSampleWriter(pw),req,resp);
}
} catch(Throwable e) {
pw.println("Execution error");
pw.println("<pre>");
StringWriter sw = new StringWriter();
PrintWriter psw = new PrintWriter(sw);
if(e instanceof IExceptionEx) {
((IExceptionEx)e).printExtraInformation(psw);
psw.println("");
}
if(sourceCode==null) {
JspCompiler compiler = new JspCompiler();
sourceCode = compiler.compileJsp(jsp, jspClassName);
}
if(sourceCode!=null) {
printSourceCode(psw,sourceCode,true,-1);
//psw.println(HtmlUtil.toHTMLContentString(sourceCode, false));
}
e.printStackTrace(psw);
psw.flush();
pw.println(HtmlUtil.toHTMLContentString(sw.toString(), false));
pw.println("</pre>");
}
pw.println("</body>");
pw.println("</html>");
pw.flush();
pw.close();
}
| protected void execRequest(HttpServletRequest req, HttpServletResponse resp, RequestParams requestParams) throws ServletException, IOException {
resp.setContentType("text/html");
resp.setStatus(HttpServletResponse.SC_OK);
String sOptions = requestParams.sOptions;
JsonJavaObject options = new JsonJavaObject();
try {
options = (JsonJavaObject)JsonParser.fromJson(JsonJavaFactory.instanceEx, sOptions);
} catch(Exception ex) {}
boolean debug = options.getBoolean("debug");
String unid = requestParams.id;
DataAccessBean dataAccess = DataAccessBean.get();
String envName = options.getString("env");
PlaygroundEnvironment env = dataAccess.getEnvironment(envName);
env.prepareEndpoints();
// Push the dynamic parameters to the user session
JsonObject p = (JsonObject)options.get("params");
if(p!=null) {
for(Iterator<String> it= p.getJsonProperties(); it.hasNext(); ) {
String name = it.next();
String value = (String)p.getJsonProperty(name);
env.pushSessionParams(name, value);
}
}
String serverUrl = composeServerUrl(req);
String dbUrl = composeDatabaseUrl(req,serverUrl);
JavaScriptLibraries.JSLibrary jsLib = JavaScriptLibraries.LIBRARIES[0]; // Default
String jsLibraryPath = getDefautLibraryPath(serverUrl);
SBTEnvironment.push(Context.get(), env);
EnvParameterProvider prov = new EnvParameterProvider(env);
// Load the jsp document
String jsp = null;
try {
Document doc = DominoUtils.getDocumentById(DominoUtils.getCurrentDatabase(), unid);
jsp = doc.getItemValueString("Jsp");
jsp = ParameterProcessor.process(jsp, prov);
} catch(NotesException ex) {
throw new ServletException(ex);
}
PrintWriter pw = resp.getWriter();
pw.println("<!DOCTYPE html>");
pw.println("<html lang=\"en\">");
pw.println("<head>");
pw.println(" <title>Social Business Playground - Java Snippet</title>");
pw.println(" <style type=\"text/css\">");
pw.println(" @import \""+jsLibraryPath+"dijit/themes/claro/claro.css\";");
pw.println(" @import \""+jsLibraryPath+"dojo/resources/dojo.css\";");
pw.println(" </style>");
String bodyTheme = "claro";
jsLibraryPath = PathUtil.concat(jsLibraryPath,"/dojo/dojo.js",'/');
pw.println(" <script type=\"text/javascript\">");
pw.println(" dojoConfig = {");
pw.println(" parseOnLoad: true");
pw.println(" };");
pw.println(" </script>");
pw.println(" <script type=\"text/javascript\" src=\""+jsLibraryPath+"\"></script>");
String libType = jsLib.getLibType().toString();
String libVersion = jsLib.getLibVersion();
pw.print(" <script type=\"text/javascript\" src=\""+composeToolkitUrl(dbUrl)+"?lib="+libType+"&ver="+libVersion);
pw.print("&env=");
pw.print(envName);
pw.println("\"></script>");
pw.println(" <script>");
pw.println(" require(['dojo/parser']);"); // avoid dojo warning
pw.println(" </script>");
pw.println("</head>");
pw.print("<body");
if(StringUtil.isNotEmpty(bodyTheme)) {
pw.print(" class=\"");
pw.print(bodyTheme);
pw.print("\"");
}
pw.println(">");
//Debugging...
if(false) {
pw.println("<pre>");
pw.println(jsp);
pw.println("</pre>");
}
String jspClassName = "xspjsp.jsp_"+unid;
//String jspClassName = "jsp_"+unid;
String sourceCode = null;
try {
JavaSnippetBean bean = (JavaSnippetBean)ManagedBeanUtil.getBean(FacesContext.getCurrentInstance(), "javaSnippetBean");
Class<JspFragment> jspClass = bean.getCompiledClass(jspClassName);
if(jspClass==null) {
JspCompiler compiler = new JspCompiler();
sourceCode = compiler.compileJsp(jsp, jspClassName);
if(false) {
pw.println("<pre>");
pw.println(HtmlUtil.toHTMLContentString(sourceCode, false));
pw.println("</pre>");
}
jspClass = bean.compileSnippet(jspClassName, sourceCode);
}
if(jspClass!=null) {
JspFragment f = jspClass.newInstance();
f.exec(new JspSampleWriter(pw),req,resp);
}
} catch(Throwable e) {
pw.println("Execution error");
pw.println("<pre>");
StringWriter sw = new StringWriter();
PrintWriter psw = new PrintWriter(sw);
if(e instanceof IExceptionEx) {
((IExceptionEx)e).printExtraInformation(psw);
psw.println("");
}
if(sourceCode==null) {
JspCompiler compiler = new JspCompiler();
sourceCode = compiler.compileJsp(jsp, jspClassName);
}
if(sourceCode!=null) {
printSourceCode(psw,sourceCode,true,-1);
//psw.println(HtmlUtil.toHTMLContentString(sourceCode, false));
}
e.printStackTrace(psw);
psw.flush();
pw.println(HtmlUtil.toHTMLContentString(sw.toString(), false));
pw.println("</pre>");
}
pw.println("</body>");
pw.println("</html>");
pw.flush();
pw.close();
}
|
diff --git a/src/main/java/fr/inria/diversify/replace/RunMaven.java b/src/main/java/fr/inria/diversify/replace/RunMaven.java
index 22b59bc..bd89f30 100644
--- a/src/main/java/fr/inria/diversify/replace/RunMaven.java
+++ b/src/main/java/fr/inria/diversify/replace/RunMaven.java
@@ -1,73 +1,73 @@
package fr.inria.diversify.replace;
import org.apache.maven.cli.MavenCli;
import java.io.ByteArrayOutputStream;
import java.io.PrintStream;
import java.util.ArrayList;
import java.util.List;
/**
* User: Simon
* Date: 5/17/13
* Time: 11:34 AM
*/
public class RunMaven extends Thread {
protected String directory;
protected List<String> result;
protected boolean compileError;
protected boolean allTestRun;
protected String lifeCycle;
public RunMaven(String directory, String lifeCycle) {
this.directory = directory;
this.lifeCycle = lifeCycle;
}
public void run() {
MavenCli cli = new MavenCli();
ByteArrayOutputStream os = new ByteArrayOutputStream();
PrintStream ps = new PrintStream(os);
try {
cli.doMain(new String[]{lifeCycle}, directory, ps, ps);
parseResult(os.toString());
} catch (OutOfMemoryError e) {
e.printStackTrace();
}
ps.close();
}
protected void parseResult(String r) {
result = new ArrayList<String>();
boolean start = false;
for (String s : r.split("\n")) {
-// System.out.println(s);
+ System.out.println(s);
if (s.startsWith("[ERROR] COMPILATION ERROR"))
compileError = true;
if (s.startsWith("Tests in error:")) {
start = true;
allTestRun = true;
}
if (start && s.equals(""))
start = false;
if (!s.startsWith("Tests in error:") && start)
result.add(s);
}
allTestRun = allTestRun || (result.isEmpty() && !compileError);
}
public List<String> getResult() {
return result;
}
public boolean allTestRun() {
return allTestRun;
}
public boolean getCompileError() {
return compileError;
}
}
| true | true | protected void parseResult(String r) {
result = new ArrayList<String>();
boolean start = false;
for (String s : r.split("\n")) {
// System.out.println(s);
if (s.startsWith("[ERROR] COMPILATION ERROR"))
compileError = true;
if (s.startsWith("Tests in error:")) {
start = true;
allTestRun = true;
}
if (start && s.equals(""))
start = false;
if (!s.startsWith("Tests in error:") && start)
result.add(s);
}
allTestRun = allTestRun || (result.isEmpty() && !compileError);
}
| protected void parseResult(String r) {
result = new ArrayList<String>();
boolean start = false;
for (String s : r.split("\n")) {
System.out.println(s);
if (s.startsWith("[ERROR] COMPILATION ERROR"))
compileError = true;
if (s.startsWith("Tests in error:")) {
start = true;
allTestRun = true;
}
if (start && s.equals(""))
start = false;
if (!s.startsWith("Tests in error:") && start)
result.add(s);
}
allTestRun = allTestRun || (result.isEmpty() && !compileError);
}
|
diff --git a/TFC_Shared/src/TFC/TFCItems.java b/TFC_Shared/src/TFC/TFCItems.java
index 093f359c4..a36eed162 100644
--- a/TFC_Shared/src/TFC/TFCItems.java
+++ b/TFC_Shared/src/TFC/TFCItems.java
@@ -1,1969 +1,1969 @@
package TFC;
import java.io.File;
import net.minecraft.block.Block;
import net.minecraft.creativetab.CreativeTabs;
import net.minecraft.item.EnumToolMaterial;
import net.minecraft.item.Item;
import net.minecraft.item.ItemColored;
import net.minecraft.item.ItemStack;
import net.minecraft.potion.Potion;
import net.minecraft.potion.PotionEffect;
import net.minecraftforge.common.Configuration;
import net.minecraftforge.common.EnumHelper;
import TFC.API.Armor;
import TFC.API.TFCTabs;
import TFC.API.Constant.Global;
import TFC.API.Enums.EnumDamageType;
import TFC.API.Enums.EnumMetalType;
import TFC.API.Enums.EnumSize;
import TFC.Core.Recipes;
import TFC.Core.TFC_Settings;
import TFC.Food.ItemMeal;
import TFC.Food.ItemTerraFood;
import TFC.Items.ItemBellows;
import TFC.Items.ItemBlueprint;
import TFC.Items.ItemClay;
import TFC.Items.ItemCustomMinecart;
import TFC.Items.ItemCustomPotion;
import TFC.Items.ItemCustomSeeds;
import TFC.Items.ItemDyeCustom;
import TFC.Items.ItemFlatLeather;
import TFC.Items.ItemFlatRock;
import TFC.Items.ItemFruitTreeSapling;
import TFC.Items.ItemGem;
import TFC.Items.ItemIngot;
import TFC.Items.ItemLeather;
import TFC.Items.ItemLogs;
import TFC.Items.ItemLooseRock;
import TFC.Items.ItemMeltedMetal;
import TFC.Items.ItemMetalSheet;
import TFC.Items.ItemMetalSheet2x;
import TFC.Items.ItemOre;
import TFC.Items.ItemOreSmall;
import TFC.Items.ItemPlank;
import TFC.Items.ItemSluice;
import TFC.Items.ItemStick;
import TFC.Items.ItemStoneBrick;
import TFC.Items.ItemTFCArmor;
import TFC.Items.ItemTerra;
import TFC.Items.ItemUnfinishedArmor;
import TFC.Items.ItemBlocks.ItemWoodDoor;
import TFC.Items.Pottery.ItemPotteryJug;
import TFC.Items.Pottery.ItemPotteryLargeVessel;
import TFC.Items.Pottery.ItemPotteryMold;
import TFC.Items.Pottery.ItemPotteryPot;
import TFC.Items.Pottery.ItemPotterySmallVessel;
import TFC.Items.Tools.ItemChisel;
import TFC.Items.Tools.ItemCustomAxe;
import TFC.Items.Tools.ItemCustomBlueSteelBucket;
import TFC.Items.Tools.ItemCustomBow;
import TFC.Items.Tools.ItemCustomBucket;
import TFC.Items.Tools.ItemCustomBucketMilk;
import TFC.Items.Tools.ItemCustomHoe;
import TFC.Items.Tools.ItemCustomKnife;
import TFC.Items.Tools.ItemCustomPickaxe;
import TFC.Items.Tools.ItemCustomRedSteelBucket;
import TFC.Items.Tools.ItemCustomSaw;
import TFC.Items.Tools.ItemCustomScythe;
import TFC.Items.Tools.ItemCustomShovel;
import TFC.Items.Tools.ItemCustomSword;
import TFC.Items.Tools.ItemFirestarter;
import TFC.Items.Tools.ItemFlintSteel;
import TFC.Items.Tools.ItemGoldPan;
import TFC.Items.Tools.ItemHammer;
import TFC.Items.Tools.ItemJavelin;
import TFC.Items.Tools.ItemMiscToolHead;
import TFC.Items.Tools.ItemPlan;
import TFC.Items.Tools.ItemProPick;
import TFC.Items.Tools.ItemSpindle;
import TFC.Items.Tools.ItemWritableBookTFC;
public class TFCItems
{
public static Item GemRuby;
public static Item GemSapphire;
public static Item GemEmerald;
public static Item GemTopaz;
public static Item GemGarnet;
public static Item GemOpal;
public static Item GemAmethyst;
public static Item GemJasper;
public static Item GemBeryl;
public static Item GemTourmaline;
public static Item GemJade;
public static Item GemAgate;
public static Item GemDiamond;
public static Item SulfurPowder;
public static Item SaltpeterPowder;
public static Item BismuthIngot;
public static Item BismuthBronzeIngot;
public static Item BlackBronzeIngot;
public static Item BlackSteelIngot;
public static Item HCBlackSteelIngot;
public static Item BlueSteelIngot;
public static Item WeakBlueSteelIngot;
public static Item HCBlueSteelIngot;
public static Item BrassIngot;
public static Item BronzeIngot;
public static Item CopperIngot;
public static Item GoldIngot;
public static Item WroughtIronIngot;
public static Item LeadIngot;
public static Item NickelIngot;
public static Item PigIronIngot;
public static Item PlatinumIngot;
public static Item RedSteelIngot;
public static Item WeakRedSteelIngot;
public static Item HCRedSteelIngot;
public static Item RoseGoldIngot;
public static Item SilverIngot;
public static Item SteelIngot;
public static Item WeakSteelIngot;
public static Item HCSteelIngot;
public static Item SterlingSilverIngot;
public static Item TinIngot;
public static Item ZincIngot;
public static Item BismuthIngot2x;
public static Item BismuthBronzeIngot2x;
public static Item BlackBronzeIngot2x;
public static Item BlackSteelIngot2x;
public static Item BlueSteelIngot2x;
public static Item BrassIngot2x;
public static Item BronzeIngot2x;
public static Item CopperIngot2x;
public static Item GoldIngot2x;
public static Item WroughtIronIngot2x;
public static Item LeadIngot2x;
public static Item NickelIngot2x;
public static Item PigIronIngot2x;
public static Item PlatinumIngot2x;
public static Item RedSteelIngot2x;
public static Item RoseGoldIngot2x;
public static Item SilverIngot2x;
public static Item SteelIngot2x;
public static Item SterlingSilverIngot2x;
public static Item TinIngot2x;
public static Item ZincIngot2x;
public static Item IgInShovel;
public static Item IgInAxe;
public static Item IgInHoe;
public static Item SedShovel;
public static Item SedAxe;
public static Item SedHoe;
public static Item IgExShovel;
public static Item IgExAxe;
public static Item IgExHoe;
public static Item MMShovel;
public static Item MMAxe;
public static Item MMHoe;
public static Item BismuthPick;
public static Item BismuthShovel;
public static Item BismuthAxe;
public static Item BismuthHoe;
public static Item BismuthBronzePick;
public static Item BismuthBronzeShovel;
public static Item BismuthBronzeAxe;
public static Item BismuthBronzeHoe;
public static Item BlackBronzePick;
public static Item BlackBronzeShovel;
public static Item BlackBronzeAxe;
public static Item BlackBronzeHoe;
public static Item BlackSteelPick;
public static Item BlackSteelShovel;
public static Item BlackSteelAxe;
public static Item BlackSteelHoe;
public static Item BlueSteelPick;
public static Item BlueSteelShovel;
public static Item BlueSteelAxe;
public static Item BlueSteelHoe;
public static Item BronzePick;
public static Item BronzeShovel;
public static Item BronzeAxe;
public static Item BronzeHoe;
public static Item CopperPick;
public static Item CopperShovel;
public static Item CopperAxe;
public static Item CopperHoe;
public static Item WroughtIronPick;
public static Item WroughtIronShovel;
public static Item WroughtIronAxe;
public static Item WroughtIronHoe;
public static Item RedSteelPick;
public static Item RedSteelShovel;
public static Item RedSteelAxe;
public static Item RedSteelHoe;
public static Item RoseGoldPick;
public static Item RoseGoldShovel;
public static Item RoseGoldAxe;
public static Item RoseGoldHoe;
public static Item SteelPick;
public static Item SteelShovel;
public static Item SteelAxe;
public static Item SteelHoe;
public static Item TinPick;
public static Item TinShovel;
public static Item TinAxe;
public static Item TinHoe;
public static Item ZincPick;
public static Item ZincShovel;
public static Item ZincAxe;
public static Item ZincHoe;
public static Item StoneChisel;
public static Item BismuthChisel;
public static Item BismuthBronzeChisel;
public static Item BlackBronzeChisel;
public static Item BlackSteelChisel;
public static Item BlueSteelChisel;
public static Item BronzeChisel;
public static Item CopperChisel;
public static Item WroughtIronChisel;
public static Item RedSteelChisel;
public static Item RoseGoldChisel;
public static Item SteelChisel;
public static Item TinChisel;
public static Item ZincChisel;
public static Item IgInStoneSword;
public static Item IgExStoneSword;
public static Item SedStoneSword;
public static Item MMStoneSword;
public static Item BismuthSword;
public static Item BismuthBronzeSword;
public static Item BlackBronzeSword;
public static Item BlackSteelSword;
public static Item BlueSteelSword;
public static Item BronzeSword;
public static Item CopperSword;
public static Item WroughtIronSword;
public static Item RedSteelSword;
public static Item RoseGoldSword;
public static Item SteelSword;
public static Item TinSword;
public static Item ZincSword;
public static Item IgInStoneMace;
public static Item IgExStoneMace;
public static Item SedStoneMace;
public static Item MMStoneMace;
public static Item BismuthMace;
public static Item BismuthBronzeMace;
public static Item BlackBronzeMace;
public static Item BlackSteelMace;
public static Item BlueSteelMace;
public static Item BronzeMace;
public static Item CopperMace;
public static Item WroughtIronMace;
public static Item RedSteelMace;
public static Item RoseGoldMace;
public static Item SteelMace;
public static Item TinMace;
public static Item ZincMace;
public static Item BismuthSaw;
public static Item BismuthBronzeSaw;
public static Item BlackBronzeSaw;
public static Item BlackSteelSaw;
public static Item BlueSteelSaw;
public static Item BronzeSaw;
public static Item CopperSaw;
public static Item WroughtIronSaw;
public static Item RedSteelSaw;
public static Item RoseGoldSaw;
public static Item SteelSaw;
public static Item TinSaw;
public static Item ZincSaw;
public static Item OreChunk;
public static Item Logs;
public static Item Barrel;
public static Item Javelin;
public static Item BismuthScythe;
public static Item BismuthBronzeScythe;
public static Item BlackBronzeScythe;
public static Item BlackSteelScythe;
public static Item BlueSteelScythe;
public static Item BronzeScythe;
public static Item CopperScythe;
public static Item WroughtIronScythe;
public static Item RedSteelScythe;
public static Item RoseGoldScythe;
public static Item SteelScythe;
public static Item TinScythe;
public static Item ZincScythe;
public static Item BismuthKnife;
public static Item BismuthBronzeKnife;
public static Item BlackBronzeKnife;
public static Item BlackSteelKnife;
public static Item BlueSteelKnife;
public static Item BronzeKnife;
public static Item CopperKnife;
public static Item WroughtIronKnife;
public static Item RedSteelKnife;
public static Item RoseGoldKnife;
public static Item SteelKnife;
public static Item TinKnife;
public static Item ZincKnife;
public static Item FireStarter;
public static Item BellowsItem;
public static Item StoneHammer;
public static Item BismuthHammer;
public static Item BismuthBronzeHammer;
public static Item BlackBronzeHammer;
public static Item BlackSteelHammer;
public static Item BlueSteelHammer;
public static Item BronzeHammer;
public static Item CopperHammer;
public static Item WroughtIronHammer;
public static Item RedSteelHammer;
public static Item RoseGoldHammer;
public static Item SteelHammer;
public static Item TinHammer;
public static Item ZincHammer;
public static Item BismuthUnshaped;
public static Item BismuthBronzeUnshaped;
public static Item BlackBronzeUnshaped;
public static Item BlackSteelUnshaped;
public static Item HCBlackSteelUnshaped;
public static Item BlueSteelUnshaped;
public static Item WeakBlueSteelUnshaped;
public static Item HCBlueSteelUnshaped;
public static Item BrassUnshaped;
public static Item BronzeUnshaped;
public static Item CopperUnshaped;
public static Item GoldUnshaped;
public static Item WroughtIronUnshaped;
public static Item LeadUnshaped;
public static Item NickelUnshaped;
public static Item PigIronUnshaped;
public static Item PlatinumUnshaped;
public static Item RedSteelUnshaped;
public static Item WeakRedSteelUnshaped;
public static Item HCRedSteelUnshaped;
public static Item RoseGoldUnshaped;
public static Item SilverUnshaped;
public static Item SteelUnshaped;
public static Item WeakSteelUnshaped;
public static Item HCSteelUnshaped;
public static Item SterlingSilverUnshaped;
public static Item TinUnshaped;
public static Item ZincUnshaped;
public static Item CeramicMold;
public static Item Ink;
//Plans
public static Item PickaxeHeadPlan;
public static Item ShovelHeadPlan;
public static Item HoeHeadPlan;
public static Item AxeHeadPlan;
public static Item HammerHeadPlan;
public static Item ChiselHeadPlan;
public static Item SwordBladePlan;
public static Item MaceHeadPlan;
public static Item SawBladePlan;
public static Item ProPickHeadPlan;
public static Item HelmetPlan;
public static Item ChestplatePlan;
public static Item GreavesPlan;
public static Item BootsPlan;
public static Item ScythePlan;
public static Item KnifePlan;
public static Item BucketPlan;
//Tool Heads
public static Item BismuthPickaxeHead;
public static Item BismuthBronzePickaxeHead;
public static Item BlackBronzePickaxeHead;
public static Item BlackSteelPickaxeHead;
public static Item BlueSteelPickaxeHead;
public static Item BronzePickaxeHead;
public static Item CopperPickaxeHead;
public static Item WroughtIronPickaxeHead;
public static Item RedSteelPickaxeHead;
public static Item RoseGoldPickaxeHead;
public static Item SteelPickaxeHead;
public static Item TinPickaxeHead;
public static Item ZincPickaxeHead;
public static Item BismuthShovelHead;
public static Item BismuthBronzeShovelHead;
public static Item BlackBronzeShovelHead;
public static Item BlackSteelShovelHead;
public static Item BlueSteelShovelHead;
public static Item BronzeShovelHead;
public static Item CopperShovelHead;
public static Item WroughtIronShovelHead;
public static Item RedSteelShovelHead;
public static Item RoseGoldShovelHead;
public static Item SilverShovelHead;
public static Item SteelShovelHead;
public static Item TinShovelHead;
public static Item ZincShovelHead;
public static Item BismuthHoeHead;
public static Item BismuthBronzeHoeHead;
public static Item BlackBronzeHoeHead;
public static Item BlackSteelHoeHead;
public static Item BlueSteelHoeHead;
public static Item BronzeHoeHead;
public static Item CopperHoeHead;
public static Item WroughtIronHoeHead;
public static Item RedSteelHoeHead;
public static Item RoseGoldHoeHead;
public static Item SteelHoeHead;
public static Item TinHoeHead;
public static Item ZincHoeHead;
public static Item BismuthAxeHead;
public static Item BismuthBronzeAxeHead;
public static Item BlackBronzeAxeHead;
public static Item BlackSteelAxeHead;
public static Item BlueSteelAxeHead;
public static Item BronzeAxeHead;
public static Item CopperAxeHead;
public static Item WroughtIronAxeHead;
public static Item RedSteelAxeHead;
public static Item RoseGoldAxeHead;
public static Item SteelAxeHead;
public static Item TinAxeHead;
public static Item ZincAxeHead;
public static Item BismuthHammerHead;
public static Item BismuthBronzeHammerHead;
public static Item BlackBronzeHammerHead;
public static Item BlackSteelHammerHead;
public static Item BlueSteelHammerHead;
public static Item BronzeHammerHead;
public static Item CopperHammerHead;
public static Item WroughtIronHammerHead;
public static Item RedSteelHammerHead;
public static Item RoseGoldHammerHead;
public static Item SteelHammerHead;
public static Item TinHammerHead;
public static Item ZincHammerHead;
public static Item BismuthChiselHead;
public static Item BismuthBronzeChiselHead;
public static Item BlackBronzeChiselHead;
public static Item BlackSteelChiselHead;
public static Item BlueSteelChiselHead;
public static Item BronzeChiselHead;
public static Item CopperChiselHead;
public static Item WroughtIronChiselHead;
public static Item RedSteelChiselHead;
public static Item RoseGoldChiselHead;
public static Item SteelChiselHead;
public static Item TinChiselHead;
public static Item ZincChiselHead;
public static Item BismuthSwordHead;
public static Item BismuthBronzeSwordHead;
public static Item BlackBronzeSwordHead;
public static Item BlackSteelSwordHead;
public static Item BlueSteelSwordHead;
public static Item BronzeSwordHead;
public static Item CopperSwordHead;
public static Item WroughtIronSwordHead;
public static Item RedSteelSwordHead;
public static Item RoseGoldSwordHead;
public static Item SteelSwordHead;
public static Item TinSwordHead;
public static Item ZincSwordHead;
public static Item BismuthMaceHead;
public static Item BismuthBronzeMaceHead;
public static Item BlackBronzeMaceHead;
public static Item BlackSteelMaceHead;
public static Item BlueSteelMaceHead;
public static Item BronzeMaceHead;
public static Item CopperMaceHead;
public static Item WroughtIronMaceHead;
public static Item RedSteelMaceHead;
public static Item RoseGoldMaceHead;
public static Item SteelMaceHead;
public static Item TinMaceHead;
public static Item ZincMaceHead;
public static Item BismuthSawHead;
public static Item BismuthBronzeSawHead;
public static Item BlackBronzeSawHead;
public static Item BlackSteelSawHead;
public static Item BlueSteelSawHead;
public static Item BronzeSawHead;
public static Item CopperSawHead;
public static Item WroughtIronSawHead;
public static Item RedSteelSawHead;
public static Item RoseGoldSawHead;
public static Item SteelSawHead;
public static Item TinSawHead;
public static Item ZincSawHead;
public static Item BismuthProPickHead;
public static Item BismuthBronzeProPickHead;
public static Item BlackBronzeProPickHead;
public static Item BlackSteelProPickHead;
public static Item BlueSteelProPickHead;
public static Item BronzeProPickHead;
public static Item CopperProPickHead;
public static Item WroughtIronProPickHead;
public static Item RedSteelProPickHead;
public static Item RoseGoldProPickHead;
public static Item SteelProPickHead;
public static Item TinProPickHead;
public static Item ZincProPickHead;
public static Item BismuthScytheHead;
public static Item BismuthBronzeScytheHead;
public static Item BlackBronzeScytheHead;
public static Item BlackSteelScytheHead;
public static Item BlueSteelScytheHead;
public static Item BronzeScytheHead;
public static Item CopperScytheHead;
public static Item WroughtIronScytheHead;
public static Item RedSteelScytheHead;
public static Item RoseGoldScytheHead;
public static Item SteelScytheHead;
public static Item TinScytheHead;
public static Item ZincScytheHead;
public static Item BismuthKnifeHead;
public static Item BismuthBronzeKnifeHead;
public static Item BlackBronzeKnifeHead;
public static Item BlackSteelKnifeHead;
public static Item BlueSteelKnifeHead;
public static Item BronzeKnifeHead;
public static Item CopperKnifeHead;
public static Item WroughtIronKnifeHead;
public static Item RedSteelKnifeHead;
public static Item RoseGoldKnifeHead;
public static Item SteelKnifeHead;
public static Item TinKnifeHead;
public static Item ZincKnifeHead;
public static Item Coke;
public static Item Flux;
//Formerly TFC_Mining
public static Item GoldPan;
public static Item SluiceItem;
public static Item ProPickStone;
public static Item ProPickBismuth;
public static Item ProPickBismuthBronze;
public static Item ProPickBlackBronze;
public static Item ProPickBlackSteel;
public static Item ProPickBlueSteel;
public static Item ProPickBronze;
public static Item ProPickCopper;
public static Item ProPickIron;
public static Item ProPickRedSteel;
public static Item ProPickRoseGold;
public static Item ProPickSteel;
public static Item ProPickTin;
public static Item ProPickZinc;
/**Armor Crafting related items*/
public static Item BismuthSheet;
public static Item BismuthBronzeSheet;
public static Item BlackBronzeSheet;
public static Item BlackSteelSheet;
public static Item BlueSteelSheet;
public static Item BronzeSheet;
public static Item CopperSheet;
public static Item WroughtIronSheet;
public static Item RedSteelSheet;
public static Item RoseGoldSheet;
public static Item SteelSheet;
public static Item TinSheet;
public static Item ZincSheet;
public static Item BrassSheet;
public static Item GoldSheet;
public static Item LeadSheet;
public static Item NickelSheet;
public static Item PigIronSheet;
public static Item PlatinumSheet;
public static Item SilverSheet;
public static Item SterlingSilverSheet;
public static Item BismuthSheet2x;
public static Item BismuthBronzeSheet2x;
public static Item BlackBronzeSheet2x;
public static Item BlackSteelSheet2x;
public static Item BlueSteelSheet2x;
public static Item BronzeSheet2x;
public static Item CopperSheet2x;
public static Item WroughtIronSheet2x;
public static Item RedSteelSheet2x;
public static Item RoseGoldSheet2x;
public static Item SteelSheet2x;
public static Item TinSheet2x;
public static Item ZincSheet2x;
public static Item BrassSheet2x;
public static Item GoldSheet2x;
public static Item LeadSheet2x;
public static Item NickelSheet2x;
public static Item PigIronSheet2x;
public static Item PlatinumSheet2x;
public static Item SilverSheet2x;
public static Item SterlingSilverSheet2x;
public static Item BismuthBronzeUnfinishedChestplate;
public static Item BlackBronzeUnfinishedChestplate;
public static Item BlackSteelUnfinishedChestplate;
public static Item BlueSteelUnfinishedChestplate;
public static Item BronzeUnfinishedChestplate;
public static Item CopperUnfinishedChestplate;
public static Item WroughtIronUnfinishedChestplate;
public static Item RedSteelUnfinishedChestplate;
public static Item SteelUnfinishedChestplate;
public static Item BismuthBronzeUnfinishedGreaves;
public static Item BlackBronzeUnfinishedGreaves;
public static Item BlackSteelUnfinishedGreaves;
public static Item BlueSteelUnfinishedGreaves;
public static Item BronzeUnfinishedGreaves;
public static Item CopperUnfinishedGreaves;
public static Item WroughtIronUnfinishedGreaves;
public static Item RedSteelUnfinishedGreaves;
public static Item SteelUnfinishedGreaves;
public static Item BismuthBronzeUnfinishedBoots;
public static Item BlackBronzeUnfinishedBoots;
public static Item BlackSteelUnfinishedBoots;
public static Item BlueSteelUnfinishedBoots;
public static Item BronzeUnfinishedBoots;
public static Item CopperUnfinishedBoots;
public static Item WroughtIronUnfinishedBoots;
public static Item RedSteelUnfinishedBoots;
public static Item SteelUnfinishedBoots;
public static Item BismuthBronzeUnfinishedHelmet;
public static Item BlackBronzeUnfinishedHelmet;
public static Item BlackSteelUnfinishedHelmet;
public static Item BlueSteelUnfinishedHelmet;
public static Item BronzeUnfinishedHelmet;
public static Item CopperUnfinishedHelmet;
public static Item WroughtIronUnfinishedHelmet;
public static Item RedSteelUnfinishedHelmet;
public static Item SteelUnfinishedHelmet;
public static Item BismuthBronzeChestplate;
public static Item BlackBronzeChestplate;
public static Item BlackSteelChestplate;
public static Item BlueSteelChestplate;
public static Item BronzeChestplate;
public static Item CopperChestplate;
public static Item WroughtIronChestplate;
public static Item RedSteelChestplate;
public static Item SteelChestplate;
public static Item BismuthBronzeGreaves;
public static Item BlackBronzeGreaves;
public static Item BlackSteelGreaves;
public static Item BlueSteelGreaves;
public static Item BronzeGreaves;
public static Item CopperGreaves;
public static Item WroughtIronGreaves;
public static Item RedSteelGreaves;
public static Item SteelGreaves;
public static Item BismuthBronzeBoots;
public static Item BlackBronzeBoots;
public static Item BlackSteelBoots;
public static Item BlueSteelBoots;
public static Item BronzeBoots;
public static Item CopperBoots;
public static Item WroughtIronBoots;
public static Item RedSteelBoots;
public static Item SteelBoots;
public static Item BismuthBronzeHelmet;
public static Item BlackBronzeHelmet;
public static Item BlackSteelHelmet;
public static Item BlueSteelHelmet;
public static Item BronzeHelmet;
public static Item CopperHelmet;
public static Item WroughtIronHelmet;
public static Item RedSteelHelmet;
public static Item SteelHelmet;
public static Item WoodenBucketEmpty;
public static Item WoodenBucketWater;
public static Item WoodenBucketMilk;
/**Food Related Items and Blocks*/
public static Item SeedsWheat;
public static Item SeedsMelon;
public static Item SeedsPumpkin;
public static Item SeedsMaize;
public static Item SeedsTomato;
public static Item SeedsBarley;
public static Item SeedsRye;
public static Item SeedsOat;
public static Item SeedsRice;
public static Item SeedsPotato;
public static Item SeedsOnion;
public static Item SeedsCabbage;
public static Item SeedsGarlic;
public static Item SeedsCarrot;
public static Item SeedsSugarcane;
public static Item SeedsHemp;
public static Item SeedsYellowBellPepper;
public static Item SeedsRedBellPepper;
public static Item SeedsSoybean;
public static Item SeedsGreenbean;
public static Item SeedsSquash;
public static Item FruitTreeSapling1;
public static Item FruitTreeSapling2;
public static Item RedApple;
public static Item GreenApple;
public static Item Banana;
public static Item Orange;
public static Item Lemon;
public static Item Olive;
public static Item Cherry;
public static Item Peach;
public static Item Plum;
public static Item Egg;
public static Item EggCooked;
public static Item WheatGrain;
public static Item BarleyGrain;
public static Item OatGrain;
public static Item RyeGrain;
public static Item RiceGrain;
public static Item MaizeEar;
public static Item Tomato;
public static Item Potato;
public static Item Onion;
public static Item Cabbage;
public static Item Garlic;
public static Item Carrot;
public static Item Sugarcane;
public static Item Hemp;
public static Item Soybean;
public static Item Greenbeans;
public static Item GreenBellPepper;
public static Item YellowBellPepper;
public static Item RedBellPepper;
public static Item Squash;
public static Item WheatGround;
public static Item BarleyGround;
public static Item OatGround;
public static Item RyeGround;
public static Item RiceGround;
public static Item CornmealGround;
public static Item WheatDough;
public static Item BarleyDough;
public static Item OatDough;
public static Item RyeDough;
public static Item RiceDough;
public static Item CornmealDough;
public static Item BarleyBread;
public static Item OatBread;
public static Item RyeBread;
public static Item RiceBread;
public static Item CornBread;
public static Item WheatWhole;
public static Item BarleyWhole;
public static Item OatWhole;
public static Item RyeWhole;
public static Item RiceWhole;
public static Item LooseRock;
public static Item FlatRock;
public static Item IgInStoneShovelHead;
public static Item SedStoneShovelHead;
public static Item IgExStoneShovelHead;
public static Item MMStoneShovelHead;
public static Item IgInStoneAxeHead;
public static Item SedStoneAxeHead;
public static Item IgExStoneAxeHead;
public static Item MMStoneAxeHead;
public static Item IgInStoneHoeHead;
public static Item SedStoneHoeHead;
public static Item IgExStoneHoeHead;
public static Item MMStoneHoeHead;
public static Item StoneKnife;
public static Item StoneKnifeHead;
public static Item StoneHammerHead;
public static Item SmallOreChunk;
public static Item SinglePlank;
public static Item minecartEmpty;
public static Item minecartCrate;
public static Item RedSteelBucketEmpty;
public static Item RedSteelBucketWater;
public static Item BlueSteelBucketEmpty;
public static Item BlueSteelBucketLava;
public static Item MealGeneric;
public static Item MealMoveSpeed;
public static Item MealDigSpeed;
public static Item MealDamageBoost;
public static Item MealJump;
public static Item MealDamageResist;
public static Item MealFireResist;
public static Item MealWaterBreathing;
public static Item MealNightVision;
public static Item Quern;
public static Item FlintSteel;
public static Item DoorOak;
public static Item DoorAspen;
public static Item DoorBirch;
public static Item DoorChestnut;
public static Item DoorDouglasFir;
public static Item DoorHickory;
public static Item DoorMaple;
public static Item DoorAsh;
public static Item DoorPine;
public static Item DoorSequoia;
public static Item DoorSpruce;
public static Item DoorSycamore;
public static Item DoorWhiteCedar;
public static Item DoorWhiteElm;
public static Item DoorWillow;
public static Item DoorKapok;
public static Item Blueprint;
public static Item writabeBookTFC;
public static Item WoolYarn;
public static Item Wool;
public static Item WoolCloth;
public static Item Spindle;
public static Item ClaySpindle;
public static Item SpindleHead;
public static Item StoneBrick;
public static Item Mortar;
public static Item Limewater;
public static Item Hide;
public static Item SoakedHide;
public static Item ScrapedHide;
public static Item PrepHide;
public static Item SheepSkin;
public static Item TerraLeather;
public static Item muttonRaw;
public static Item muttonCooked;
public static Item FlatLeather;
public static Item Beer;
public static Item PotteryJug;
public static Item PotteryPot;
public static Item PotteryAmphora;
public static Item PotterySmallVessel;
public static Item PotteryLargeVessel;
public static Item KilnRack;
public static Item Straw;
public static Item FlatClay;
public static Item ClayMoldAxe;
public static Item ClayMoldChisel;
public static Item ClayMoldHammer;
public static Item ClayMoldHoe;
public static Item ClayMoldKnife;
public static Item ClayMoldMace;
public static Item ClayMoldPick;
public static Item ClayMoldProPick;
public static Item ClayMoldSaw;
public static Item ClayMoldScythe;
public static Item ClayMoldShovel;
public static Item ClayMoldSword;
/**
* Item Uses Setup
* */
public static int IgInStoneUses = 60;
public static int IgExStoneUses = 70;
public static int SedStoneUses = 50;
public static int MMStoneUses = 55;
//Tier 0
public static int BismuthUses = 300;
public static int TinUses = 290;
public static int ZincUses = 250;
//Tier 1
public static int CopperUses = 600;
//Tier 2
public static int BronzeUses = 1300;
public static int RoseGoldUses = 1140;
public static int BismuthBronzeUses = 1200;
public static int BlackBronzeUses = 1460;
//Tier 3
public static int WroughtIronUses = 2200;
//Tier 4
public static int SteelUses = 3300;
//Tier 5
public static int BlackSteelUses = 4200;
//Tier 6
public static int BlueSteelUses = 6500;
public static int RedSteelUses = 6500;
//Tier 0
public static float BismuthEff = 4;
public static float TinEff = 3.5f;
public static float ZincEff = 3;
//Tier 1
public static float CopperEff = 5;
//Tier 2
public static float BronzeEff = 8;
public static float RoseGoldEff = 6;
public static float BismuthBronzeEff = 8;
public static float BlackBronzeEff = 8;
//Tier 3
public static float WroughtIronEff = 10;
//Tier 4
public static float SteelEff = 14;
//Tier 5
public static float BlackSteelEff = 16;
//Tier 6
public static float BlueSteelEff = 18;
public static float RedSteelEff = 18;
public static EnumToolMaterial IgInToolMaterial;
public static EnumToolMaterial SedToolMaterial;
public static EnumToolMaterial IgExToolMaterial;
public static EnumToolMaterial MMToolMaterial;
public static EnumToolMaterial BismuthToolMaterial;
public static EnumToolMaterial BismuthBronzeToolMaterial;
public static EnumToolMaterial BlackBronzeToolMaterial;
public static EnumToolMaterial BlackSteelToolMaterial;
public static EnumToolMaterial BlueSteelToolMaterial;
public static EnumToolMaterial BronzeToolMaterial;
public static EnumToolMaterial CopperToolMaterial;
public static EnumToolMaterial IronToolMaterial;
public static EnumToolMaterial RedSteelToolMaterial;
public static EnumToolMaterial RoseGoldToolMaterial;
public static EnumToolMaterial SteelToolMaterial;
public static EnumToolMaterial TinToolMaterial;
public static EnumToolMaterial ZincToolMaterial;
static Configuration config;
public static void Setup()
{
try
{
config = new net.minecraftforge.common.Configuration(
new File(TerraFirmaCraft.proxy.getMinecraftDir(), "/config/TFC.cfg"));
config.load();
} catch (Exception e) {
System.out.println(new StringBuilder().append("[TFC] Error while trying to access item configuration!").toString());
config = null;
}
IgInToolMaterial = EnumHelper.addToolMaterial("IgIn", 1, IgInStoneUses, 7F, 10, 5);
SedToolMaterial = EnumHelper.addToolMaterial("Sed", 1, SedStoneUses, 6F, 10, 5);
IgExToolMaterial = EnumHelper.addToolMaterial("IgEx", 1, IgExStoneUses, 7F, 10, 5);
MMToolMaterial = EnumHelper.addToolMaterial("MM", 1, MMStoneUses, 6.5F, 10, 5);
BismuthToolMaterial = EnumHelper.addToolMaterial("Bismuth", 2, BismuthUses, BismuthEff, 65, 10);
BismuthBronzeToolMaterial = EnumHelper.addToolMaterial("BismuthBronze", 2, BismuthBronzeUses, BismuthBronzeEff, 85, 10);
BlackBronzeToolMaterial = EnumHelper.addToolMaterial("BlackBronze", 2, BlackBronzeUses, BlackBronzeEff, 100, 10);
BlackSteelToolMaterial = EnumHelper.addToolMaterial("BlackSteel", 2, BlackSteelUses, BlackSteelEff, 165, 12);
BlueSteelToolMaterial = EnumHelper.addToolMaterial("BlueSteel", 3, BlueSteelUses, BlueSteelEff, 185, 22);
BronzeToolMaterial = EnumHelper.addToolMaterial("Bronze", 2, BronzeUses, BronzeEff, 100, 13);
CopperToolMaterial = EnumHelper.addToolMaterial("Copper", 2, CopperUses, CopperEff, 85, 8);
IronToolMaterial = EnumHelper.addToolMaterial("Iron", 2, WroughtIronUses, WroughtIronEff, 135, 10);
RedSteelToolMaterial = EnumHelper.addToolMaterial("RedSteel", 3, RedSteelUses, RedSteelEff, 185, 22);
RoseGoldToolMaterial = EnumHelper.addToolMaterial("RoseGold", 2, RoseGoldUses, RoseGoldEff, 100, 20);
SteelToolMaterial = EnumHelper.addToolMaterial("Steel", 2, SteelUses, SteelEff, 150, 10);
TinToolMaterial = EnumHelper.addToolMaterial("Tin", 2, TinUses, TinEff, 65, 8);
ZincToolMaterial = EnumHelper.addToolMaterial("Zinc", 2, ZincUses, ZincEff, 65, 8);
System.out.println(new StringBuilder().append("[TFC] Loading Items").toString());
//Replace any vanilla Items here
Item.itemsList[Item.coal.itemID] = null; Item.itemsList[Item.coal.itemID] = (new TFC.Items.ItemCoal(7)).setUnlocalizedName("coal");
Item.itemsList[Item.stick.itemID] = null; Item.itemsList[Item.stick.itemID] = new ItemStick(24).setFull3D().setUnlocalizedName("stick");
Item.itemsList[Item.leather.itemID] = null; Item.itemsList[Item.leather.itemID] = new ItemTerra(Item.leather.itemID).setFull3D().setUnlocalizedName("leather");
Item.itemsList[Block.vine.blockID] = new ItemColored(Block.vine.blockID - 256, false);
minecartCrate = (new ItemCustomMinecart(TFC_Settings.getIntFor(config,"item","minecartCrate",16000), 1)).setUnlocalizedName("minecartChest");
Item.itemsList[5+256] = null; Item.itemsList[5+256] = (new ItemCustomBow(5)).setUnlocalizedName("bow");
Item.itemsList[63+256] = null; Item.itemsList[63+256] = new ItemTerra(63).setUnlocalizedName("porkchopRaw");
Item.itemsList[64+256] = null; Item.itemsList[64+256] = new ItemTerraFood(64, 35, 0.8F, true, 38).setFolder("").setUnlocalizedName("porkchopCooked");
Item.itemsList[93+256] = null; Item.itemsList[93+256] = new ItemTerra(93).setUnlocalizedName("fishRaw");
Item.itemsList[94+256] = null; Item.itemsList[94+256] = new ItemTerraFood(94, 30, 0.6F, true, 39).setFolder("").setUnlocalizedName("fishCooked");
Item.itemsList[107+256] = null; Item.itemsList[107+256] = new ItemTerra(107).setUnlocalizedName("beefRaw");
Item.itemsList[108+256] = null; Item.itemsList[108+256] = new ItemTerraFood(108, 40, 0.8F, true, 40).setFolder("").setUnlocalizedName("beefCooked");
Item.itemsList[109+256] = null; Item.itemsList[109+256] = new ItemTerra(109).setUnlocalizedName("chickenRaw");
Item.itemsList[110+256] = null; Item.itemsList[110+256] = new ItemTerraFood(110, 35, 0.6F, true, 41).setFolder("").setUnlocalizedName("chickenCooked");
Item.itemsList[41+256] = null; Item.itemsList[41+256] = (new ItemTerraFood(41, 25, 0.6F, false, 42)).setFolder("").setUnlocalizedName("bread");
Item.itemsList[88+256] = null; Item.itemsList[88+256] = (new ItemTerra(88)).setUnlocalizedName("egg");
Item.itemsList[Item.dyePowder.itemID] = null; Item.itemsList[Item.dyePowder.itemID] = new ItemDyeCustom(95).setUnlocalizedName("dyePowder");
Item.itemsList[Item.potion.itemID] = null; Item.itemsList[Item.potion.itemID] = (new ItemCustomPotion(117)).setUnlocalizedName("potion");
Item.itemsList[Block.tallGrass.blockID] = null; Item.itemsList[Block.tallGrass.blockID] = (new ItemColored(Block.tallGrass.blockID - 256, true)).setBlockNames(new String[] {"shrub", "grass", "fern"});
GoldPan = new ItemGoldPan(TFC_Settings.getIntFor(config,"item","GoldPan",16001)).setUnlocalizedName("GoldPan");
SluiceItem = new ItemSluice(TFC_Settings.getIntFor(config,"item","SluiceItem",16002)).setFolder("devices/").setUnlocalizedName("SluiceItem");
ProPickBismuth = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBismuth",16004)).setUnlocalizedName("Bismuth ProPick").setMaxDamage(BismuthUses);
ProPickBismuthBronze = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBismuthBronze",16005)).setUnlocalizedName("Bismuth Bronze ProPick").setMaxDamage(BismuthBronzeUses);
ProPickBlackBronze = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBlackBronze",16006)).setUnlocalizedName("Black Bronze ProPick").setMaxDamage(BlackBronzeUses);
ProPickBlackSteel = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBlackSteel",16007)).setUnlocalizedName("Black Steel ProPick").setMaxDamage(BlackSteelUses);
ProPickBlueSteel = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBlueSteel",16008)).setUnlocalizedName("Blue Steel ProPick").setMaxDamage(BlueSteelUses);
ProPickBronze = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBronze",16009)).setUnlocalizedName("Bronze ProPick").setMaxDamage(BronzeUses);
ProPickCopper = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickCopper",16010)).setUnlocalizedName("Copper ProPick").setMaxDamage(CopperUses);
ProPickIron = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickWroughtIron",16012)).setUnlocalizedName("Wrought Iron ProPick").setMaxDamage(WroughtIronUses);
ProPickRedSteel = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickRedSteel",16016)).setUnlocalizedName("Red Steel ProPick").setMaxDamage(RedSteelUses);
ProPickRoseGold = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickRoseGold",16017)).setUnlocalizedName("Rose Gold ProPick").setMaxDamage(RoseGoldUses);
ProPickSteel = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickSteel",16019)).setUnlocalizedName("Steel ProPick").setMaxDamage(SteelUses);
ProPickTin = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickTin",16021)).setUnlocalizedName("Tin ProPick").setMaxDamage(TinUses);
ProPickZinc = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickZinc",16022)).setUnlocalizedName("Zinc ProPick").setMaxDamage(ZincUses);
BismuthIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BismuthIngot",16028), EnumMetalType.BISMUTH).setUnlocalizedName("Bismuth Ingot");
BismuthBronzeIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BismuthBronzeIngot",16029), EnumMetalType.BISMUTHBRONZE).setUnlocalizedName("Bismuth Bronze Ingot");
BlackBronzeIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BlackBronzeIngot",16030), EnumMetalType.BLACKBRONZE).setUnlocalizedName("Black Bronze Ingot");
BlackSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BlackSteelIngot",16031), EnumMetalType.BLACKSTEEL).setUnlocalizedName("Black Steel Ingot");
BlueSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BlueSteelIngot",16032), EnumMetalType.BLUESTEEL).setUnlocalizedName("Blue Steel Ingot");
BrassIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BrassIngot",16033), EnumMetalType.BRASS).setUnlocalizedName("Brass Ingot");
BronzeIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BronzeIngot",16034), EnumMetalType.BRONZE).setUnlocalizedName("Bronze Ingot");
CopperIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","CopperIngot",16035), EnumMetalType.COPPER).setUnlocalizedName("Copper Ingot");
GoldIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","GoldIngot",16036), EnumMetalType.GOLD).setUnlocalizedName("Gold Ingot");
WroughtIronIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","WroughtIronIngot",16037), EnumMetalType.WROUGHTIRON).setUnlocalizedName("Wrought Iron Ingot");
LeadIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","LeadIngot",16038), EnumMetalType.LEAD).setUnlocalizedName("Lead Ingot");
NickelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","NickelIngot",16039), EnumMetalType.NICKEL).setUnlocalizedName("Nickel Ingot");
PigIronIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","PigIronIngot",16040), EnumMetalType.PIGIRON).setUnlocalizedName("Pig Iron Ingot");
PlatinumIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","PlatinumIngot",16041), EnumMetalType.PLATINUM).setUnlocalizedName("Platinum Ingot");
RedSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","RedSteelIngot",16042), EnumMetalType.REDSTEEL).setUnlocalizedName("Red Steel Ingot");
RoseGoldIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","RoseGoldIngot",16043), EnumMetalType.ROSEGOLD).setUnlocalizedName("Rose Gold Ingot");
SilverIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","SilverIngot",16044), EnumMetalType.SILVER).setUnlocalizedName("Silver Ingot");
SteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","SteelIngot",16045), EnumMetalType.STEEL).setUnlocalizedName("Steel Ingot");
SterlingSilverIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","SterlingSilverIngot",16046), EnumMetalType.STERLINGSILVER).setUnlocalizedName("Sterling Silver Ingot");
TinIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","TinIngot",16047), EnumMetalType.TIN).setUnlocalizedName("Tin Ingot");
ZincIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","ZincIngot",16048), EnumMetalType.ZINC).setUnlocalizedName("Zinc Ingot");
BismuthIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BismuthIngot2x",16049), EnumMetalType.BISMUTH).setUnlocalizedName("Bismuth Double Ingot")).setSize(EnumSize.LARGE);
BismuthBronzeIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BismuthBronzeIngot2x",16050), EnumMetalType.BISMUTHBRONZE).setUnlocalizedName("Bismuth Bronze Double Ingot")).setSize(EnumSize.LARGE);
BlackBronzeIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BlackBronzeIngot2x",16051), EnumMetalType.BLACKBRONZE).setUnlocalizedName("Black Bronze Double Ingot")).setSize(EnumSize.LARGE);
BlackSteelIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BlackSteelIngot2x",16052), EnumMetalType.BLACKSTEEL).setUnlocalizedName("Black Steel Double Ingot")).setSize(EnumSize.LARGE);
BlueSteelIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BlueSteelIngot2x",16053), EnumMetalType.BLUESTEEL).setUnlocalizedName("Blue Steel Double Ingot")).setSize(EnumSize.LARGE);
BrassIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BrassIngot2x",16054), EnumMetalType.BRASS).setUnlocalizedName("Brass Double Ingot")).setSize(EnumSize.LARGE);
BronzeIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BronzeIngot2x",16055), EnumMetalType.BRONZE).setUnlocalizedName("Bronze Double Ingot")).setSize(EnumSize.LARGE);
CopperIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","CopperIngot2x",16056), EnumMetalType.COPPER).setUnlocalizedName("Copper Double Ingot")).setSize(EnumSize.LARGE);
GoldIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","GoldIngot2x",16057), EnumMetalType.GOLD).setUnlocalizedName("Gold Double Ingot")).setSize(EnumSize.LARGE);
WroughtIronIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","WroughtIronIngot2x",16058), EnumMetalType.WROUGHTIRON).setUnlocalizedName("Wrought Iron Double Ingot")).setSize(EnumSize.LARGE);
LeadIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","LeadIngot2x",16059), EnumMetalType.LEAD).setUnlocalizedName("Lead Double Ingot")).setSize(EnumSize.LARGE);
NickelIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","NickelIngot2x",16060), EnumMetalType.NICKEL).setUnlocalizedName("Nickel Double Ingot")).setSize(EnumSize.LARGE);
PigIronIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","PigIronIngot2x",16061), EnumMetalType.PIGIRON).setUnlocalizedName("Pig Iron Double Ingot")).setSize(EnumSize.LARGE);
PlatinumIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","PlatinumIngot2x",16062), EnumMetalType.PLATINUM).setUnlocalizedName("Platinum Double Ingot")).setSize(EnumSize.LARGE);
RedSteelIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","RedSteelIngot2x",16063), EnumMetalType.REDSTEEL).setUnlocalizedName("Red Steel Double Ingot")).setSize(EnumSize.LARGE);
RoseGoldIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","RoseGoldIngot2x",16064), EnumMetalType.ROSEGOLD).setUnlocalizedName("Rose Gold Double Ingot")).setSize(EnumSize.LARGE);
SilverIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","SilverIngot2x",16065), EnumMetalType.SILVER).setUnlocalizedName("Silver Double Ingot")).setSize(EnumSize.LARGE);
SteelIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","SteelIngot2x",16066), EnumMetalType.STEEL).setUnlocalizedName("Steel Double Ingot")).setSize(EnumSize.LARGE);
SterlingSilverIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","SterlingSilverIngot2x",16067), EnumMetalType.STERLINGSILVER).setUnlocalizedName("Sterling Silver Double Ingot")).setSize(EnumSize.LARGE);
TinIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","TinIngot2x",16068), EnumMetalType.TIN).setUnlocalizedName("Tin Double Ingot")).setSize(EnumSize.LARGE);
ZincIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","ZincIngot2x",16069), EnumMetalType.ZINC).setUnlocalizedName("Zinc Double Ingot")).setSize(EnumSize.LARGE);
SulfurPowder = new ItemTerra(TFC_Settings.getIntFor(config,"item","SulfurPowder",16070)).setUnlocalizedName("Sulfur Powder");
SaltpeterPowder = new ItemTerra(TFC_Settings.getIntFor(config,"item","SaltpeterPowder",16071)).setUnlocalizedName("Saltpeter Powder");
GemRuby = new ItemGem(TFC_Settings.getIntFor(config,"item","GemRuby",16080)).setUnlocalizedName("Ruby");
GemSapphire = new ItemGem(TFC_Settings.getIntFor(config,"item","GemSapphire",16081)).setUnlocalizedName("Sapphire");
GemEmerald = new ItemGem(TFC_Settings.getIntFor(config,"item","GemEmerald",16082)).setUnlocalizedName("Emerald");
GemTopaz = new ItemGem(TFC_Settings.getIntFor(config,"item","GemTopaz",16083)).setUnlocalizedName("Topaz");
GemTourmaline = new ItemGem(TFC_Settings.getIntFor(config,"item","GemTourmaline",16084)).setUnlocalizedName("Tourmaline");
GemJade = new ItemGem(TFC_Settings.getIntFor(config,"item","GemJade",16085)).setUnlocalizedName("Jade");
GemBeryl = new ItemGem(TFC_Settings.getIntFor(config,"item","GemBeryl",16086)).setUnlocalizedName("Beryl");
GemAgate = new ItemGem(TFC_Settings.getIntFor(config,"item","GemAgate",16087)).setUnlocalizedName("Agate");
GemOpal = new ItemGem(TFC_Settings.getIntFor(config,"item","GemOpal",16088)).setUnlocalizedName("Opal");
GemGarnet = new ItemGem(TFC_Settings.getIntFor(config,"item","GemGarnet",16089)).setUnlocalizedName("Garnet");
GemJasper = new ItemGem(TFC_Settings.getIntFor(config,"item","GemJasper",16090)).setUnlocalizedName("Jasper");
GemAmethyst = new ItemGem(TFC_Settings.getIntFor(config,"item","GemAmethyst",16091)).setUnlocalizedName("Amethyst");
GemDiamond = new ItemGem(TFC_Settings.getIntFor(config,"item","GemDiamond",16092)).setUnlocalizedName("Diamond");
//Tools
IgInShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","IgInShovel",16101),IgInToolMaterial).setUnlocalizedName("Stone Shovel").setMaxDamage(IgInStoneUses);
IgInAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","IgInAxe",16102),IgInToolMaterial).setUnlocalizedName("Stone Axe").setMaxDamage(IgInStoneUses);
IgInHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","IgInHoe",16103),IgInToolMaterial).setUnlocalizedName("Stone Hoe").setMaxDamage(IgInStoneUses);
SedShovel= new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","SedShovel",16105),SedToolMaterial).setUnlocalizedName("Stone Shovel").setMaxDamage(SedStoneUses);
SedAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","SedAxe",16106),SedToolMaterial).setUnlocalizedName("Stone Axe").setMaxDamage(SedStoneUses);
SedHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","SedHoe",16107),SedToolMaterial).setUnlocalizedName("Stone Hoe").setMaxDamage(SedStoneUses);
IgExShovel= new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","IgExShovel",16109),IgExToolMaterial).setUnlocalizedName("Stone Shovel").setMaxDamage(IgExStoneUses);
IgExAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","IgExAxe",16110),IgExToolMaterial).setUnlocalizedName("Stone Axe").setMaxDamage(IgExStoneUses);
IgExHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","IgExHoe",16111),IgExToolMaterial).setUnlocalizedName("Stone Hoe").setMaxDamage(IgExStoneUses);
MMShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","MMShovel",16113),MMToolMaterial).setUnlocalizedName("Stone Shovel").setMaxDamage(MMStoneUses);
MMAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","MMAxe",16114),MMToolMaterial).setUnlocalizedName("Stone Axe").setMaxDamage(MMStoneUses);
MMHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","MMHoe",16115),MMToolMaterial).setUnlocalizedName("Stone Hoe").setMaxDamage(MMStoneUses);
BismuthPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BismuthPick",16116),BismuthToolMaterial).setUnlocalizedName("Bismuth Pick").setMaxDamage(BismuthUses);
BismuthShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BismuthShovel",16117),BismuthToolMaterial).setUnlocalizedName("Bismuth Shovel").setMaxDamage(BismuthUses);
BismuthAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BismuthAxe",16118),BismuthToolMaterial).setUnlocalizedName("Bismuth Axe").setMaxDamage(BismuthUses);
BismuthHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BismuthHoe",16119),BismuthToolMaterial).setUnlocalizedName("Bismuth Hoe").setMaxDamage(BismuthUses);
BismuthBronzePick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BismuthBronzePick",16120),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Pick").setMaxDamage(BismuthBronzeUses);
BismuthBronzeShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BismuthBronzeShovel",16121),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Shovel").setMaxDamage(BismuthBronzeUses);
BismuthBronzeAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BismuthBronzeAxe",16122),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Axe").setMaxDamage(BismuthBronzeUses);
BismuthBronzeHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BismuthBronzeHoe",16123),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Hoe").setMaxDamage(BismuthBronzeUses);
BlackBronzePick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BlackBronzePick",16124),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Pick").setMaxDamage(BlackBronzeUses);
BlackBronzeShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BlackBronzeShovel",16125),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Shovel").setMaxDamage(BlackBronzeUses);
BlackBronzeAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BlackBronzeAxe",16126),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Axe").setMaxDamage(BlackBronzeUses);
BlackBronzeHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BlackBronzeHoe",16127),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Hoe").setMaxDamage(BlackBronzeUses);
BlackSteelPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BlackSteelPick",16128),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Pick").setMaxDamage(BlackSteelUses);
BlackSteelShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BlackSteelShovel",16129),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Shovel").setMaxDamage(BlackSteelUses);
BlackSteelAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BlackSteelAxe",16130),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Axe").setMaxDamage(BlackSteelUses);
BlackSteelHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BlackSteelHoe",16131),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Hoe").setMaxDamage(BlackSteelUses);
BlueSteelPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BlueSteelPick",16132),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Pick").setMaxDamage(BlueSteelUses);
BlueSteelShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BlueSteelShovel",16133),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Shovel").setMaxDamage(BlueSteelUses);
BlueSteelAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BlueSteelAxe",16134),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Axe").setMaxDamage(BlueSteelUses);
BlueSteelHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BlueSteelHoe",16135),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Hoe").setMaxDamage(BlueSteelUses);
BronzePick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BronzePick",16136),BronzeToolMaterial).setUnlocalizedName("Bronze Pick").setMaxDamage(BronzeUses);
BronzeShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BronzeShovel",16137),BronzeToolMaterial).setUnlocalizedName("Bronze Shovel").setMaxDamage(BronzeUses);
BronzeAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BronzeAxe",16138),BronzeToolMaterial).setUnlocalizedName("Bronze Axe").setMaxDamage(BronzeUses);
BronzeHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BronzeHoe",16139),BronzeToolMaterial).setUnlocalizedName("Bronze Hoe").setMaxDamage(BronzeUses);
CopperPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","CopperPick",16140),CopperToolMaterial).setUnlocalizedName("Copper Pick").setMaxDamage(CopperUses);
CopperShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","CopperShovel",16141),CopperToolMaterial).setUnlocalizedName("Copper Shovel").setMaxDamage(CopperUses);
CopperAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","CopperAxe",16142),CopperToolMaterial).setUnlocalizedName("Copper Axe").setMaxDamage(CopperUses);
CopperHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","CopperHoe",16143),CopperToolMaterial).setUnlocalizedName("Copper Hoe").setMaxDamage(CopperUses);
WroughtIronPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","WroughtIronPick",16148),IronToolMaterial).setUnlocalizedName("Wrought Iron Pick").setMaxDamage(WroughtIronUses);
WroughtIronShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","WroughtIronShovel",16149),IronToolMaterial).setUnlocalizedName("Wrought Iron Shovel").setMaxDamage(WroughtIronUses);
WroughtIronAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","WroughtIronAxe",16150),IronToolMaterial).setUnlocalizedName("Wrought Iron Axe").setMaxDamage(WroughtIronUses);
WroughtIronHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","WroughtIronHoe",16151),IronToolMaterial).setUnlocalizedName("Wrought Iron Hoe").setMaxDamage(WroughtIronUses);;
RedSteelPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","RedSteelPick",16168),RedSteelToolMaterial).setUnlocalizedName("Red Steel Pick").setMaxDamage(RedSteelUses);
RedSteelShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","RedSteelShovel",16169),RedSteelToolMaterial).setUnlocalizedName("Red Steel Shovel").setMaxDamage(RedSteelUses);
RedSteelAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","RedSteelAxe",16170),RedSteelToolMaterial).setUnlocalizedName("Red Steel Axe").setMaxDamage(RedSteelUses);
RedSteelHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","RedSteelHoe",16171),RedSteelToolMaterial).setUnlocalizedName("Red Steel Hoe").setMaxDamage(RedSteelUses);
RoseGoldPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","RoseGoldPick",16172),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Pick").setMaxDamage(RoseGoldUses);
RoseGoldShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","RoseGoldShovel",16173),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Shovel").setMaxDamage(RoseGoldUses);
RoseGoldAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","RoseGoldAxe",16174),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Axe").setMaxDamage(RoseGoldUses);
RoseGoldHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","RoseGoldHoe",16175),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Hoe").setMaxDamage(RoseGoldUses);
SteelPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","SteelPick",16180),SteelToolMaterial).setUnlocalizedName("Steel Pick").setMaxDamage(SteelUses);
SteelShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","SteelShovel",16181),SteelToolMaterial).setUnlocalizedName("Steel Shovel").setMaxDamage(SteelUses);
SteelAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","SteelAxe",16182),SteelToolMaterial).setUnlocalizedName("Steel Axe").setMaxDamage(SteelUses);
SteelHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","SteelHoe",16183),SteelToolMaterial).setUnlocalizedName("Steel Hoe").setMaxDamage(SteelUses);
TinPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","TinPick",16188),TinToolMaterial).setUnlocalizedName("Tin Pick").setMaxDamage(TinUses);
TinShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","TinShovel",16189),TinToolMaterial).setUnlocalizedName("Tin Shovel").setMaxDamage(TinUses);
TinAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","TinAxe",16190),TinToolMaterial).setUnlocalizedName("Tin Axe").setMaxDamage(TinUses);
TinHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","TinHoe",16191),TinToolMaterial).setUnlocalizedName("Tin Hoe").setMaxDamage(TinUses);
ZincPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","ZincPick",16192),ZincToolMaterial).setUnlocalizedName("Zinc Pick").setMaxDamage(ZincUses);
ZincShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","ZincShovel",16193),ZincToolMaterial).setUnlocalizedName("Zinc Shovel").setMaxDamage(ZincUses);
ZincAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","ZincAxe",16194),ZincToolMaterial).setUnlocalizedName("Zinc Axe").setMaxDamage(ZincUses);
ZincHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","ZincHoe",16195),ZincToolMaterial).setUnlocalizedName("Zinc Hoe").setMaxDamage(ZincUses);
//chisels
BismuthChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BismuthChisel",16226),BismuthToolMaterial).setUnlocalizedName("Bismuth Chisel").setMaxDamage(BismuthUses);
BismuthBronzeChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BismuthBronzeChisel",16227),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Chisel").setMaxDamage(BismuthBronzeUses);
BlackBronzeChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BlackBronzeChisel",16228),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Chisel").setMaxDamage(BlackBronzeUses);
BlackSteelChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BlackSteelChisel",16230),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Chisel").setMaxDamage(BlackSteelUses);
BlueSteelChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BlueSteelChisel",16231),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Chisel").setMaxDamage(BlueSteelUses);
BronzeChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BronzeChisel",16232),BronzeToolMaterial).setUnlocalizedName("Bronze Chisel").setMaxDamage(BronzeUses);
CopperChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","CopperChisel",16233),CopperToolMaterial).setUnlocalizedName("Copper Chisel").setMaxDamage(CopperUses);
WroughtIronChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","WroughtIronChisel",16234),IronToolMaterial).setUnlocalizedName("Wrought Iron Chisel").setMaxDamage(WroughtIronUses);
RedSteelChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","RedSteelChisel",16235),RedSteelToolMaterial).setUnlocalizedName("Red Steel Chisel").setMaxDamage(RedSteelUses);
RoseGoldChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","RoseGoldChisel",16236),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Chisel").setMaxDamage(RoseGoldUses);
SteelChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","SteelChisel",16237),SteelToolMaterial).setUnlocalizedName("Steel Chisel").setMaxDamage(SteelUses);
TinChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","TinChisel",16238),TinToolMaterial).setUnlocalizedName("Tin Chisel").setMaxDamage(TinUses);
ZincChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","ZincChisel",16239),ZincToolMaterial).setUnlocalizedName("Zinc Chisel").setMaxDamage(ZincUses);
StoneChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","StoneChisel",16240),IgInToolMaterial).setUnlocalizedName("Stone Chisel").setMaxDamage(IgInStoneUses);
BismuthSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BismuthSword",16245),BismuthToolMaterial).setUnlocalizedName("Bismuth Sword").setMaxDamage(BismuthUses);
BismuthBronzeSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BismuthBronzeSword",16246),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Sword").setMaxDamage(BismuthBronzeUses);
BlackBronzeSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlackBronzeSword",16247),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Sword").setMaxDamage(BlackBronzeUses);
BlackSteelSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlackSteelSword",16248),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Sword").setMaxDamage(BlackSteelUses);
BlueSteelSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlueSteelSword",16249),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Sword").setMaxDamage(BlueSteelUses);
BronzeSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BronzeSword",16250),BronzeToolMaterial).setUnlocalizedName("Bronze Sword").setMaxDamage(BronzeUses);
CopperSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","CopperSword",16251),CopperToolMaterial).setUnlocalizedName("Copper Sword").setMaxDamage(CopperUses);
WroughtIronSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","WroughtIronSword",16252),IronToolMaterial).setUnlocalizedName("Wrought Iron Sword").setMaxDamage(WroughtIronUses);
RedSteelSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","RedSteelSword",16253),RedSteelToolMaterial).setUnlocalizedName("Red Steel Sword").setMaxDamage(RedSteelUses);
RoseGoldSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","RoseGoldSword",16254),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Sword").setMaxDamage(RoseGoldUses);
SteelSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","SteelSword",16255),SteelToolMaterial).setUnlocalizedName("Steel Sword").setMaxDamage(SteelUses);
TinSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","TinSword",16256),TinToolMaterial).setUnlocalizedName("Tin Sword").setMaxDamage(TinUses);
ZincSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","ZincSword",16257),ZincToolMaterial).setUnlocalizedName("Zinc Sword").setMaxDamage(ZincUses);
BismuthMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BismuthMace",16262),BismuthToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Bismuth Mace").setMaxDamage(BismuthUses);
BismuthBronzeMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BismuthBronzeMace",16263),BismuthBronzeToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Bismuth Bronze Mace").setMaxDamage(BismuthBronzeUses);
BlackBronzeMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlackBronzeMace",16264),BlackBronzeToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Black Bronze Mace").setMaxDamage(BlackBronzeUses);
BlackSteelMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlackSteelMace",16265),BlackSteelToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Black Steel Mace").setMaxDamage(BlackSteelUses);
BlueSteelMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlueSteelMace",16266),BlueSteelToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Blue Steel Mace").setMaxDamage(BlueSteelUses);
BronzeMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BronzeMace",16267),BronzeToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Bronze Mace").setMaxDamage(BronzeUses);
CopperMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","CopperMace",16268),CopperToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Copper Mace").setMaxDamage(CopperUses);
WroughtIronMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","WroughtIronMace",16269),IronToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Wrought Iron Mace").setMaxDamage(WroughtIronUses);
RedSteelMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","RedSteelMace",16270),RedSteelToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Red Steel Mace").setMaxDamage(RedSteelUses);
RoseGoldMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","RoseGoldMace",16271),RoseGoldToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Rose Gold Mace").setMaxDamage(RoseGoldUses);
SteelMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","SteelMace",16272),SteelToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Steel Mace").setMaxDamage(SteelUses);
TinMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","TinMace",16273),TinToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Tin Mace").setMaxDamage(TinUses);
ZincMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","ZincMace",16274),ZincToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Zinc Mace").setMaxDamage(ZincUses);
BismuthSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BismuthSaw",16275),BismuthToolMaterial).setUnlocalizedName("Bismuth Saw").setMaxDamage(BismuthUses);
BismuthBronzeSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BismuthBronzeSaw",16276),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Saw").setMaxDamage(BismuthBronzeUses);
BlackBronzeSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BlackBronzeSaw",16277),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Saw").setMaxDamage(BlackBronzeUses);
BlackSteelSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BlackSteelSaw",16278),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Saw").setMaxDamage(BlackSteelUses);
BlueSteelSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BlueSteelSaw",16279),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Saw").setMaxDamage(BlueSteelUses);
BronzeSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BronzeSaw",16280),BronzeToolMaterial).setUnlocalizedName("Bronze Saw").setMaxDamage(BronzeUses);
CopperSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","CopperSaw",16281),CopperToolMaterial).setUnlocalizedName("Copper Saw").setMaxDamage(CopperUses);
WroughtIronSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","WroughtIronSaw",16282),IronToolMaterial).setUnlocalizedName("Wrought Iron Saw").setMaxDamage(WroughtIronUses);
RedSteelSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","RedSteelSaw",16283),RedSteelToolMaterial).setUnlocalizedName("Red Steel Saw").setMaxDamage(RedSteelUses);
RoseGoldSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","RoseGoldSaw",16284),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Saw").setMaxDamage(RoseGoldUses);
SteelSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","SteelSaw",16285),SteelToolMaterial).setUnlocalizedName("Steel Saw").setMaxDamage(SteelUses);
TinSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","TinSaw",16286),TinToolMaterial).setUnlocalizedName("Tin Saw").setMaxDamage(TinUses);
ZincSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","ZincSaw",16287),ZincToolMaterial).setUnlocalizedName("Zinc Saw").setMaxDamage(ZincUses);
HCBlackSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","HCBlackSteelIngot",16290), EnumMetalType.BLACKSTEEL).setUnlocalizedName("HC Black Steel Ingot");
WeakBlueSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","WeakBlueSteelIngot",16291),EnumMetalType.BLUESTEEL).setUnlocalizedName("Weak Blue Steel Ingot");
WeakRedSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","WeakRedSteelIngot",16292),EnumMetalType.REDSTEEL).setUnlocalizedName("Weak Red Steel Ingot");
WeakSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","WeakSteelIngot",16293),EnumMetalType.STEEL).setUnlocalizedName("Weak Steel Ingot");
HCBlueSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","HCBlueSteelIngot",16294), EnumMetalType.BLUESTEEL).setUnlocalizedName("HC Blue Steel Ingot");
HCRedSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","HCRedSteelIngot",16295), EnumMetalType.REDSTEEL).setUnlocalizedName("HC Red Steel Ingot");
HCSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","HCSteelIngot",16296), EnumMetalType.STEEL).setUnlocalizedName("HC Steel Ingot");
OreChunk = new ItemOre(TFC_Settings.getIntFor(config,"item","OreChunk",16297)).setFolder("ore/").setUnlocalizedName("Ore");
Logs = new ItemLogs(TFC_Settings.getIntFor(config,"item","Logs",16298)).setUnlocalizedName("Log");
Javelin = new ItemJavelin(TFC_Settings.getIntFor(config,"item","javelin",16318)).setUnlocalizedName("javelin");
BismuthUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBismuth",16350)).setUnlocalizedName("Bismuth Unshaped");
BismuthBronzeUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBismuthBronze",16351)).setUnlocalizedName("Bismuth Bronze Unshaped");
BlackBronzeUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBlackBronze",16352)).setUnlocalizedName("Black Bronze Unshaped");
BlackSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBlackSteel",16353)).setUnlocalizedName("Black Steel Unshaped");
BlueSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBlueSteel",16354)).setUnlocalizedName("Blue Steel Unshaped");
BrassUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBrass",16355)).setUnlocalizedName("Brass Unshaped");
BronzeUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBronze",16356)).setUnlocalizedName("Bronze Unshaped");
CopperUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedCopper",16357)).setUnlocalizedName("Copper Unshaped");
GoldUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedGold",16358)).setUnlocalizedName("Gold Unshaped");
WroughtIronUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedIron",16359)).setUnlocalizedName("Wrought Iron Unshaped");
LeadUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedLead",16360)).setUnlocalizedName("Lead Unshaped");
NickelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedNickel",16361)).setUnlocalizedName("Nickel Unshaped");
PigIronUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedPigIron",16362)).setUnlocalizedName("Pig Iron Unshaped");
PlatinumUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedPlatinum",16363)).setUnlocalizedName("Platinum Unshaped");
RedSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedRedSteel",16364)).setUnlocalizedName("Red Steel Unshaped");
RoseGoldUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedRoseGold",16365)).setUnlocalizedName("Rose Gold Unshaped");
SilverUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedSilver",16366)).setUnlocalizedName("Silver Unshaped");
SteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedSteel",16367)).setUnlocalizedName("Steel Unshaped");
SterlingSilverUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedSterlingSilver",16368)).setUnlocalizedName("Sterling Silver Unshaped");
TinUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedTin",16369)).setUnlocalizedName("Tin Unshaped");
ZincUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedZinc",16370)).setUnlocalizedName("Zinc Unshaped");
//Hammers
StoneHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","StoneHammer",16371),TFCItems.IgInToolMaterial).setUnlocalizedName("Stone Hammer").setMaxDamage(TFCItems.IgInStoneUses);
BismuthHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BismuthHammer",16372),TFCItems.BismuthToolMaterial).setUnlocalizedName("Bismuth Hammer").setMaxDamage(TFCItems.BismuthUses);
BismuthBronzeHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BismuthBronzeHammer",16373),TFCItems.BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Hammer").setMaxDamage(TFCItems.BismuthBronzeUses);
BlackBronzeHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BlackBronzeHammer",16374),TFCItems.BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Hammer").setMaxDamage(TFCItems.BlackBronzeUses);
BlackSteelHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BlackSteelHammer",16375),TFCItems.BlackSteelToolMaterial).setUnlocalizedName("Black Steel Hammer").setMaxDamage(TFCItems.BlackSteelUses);
BlueSteelHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BlueSteelHammer",16376),TFCItems.BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Hammer").setMaxDamage(TFCItems.BlueSteelUses);
BronzeHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BronzeHammer",16377),TFCItems.BronzeToolMaterial).setUnlocalizedName("Bronze Hammer").setMaxDamage(TFCItems.BronzeUses);
CopperHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","CopperHammer",16378),TFCItems.CopperToolMaterial).setUnlocalizedName("Copper Hammer").setMaxDamage(TFCItems.CopperUses);
WroughtIronHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","WroughtIronHammer",16379),TFCItems.IronToolMaterial).setUnlocalizedName("Wrought Iron Hammer").setMaxDamage(TFCItems.WroughtIronUses);
RedSteelHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","RedSteelHammer",16380),TFCItems.RedSteelToolMaterial).setUnlocalizedName("Red Steel Hammer").setMaxDamage(TFCItems.RedSteelUses);
RoseGoldHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","RoseGoldHammer",16381),TFCItems.RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Hammer").setMaxDamage(TFCItems.RoseGoldUses);
SteelHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","SteelHammer",16382),TFCItems.SteelToolMaterial).setUnlocalizedName("Steel Hammer").setMaxDamage(TFCItems.SteelUses);
TinHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","TinHammer",16383),TFCItems.TinToolMaterial).setUnlocalizedName("Tin Hammer").setMaxDamage(TFCItems.TinUses);
ZincHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","ZincHammer",16384),TFCItems.ZincToolMaterial).setUnlocalizedName("Zinc Hammer").setMaxDamage(TFCItems.ZincUses);
Ink = new ItemTerra(TFC_Settings.getIntFor(config,"item","Ink",16391)).setUnlocalizedName("Ink");
BellowsItem = new ItemBellows(TFC_Settings.getIntFor(config,"item","BellowsItem",16406)).setUnlocalizedName("Bellows");
FireStarter = new ItemFirestarter(TFC_Settings.getIntFor(config,"item","FireStarter",16407)).setFolder("tools/").setUnlocalizedName("Firestarter");
//Tool heads
BismuthPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthPickaxeHead",16500)).setUnlocalizedName("Bismuth Pick Head");
BismuthBronzePickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzePickaxeHead",16501)).setUnlocalizedName("Bismuth Bronze Pick Head");
BlackBronzePickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzePickaxeHead",16502)).setUnlocalizedName("Black Bronze Pick Head");
BlackSteelPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelPickaxeHead",16503)).setUnlocalizedName("Black Steel Pick Head");
BlueSteelPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelPickaxeHead",16504)).setUnlocalizedName("Blue Steel Pick Head");
BronzePickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzePickaxeHead",16505)).setUnlocalizedName("Bronze Pick Head");
CopperPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperPickaxeHead",16506)).setUnlocalizedName("Copper Pick Head");
WroughtIronPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronPickaxeHead",16507)).setUnlocalizedName("Wrought Iron Pick Head");
RedSteelPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelPickaxeHead",16508)).setUnlocalizedName("Red Steel Pick Head");
RoseGoldPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldPickaxeHead",16509)).setUnlocalizedName("Rose Gold Pick Head");
SteelPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelPickaxeHead",16510)).setUnlocalizedName("Steel Pick Head");
TinPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinPickaxeHead",16511)).setUnlocalizedName("Tin Pick Head");
ZincPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincPickaxeHead",16512)).setUnlocalizedName("Zinc Pick Head");
BismuthShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthShovelHead",16513)).setUnlocalizedName("Bismuth Shovel Head");
BismuthBronzeShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeShovelHead",16514)).setUnlocalizedName("Bismuth Bronze Shovel Head");
BlackBronzeShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeShovelHead",16515)).setUnlocalizedName("Black Bronze Shovel Head");
BlackSteelShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelShovelHead",16516)).setUnlocalizedName("Black Steel Shovel Head");
BlueSteelShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelShovelHead",16517)).setUnlocalizedName("Blue Steel Shovel Head");
BronzeShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeShovelHead",16518)).setUnlocalizedName("Bronze Shovel Head");
CopperShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperShovelHead",16519)).setUnlocalizedName("Copper Shovel Head");
WroughtIronShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronShovelHead",16520)).setUnlocalizedName("Wrought Iron Shovel Head");
RedSteelShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelShovelHead",16521)).setUnlocalizedName("Red Steel Shovel Head");
RoseGoldShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldShovelHead",16522)).setUnlocalizedName("Rose Gold Shovel Head");
SteelShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelShovelHead",16523)).setUnlocalizedName("Steel Shovel Head");
TinShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinShovelHead",16524)).setUnlocalizedName("Tin Shovel Head");
ZincShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincShovelHead",16525)).setUnlocalizedName("Zinc Shovel Head");
BismuthHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthHoeHead",16526)).setUnlocalizedName("Bismuth Hoe Head");
BismuthBronzeHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeHoeHead",16527)).setUnlocalizedName("Bismuth Bronze Hoe Head");
BlackBronzeHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeHoeHead",16528)).setUnlocalizedName("Black Bronze Hoe Head");
BlackSteelHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelHoeHead",16529)).setUnlocalizedName("Black Steel Hoe Head");
BlueSteelHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelHoeHead",16530)).setUnlocalizedName("Blue Steel Hoe Head");
BronzeHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeHoeHead",16531)).setUnlocalizedName("Bronze Hoe Head");
CopperHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperHoeHead",16532)).setUnlocalizedName("Copper Hoe Head");
WroughtIronHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronHoeHead",16533)).setUnlocalizedName("Wrought Iron Hoe Head");
RedSteelHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelHoeHead",16534)).setUnlocalizedName("Red Steel Hoe Head");
RoseGoldHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldHoeHead",16535)).setUnlocalizedName("Rose Gold Hoe Head");
SteelHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelHoeHead",16536)).setUnlocalizedName("Steel Hoe Head");
TinHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinHoeHead",16537)).setUnlocalizedName("Tin Hoe Head");
ZincHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincHoeHead",16538)).setUnlocalizedName("Zinc Hoe Head");
BismuthAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthAxeHead",16539)).setUnlocalizedName("Bismuth Axe Head");
BismuthBronzeAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeAxeHead",16540)).setUnlocalizedName("Bismuth Bronze Axe Head");
BlackBronzeAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeAxeHead",16541)).setUnlocalizedName("Black Bronze Axe Head");
BlackSteelAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelAxeHead",16542)).setUnlocalizedName("Black Steel Axe Head");
BlueSteelAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelAxeHead",16543)).setUnlocalizedName("Blue Steel Axe Head");
BronzeAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeAxeHead",16544)).setUnlocalizedName("Bronze Axe Head");
CopperAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperAxeHead",16545)).setUnlocalizedName("Copper Axe Head");
WroughtIronAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronAxeHead",16546)).setUnlocalizedName("Wrought Iron Axe Head");
RedSteelAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelAxeHead",16547)).setUnlocalizedName("Red Steel Axe Head");
RoseGoldAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldAxeHead",16548)).setUnlocalizedName("Rose Gold Axe Head");
SteelAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelAxeHead",16549)).setUnlocalizedName("Steel Axe Head");
TinAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinAxeHead",16550)).setUnlocalizedName("Tin Axe Head");
ZincAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincAxeHead",16551)).setUnlocalizedName("Zinc Axe Head");
BismuthHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthHammerHead",16552)).setUnlocalizedName("Bismuth Hammer Head");
BismuthBronzeHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeHammerHead",16553)).setUnlocalizedName("Bismuth Bronze Hammer Head");
BlackBronzeHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeHammerHead",16554)).setUnlocalizedName("Black Bronze Hammer Head");
BlackSteelHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelHammerHead",16555)).setUnlocalizedName("Black Steel Hammer Head");
BlueSteelHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelHammerHead",16556)).setUnlocalizedName("Blue Steel Hammer Head");
BronzeHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeHammerHead",16557)).setUnlocalizedName("Bronze Hammer Head");
CopperHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperHammerHead",16558)).setUnlocalizedName("Copper Hammer Head");
WroughtIronHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronHammerHead",16559)).setUnlocalizedName("Wrought Iron Hammer Head");
RedSteelHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelHammerHead",16560)).setUnlocalizedName("Red Steel Hammer Head");
RoseGoldHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldHammerHead",16561)).setUnlocalizedName("Rose Gold Hammer Head");
SteelHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelHammerHead",16562)).setUnlocalizedName("Steel Hammer Head");
TinHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinHammerHead",16563)).setUnlocalizedName("Tin Hammer Head");
ZincHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincHammerHead",16564)).setUnlocalizedName("Zinc Hammer Head");
//chisel heads
BismuthChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthChiselHead",16565)).setUnlocalizedName("Bismuth Chisel Head");
BismuthBronzeChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeChiselHead",16566)).setUnlocalizedName("Bismuth Bronze Chisel Head");
BlackBronzeChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeChiselHead",16567)).setUnlocalizedName("Black Bronze Chisel Head");
BlackSteelChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelChiselHead",16568)).setUnlocalizedName("Black Steel Chisel Head");
BlueSteelChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelChiselHead",16569)).setUnlocalizedName("Blue Steel Chisel Head");
BronzeChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeChiselHead",16570)).setUnlocalizedName("Bronze Chisel Head");
CopperChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperChiselHead",16571)).setUnlocalizedName("Copper Chisel Head");
WroughtIronChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronChiselHead",16572)).setUnlocalizedName("Wrought Iron Chisel Head");
RedSteelChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelChiselHead",16573)).setUnlocalizedName("Red Steel Chisel Head");
RoseGoldChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldChiselHead",16574)).setUnlocalizedName("Rose Gold Chisel Head");
SteelChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelChiselHead",16575)).setUnlocalizedName("Steel Chisel Head");
TinChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinChiselHead",16576)).setUnlocalizedName("Tin Chisel Head");
ZincChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincChiselHead",16577)).setUnlocalizedName("Zinc Chisel Head");
BismuthSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthSwordHead",16578)).setUnlocalizedName("Bismuth Sword Blade");
BismuthBronzeSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeSwordHead",16579)).setUnlocalizedName("Bismuth Bronze Sword Blade");
BlackBronzeSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeSwordHead",16580)).setUnlocalizedName("Black Bronze Sword Blade");
BlackSteelSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelSwordHead",16581)).setUnlocalizedName("Black Steel Sword Blade");
BlueSteelSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelSwordHead",16582)).setUnlocalizedName("Blue Steel Sword Blade");
BronzeSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeSwordHead",16583)).setUnlocalizedName("Bronze Sword Blade");
CopperSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperSwordHead",16584)).setUnlocalizedName("Copper Sword Blade");
WroughtIronSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronSwordHead",16585)).setUnlocalizedName("Wrought Iron Sword Blade");
RedSteelSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelSwordHead",16586)).setUnlocalizedName("Red Steel Sword Blade");
RoseGoldSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldSwordHead",16587)).setUnlocalizedName("Rose Gold Sword Blade");
SteelSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelSwordHead",16588)).setUnlocalizedName("Steel Sword Blade");
TinSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinSwordHead",16589)).setUnlocalizedName("Tin Sword Blade");
ZincSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincSwordHead",16590)).setUnlocalizedName("Zinc Sword Blade");
BismuthMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthMaceHead",16591)).setUnlocalizedName("Bismuth Mace Head");
BismuthBronzeMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeMaceHead",16592)).setUnlocalizedName("Bismuth Bronze Mace Head");
BlackBronzeMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeMaceHead",16593)).setUnlocalizedName("Black Bronze Mace Head");
BlackSteelMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelMaceHead",16594)).setUnlocalizedName("Black Steel Mace Head");
BlueSteelMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelMaceHead",16595)).setUnlocalizedName("Blue Steel Mace Head");
BronzeMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeMaceHead",16596)).setUnlocalizedName("Bronze Mace Head");
CopperMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperMaceHead",16597)).setUnlocalizedName("Copper Mace Head");
WroughtIronMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronMaceHead",16598)).setUnlocalizedName("Wrought Iron Mace Head");
RedSteelMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelMaceHead",16599)).setUnlocalizedName("Red Steel Mace Head");
RoseGoldMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldMaceHead",16600)).setUnlocalizedName("Rose Gold Mace Head");
SteelMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelMaceHead",16601)).setUnlocalizedName("Steel Mace Head");
TinMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinMaceHead",16602)).setUnlocalizedName("Tin Mace Head");
ZincMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincMaceHead",16603)).setUnlocalizedName("Zinc Mace Head");
BismuthSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthSawHead",16604)).setUnlocalizedName("Bismuth Saw Blade");
BismuthBronzeSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeSawHead",16605)).setUnlocalizedName("Bismuth Bronze Saw Blade");
BlackBronzeSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeSawHead",16606)).setUnlocalizedName("Black Bronze Saw Blade");
BlackSteelSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelSawHead",16607)).setUnlocalizedName("Black Steel Saw Blade");
BlueSteelSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelSawHead",16608)).setUnlocalizedName("Blue Steel Saw Blade");
BronzeSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeSawHead",16609)).setUnlocalizedName("Bronze Saw Blade");
CopperSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperSawHead",16610)).setUnlocalizedName("Copper Saw Blade");
WroughtIronSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronSawHead",16611)).setUnlocalizedName("Wrought Iron Saw Blade");
RedSteelSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelSawHead",16612)).setUnlocalizedName("Red Steel Saw Blade");
RoseGoldSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldSawHead",16613)).setUnlocalizedName("Rose Gold Saw Blade");
SteelSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelSawHead",16614)).setUnlocalizedName("Steel Saw Blade");
TinSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinSawHead",16615)).setUnlocalizedName("Tin Saw Blade");
ZincSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincSawHead",16616)).setUnlocalizedName("Zinc Saw Blade");
HCBlackSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedHCBlackSteel",16617)).setUnlocalizedName("HC Black Steel Unshaped");
WeakBlueSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedWeakBlueSteel",16618)).setUnlocalizedName("Weak Blue Steel Unshaped");
HCBlueSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedHCBlueSteel",16619)).setUnlocalizedName("HC Blue Steel Unshaped");
WeakRedSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedWeakRedSteel",16621)).setUnlocalizedName("Weak Red Steel Unshaped");
HCRedSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedHCRedSteel",16622)).setUnlocalizedName("HC Red Steel Unshaped");
WeakSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedWeakSteel",16623)).setUnlocalizedName("Weak Steel Unshaped");
HCSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedHCSteel",16624)).setUnlocalizedName("HC Steel Unshaped");
Coke = (new ItemTerra(TFC_Settings.getIntFor(config,"item","Coke",16625)).setUnlocalizedName("Coke"));
BismuthProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthProPickHead",16626)).setUnlocalizedName("Bismuth ProPick Head");
BismuthBronzeProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeProPickHead",16627)).setUnlocalizedName("Bismuth Bronze ProPick Head");
BlackBronzeProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeProPickHead",16628)).setUnlocalizedName("Black Bronze ProPick Head");
BlackSteelProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelProPickHead",16629)).setUnlocalizedName("Black Steel ProPick Head");
BlueSteelProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelProPickHead",16630)).setUnlocalizedName("Blue Steel ProPick Head");
BronzeProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeProPickHead",16631)).setUnlocalizedName("Bronze ProPick Head");
CopperProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperProPickHead",16632)).setUnlocalizedName("Copper ProPick Head");
WroughtIronProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronProPickHead",16633)).setUnlocalizedName("Wrought Iron ProPick Head");
RedSteelProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelProPickHead",16634)).setUnlocalizedName("Red Steel ProPick Head");
RoseGoldProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldProPickHead",16635)).setUnlocalizedName("Rose Gold ProPick Head");
SteelProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelProPickHead",16636)).setUnlocalizedName("Steel ProPick Head");
TinProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinProPickHead",16637)).setUnlocalizedName("Tin ProPick Head");
ZincProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincProPickHead",16638)).setUnlocalizedName("Zinc ProPick Head");
Flux = (new ItemTerra(TFC_Settings.getIntFor(config,"item","Flux",16639)).setUnlocalizedName("Flux"));
/**
* Scythe
* */
int num = 16643;
BismuthScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BismuthScythe",num),BismuthToolMaterial).setUnlocalizedName("Bismuth Scythe").setMaxDamage(BismuthUses);num++;
BismuthBronzeScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BismuthBronzeScythe",num),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Scythe").setMaxDamage(BismuthBronzeUses);num++;
BlackBronzeScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BlackBronzeScythe",num),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Scythe").setMaxDamage(BlackBronzeUses);num++;
BlackSteelScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BlackSteelScythe",num),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Scythe").setMaxDamage(BlackSteelUses);num++;
BlueSteelScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BlueSteelScythe",num),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Scythe").setMaxDamage(BlueSteelUses);num++;
BronzeScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BronzeScythe",num),BronzeToolMaterial).setUnlocalizedName("Bronze Scythe").setMaxDamage(BronzeUses);num++;
CopperScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","CopperScythe",num),CopperToolMaterial).setUnlocalizedName("Copper Scythe").setMaxDamage(CopperUses);num++;
WroughtIronScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","WroughtIronScythe",num),IronToolMaterial).setUnlocalizedName("Wrought Iron Scythe").setMaxDamage(WroughtIronUses);num++;
RedSteelScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","RedSteelScythe",num),RedSteelToolMaterial).setUnlocalizedName("Red Steel Scythe").setMaxDamage(RedSteelUses);num++;
RoseGoldScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","RoseGoldScythe",num),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Scythe").setMaxDamage(RoseGoldUses);num++;
SteelScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","SteelScythe",num),SteelToolMaterial).setUnlocalizedName("Steel Scythe").setMaxDamage(SteelUses);num++;
TinScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","TinScythe",num),TinToolMaterial).setUnlocalizedName("Tin Scythe").setMaxDamage(TinUses);num++;
ZincScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","ZincScythe",num),ZincToolMaterial).setUnlocalizedName("Zinc Scythe").setMaxDamage(ZincUses);num++;
BismuthScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthScytheHead",num)).setUnlocalizedName("Bismuth Scythe Blade");num++;
BismuthBronzeScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeScytheHead",num)).setUnlocalizedName("Bismuth Bronze Scythe Blade");num++;
BlackBronzeScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeScytheHead",num)).setUnlocalizedName("Black Bronze Scythe Blade");num++;
BlackSteelScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelScytheHead",num)).setUnlocalizedName("Black Steel Scythe Blade");num++;
BlueSteelScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelScytheHead",num)).setUnlocalizedName("Blue Steel Scythe Blade");num++;
BronzeScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeScytheHead",num)).setUnlocalizedName("Bronze Scythe Blade");num++;
CopperScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperScytheHead",num)).setUnlocalizedName("Copper Scythe Blade");num++;
WroughtIronScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronScytheHead",num)).setUnlocalizedName("Wrought Iron Scythe Blade");num++;
RedSteelScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelScytheHead",num)).setUnlocalizedName("Red Steel Scythe Blade");num++;
RoseGoldScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldScytheHead",num)).setUnlocalizedName("Rose Gold Scythe Blade");num++;
SteelScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelScytheHead",num)).setUnlocalizedName("Steel Scythe Blade");num++;
TinScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinScytheHead",num)).setUnlocalizedName("Tin Scythe Blade");num++;
ZincScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincScytheHead",num)).setUnlocalizedName("Zinc Scythe Blade");num++;
WoodenBucketEmpty = (new ItemCustomBucket(TFC_Settings.getIntFor(config,"item","WoodenBucketEmpty",num), 0)).setUnlocalizedName("Wooden Bucket Empty");num++;
WoodenBucketWater = (new ItemCustomBucket(TFC_Settings.getIntFor(config,"item","WoodenBucketWater",num), TFCBlocks.finiteWater.blockID)).setUnlocalizedName("Wooden Bucket Water").setContainerItem(WoodenBucketEmpty);num++;
WoodenBucketMilk = (new ItemCustomBucketMilk(TFC_Settings.getIntFor(config,"item","WoodenBucketMilk",num))).setUnlocalizedName("Wooden Bucket Milk").setContainerItem(WoodenBucketEmpty);num++;
BismuthKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthKnifeHead",num)).setUnlocalizedName("Bismuth Knife Blade");num++;
BismuthBronzeKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeKnifeHead",num)).setUnlocalizedName("Bismuth Bronze Knife Blade");num++;
BlackBronzeKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeKnifeHead",num)).setUnlocalizedName("Black Bronze Knife Blade");num++;
BlackSteelKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelKnifeHead",num)).setUnlocalizedName("Black Steel Knife Blade");num++;
BlueSteelKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelKnifeHead",num)).setUnlocalizedName("Blue Steel Knife Blade");num++;
BronzeKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeKnifeHead",num)).setUnlocalizedName("Bronze Knife Blade");num++;
CopperKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperKnifeHead",num)).setUnlocalizedName("Copper Knife Blade");num++;
WroughtIronKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronKnifeHead",num)).setUnlocalizedName("Wrought Iron Knife Blade");num++;
RedSteelKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelKnifeHead",num)).setUnlocalizedName("Red Steel Knife Blade");num++;
RoseGoldKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldKnifeHead",num)).setUnlocalizedName("Rose Gold Knife Blade");num++;
SteelKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelKnifeHead",num)).setUnlocalizedName("Steel Knife Blade");num++;
TinKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinKnifeHead",num)).setUnlocalizedName("Tin Knife Blade");num++;
ZincKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincKnifeHead",num)).setUnlocalizedName("Zinc Knife Blade");num++;
BismuthKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BismuthKnife",num),BismuthToolMaterial).setUnlocalizedName("Bismuth Knife").setMaxDamage(BismuthUses);num++;
BismuthBronzeKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BismuthBronzeKnife",num),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Knife").setMaxDamage(BismuthBronzeUses);num++;
BlackBronzeKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BlackBronzeKnife",num),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Knife").setMaxDamage(BlackBronzeUses);num++;
BlackSteelKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BlackSteelKnife",num),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Knife").setMaxDamage(BlackSteelUses);num++;
BlueSteelKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BlueSteelKnife",num),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Knife").setMaxDamage(BlueSteelUses);num++;
BronzeKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BronzeKnife",num),BronzeToolMaterial).setUnlocalizedName("Bronze Knife").setMaxDamage(BronzeUses);num++;
CopperKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","CopperKnife",num),CopperToolMaterial).setUnlocalizedName("Copper Knife").setMaxDamage(CopperUses);num++;
WroughtIronKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","WroughtIronKnife",num),IronToolMaterial).setUnlocalizedName("Wrought Iron Knife").setMaxDamage(WroughtIronUses);num++;
RedSteelKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","RedSteelKnife",num),RedSteelToolMaterial).setUnlocalizedName("Red Steel Knife").setMaxDamage(RedSteelUses);num++;
RoseGoldKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","RoseGoldKnife",num),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Knife").setMaxDamage(RoseGoldUses);num++;
SteelKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","SteelKnife",num),SteelToolMaterial).setUnlocalizedName("Steel Knife").setMaxDamage(SteelUses);num++;
TinKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","TinKnife",num),TinToolMaterial).setUnlocalizedName("Tin Knife").setMaxDamage(TinUses);num++;
ZincKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","ZincKnife",num),ZincToolMaterial).setUnlocalizedName("Zinc Knife").setMaxDamage(ZincUses);num++;
FlatRock = (new ItemFlatRock(TFC_Settings.getIntFor(config,"item","FlatRock",num)).setFolder("rocks/flatrocks/").setUnlocalizedName("FlatRock"));num++;
LooseRock = (new ItemLooseRock(TFC_Settings.getIntFor(config,"item","LooseRock",num)).setSpecialCraftingType(FlatRock).setFolder("rocks/").setMetaNames(Global.STONE_ALL).setUnlocalizedName("LooseRock"));num++;
IgInStoneShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgInStoneShovelHead",num)).setUnlocalizedName("Stone Shovel Head");num++;
SedStoneShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SedStoneShovelHead",num)).setUnlocalizedName("Stone Shovel Head");num++;
IgExStoneShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgExStoneShovelHead",num)).setUnlocalizedName("Stone Shovel Head");num++;
MMStoneShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","MMStoneShovelHead",num)).setUnlocalizedName("Stone Shovel Head");num++;
IgInStoneAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgInStoneAxeHead",num)).setUnlocalizedName("Stone Axe Head");num++;
SedStoneAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SedStoneAxeHead",num)).setUnlocalizedName("Stone Axe Head");num++;
IgExStoneAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgExStoneAxeHead",num)).setUnlocalizedName("Stone Axe Head");num++;
MMStoneAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","MMStoneAxeHead",num)).setUnlocalizedName("Stone Axe Head");num++;
IgInStoneHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgInStoneHoeHead",num)).setUnlocalizedName("Stone Hoe Head");num++;
SedStoneHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SedStoneHoeHead",num)).setUnlocalizedName("Stone Hoe Head");num++;
IgExStoneHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgExStoneHoeHead",num)).setUnlocalizedName("Stone Hoe Head");num++;
MMStoneHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","MMStoneHoeHead",num)).setUnlocalizedName("Stone Hoe Head");num++;
StoneKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","StoneKnifeHead",num)).setUnlocalizedName("Stone Knife Blade");num++;
StoneHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","StoneHammerHead",num)).setUnlocalizedName("Stone Hammer Head");num++;
StoneKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","StoneKnife",num),IgExToolMaterial).setUnlocalizedName("Stone Knife").setMaxDamage(IgExStoneUses);num++;
SmallOreChunk = new ItemOreSmall(TFC_Settings.getIntFor(config,"item","SmallOreChunk",num++)).setUnlocalizedName("Small Ore");
SinglePlank = new ItemPlank(TFC_Settings.getIntFor(config,"item","SinglePlank",num++)).setUnlocalizedName("SinglePlank");
RedSteelBucketEmpty = (new ItemCustomRedSteelBucket(TFC_Settings.getIntFor(config,"item","RedSteelBucketEmpty",num++), 0)).setUnlocalizedName("Red Steel Bucket Empty");
RedSteelBucketWater = (new ItemCustomRedSteelBucket(TFC_Settings.getIntFor(config,"item","RedSteelBucketWater",num++), Block.waterMoving.blockID)).setUnlocalizedName("Red Steel Bucket Water").setContainerItem(RedSteelBucketEmpty);
BlueSteelBucketEmpty = (new ItemCustomBlueSteelBucket(TFC_Settings.getIntFor(config,"item","BlueSteelBucketEmpty",num++), 0)).setUnlocalizedName("Blue Steel Bucket Empty");
BlueSteelBucketLava = (new ItemCustomBlueSteelBucket(TFC_Settings.getIntFor(config,"item","BlueSteelBucketLava",num++), Block.lavaMoving.blockID)).setUnlocalizedName("Blue Steel Bucket Lava").setContainerItem(BlueSteelBucketEmpty);
Quern = new ItemTerra(TFC_Settings.getIntFor(config,"item","Quern",num++)).setUnlocalizedName("Quern").setMaxDamage(250);
FlintSteel = new ItemFlintSteel(TFC_Settings.getIntFor(config,"item","FlintSteel",num++)).setUnlocalizedName("flintAndSteel").setMaxDamage(200);
DoorOak = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorOak", num++), 0).setUnlocalizedName("Oak Door");
DoorAspen = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorAspen", num++), 1).setUnlocalizedName("Aspen Door");
DoorBirch = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorBirch", num++), 2).setUnlocalizedName("Birch Door");
DoorChestnut = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorChestnut", num++), 3).setUnlocalizedName("Chestnut Door");
DoorDouglasFir = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorDouglasFir", num++), 4).setUnlocalizedName("Douglas Fir Door");
DoorHickory = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorHickory", num++), 5).setUnlocalizedName("Hickory Door");
DoorMaple = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorMaple", num++), 6).setUnlocalizedName("Maple Door");
DoorAsh = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorAsh", num++), 7).setUnlocalizedName("Ash Door");
DoorPine = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorPine", num++), 8).setUnlocalizedName("Pine Door");
DoorSequoia = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorSequoia", num++), 9).setUnlocalizedName("Sequoia Door");
DoorSpruce = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorSpruce", num++), 10).setUnlocalizedName("Spruce Door");
DoorSycamore = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorSycamore", num++), 11).setUnlocalizedName("Sycamore Door");
DoorWhiteCedar = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorWhiteCedar", num++), 12).setUnlocalizedName("White Cedar Door");
DoorWhiteElm = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorWhiteElm", num++), 13).setUnlocalizedName("White Elm Door");
DoorWillow = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorWillow", num++), 14).setUnlocalizedName("Willow Door");
DoorKapok = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorKapok", num++), 15).setUnlocalizedName("Kapok Door");
Blueprint = new ItemBlueprint(TFC_Settings.getIntFor(config,"item","Blueprint", num++));
writabeBookTFC = new ItemWritableBookTFC(TFC_Settings.getIntFor(config,"item","WritableBookTFC", num++),"Fix Me I'm Broken").setUnlocalizedName("book");
WoolYarn = new ItemTerra(TFC_Settings.getIntFor(config, "item", "WoolYarn", num++)).setUnlocalizedName("WoolYarn").setCreativeTab(TFCTabs.TFCMaterials);
Wool = new ItemTerra(TFC_Settings.getIntFor(config,"item","Wool",num++)).setUnlocalizedName("Wool").setCreativeTab(TFCTabs.TFCMaterials);
WoolCloth = new ItemTerra(TFC_Settings.getIntFor(config, "item", "WoolCloth", num++)).setUnlocalizedName("WoolCloth").setCreativeTab(TFCTabs.TFCMaterials);
Spindle = new ItemSpindle(TFC_Settings.getIntFor(config,"item","Spindle",num++),SedToolMaterial).setUnlocalizedName("Spindle").setCreativeTab(TFCTabs.TFCMaterials);
ClaySpindle = new ItemTerra(TFC_Settings.getIntFor(config, "item", "ClaySpindle", num++)).setFolder("tools/").setUnlocalizedName("Clay Spindle").setCreativeTab(TFCTabs.TFCMaterials);
SpindleHead = new ItemTerra(TFC_Settings.getIntFor(config, "item", "SpindleHead", num++)).setFolder("toolheads/").setUnlocalizedName("Spindle Head").setCreativeTab(TFCTabs.TFCMaterials);
StoneBrick = (new ItemStoneBrick(TFC_Settings.getIntFor(config,"item","ItemStoneBrick2",num++)).setFolder("tools/").setUnlocalizedName("ItemStoneBrick"));
Mortar = new ItemTerra(TFC_Settings.getIntFor(config,"item","Mortar",num++)).setFolder("tools/").setUnlocalizedName("Mortar").setCreativeTab(TFCTabs.TFCMaterials);
Limewater = new ItemCustomBucket(TFC_Settings.getIntFor(config,"item","Limewater",num++),2).setFolder("tools/").setUnlocalizedName("Lime Water").setContainerItem(WoodenBucketEmpty).setCreativeTab(TFCTabs.TFCMaterials);
Hide = new ItemTerra(TFC_Settings.getIntFor(config,"item","Hide",num++)).setFolder("tools/").setUnlocalizedName("Hide").setCreativeTab(TFCTabs.TFCMaterials);
SoakedHide = new ItemTerra(TFC_Settings.getIntFor(config,"item","SoakedHide",num++)).setFolder("tools/").setUnlocalizedName("Soaked Hide").setCreativeTab(TFCTabs.TFCMaterials);
ScrapedHide = new ItemTerra(TFC_Settings.getIntFor(config,"item","ScrapedHide",num++)).setFolder("tools/").setUnlocalizedName("Scraped Hide").setCreativeTab(TFCTabs.TFCMaterials);
PrepHide = new ItemTerra(TFC_Settings.getIntFor(config,"item","PrepHide",num++)).setFolder("tools/").setFolder("tools/").setUnlocalizedName("Prep Hide").setCreativeTab(TFCTabs.TFCMaterials);
SheepSkin = new ItemTerra(TFC_Settings.getIntFor(config,"item","SheepSkin",num++)).setFolder("tools/").setUnlocalizedName("Sheep Skin").setCreativeTab(TFCTabs.TFCMaterials);
muttonRaw = new ItemTerra(TFC_Settings.getIntFor(config,"item","muttonRaw",num++)).setFolder("food/").setUnlocalizedName("Mutton Raw");
muttonCooked = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","muttonCooked",num++), 40, 0.8F, true, 48).setUnlocalizedName("Mutton Cooked");
FlatLeather = (new ItemFlatLeather(TFC_Settings.getIntFor(config,"items","FlatLeather2",num++)).setFolder("tools/").setUnlocalizedName("Flat Leather"));
TerraLeather = new ItemLeather(TFC_Settings.getIntFor(config,"item","TFCLeather",num++)).setSpecialCraftingType(FlatLeather).setFolder("tools/").setUnlocalizedName("TFC Leather").setCreativeTab(TFCTabs.TFCMaterials);
Straw = new ItemTerra(TFC_Settings.getIntFor(config,"items","Straw",num++)).setFolder("plants/").setUnlocalizedName("Straw");
FlatClay = (new ItemFlatLeather(TFC_Settings.getIntFor(config,"items","FlatClay",num++)).setFolder("pottery/").setMetaNames(new String[]{"clay flat light", "clay flat dark"}).setUnlocalizedName(""));
Item.itemsList[Item.clay.itemID] = null; Item.itemsList[Item.clay.itemID] = (new ItemClay(Item.clay.itemID).setSpecialCraftingType(FlatClay, new ItemStack(FlatClay, 1, 1))).setUnlocalizedName("clay").setCreativeTab(CreativeTabs.tabMaterials);
PotteryJug = new ItemPotteryJug(TFC_Settings.getIntFor(config,"items","PotteryJug",num++)).setUnlocalizedName("Jug");
PotterySmallVessel = new ItemPotterySmallVessel(TFC_Settings.getIntFor(config,"items","PotterySmallVessel",num++)).setUnlocalizedName("Small Vessel");
PotteryLargeVessel = new ItemPotteryLargeVessel(TFC_Settings.getIntFor(config,"items","PotteryLargeVessel",num++)).setUnlocalizedName("Large Vessel");
PotteryPot = new ItemPotteryPot(TFC_Settings.getIntFor(config,"items","PotteryPot",num++)).setUnlocalizedName("Pot");
CeramicMold = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","CeramicMold",16409)).setMetaNames(new String[]{"Clay Mold","Ceramic Mold"}).setUnlocalizedName("Mold");
ClayMoldAxe = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldAxe",num++)).setMetaNames(new String[]{"Clay Mold Axe","Ceramic Mold Axe",
"Ceramic Mold Axe Copper","Ceramic Mold Axe Bronze","Ceramic Mold Axe Bismuth Bronze","Ceramic Mold Axe Black Bronze"}).setUnlocalizedName("Axe Mold");
ClayMoldChisel = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldChisel",num++)).setMetaNames(new String[]{"Clay Mold Chisel","Ceramic Mold Chisel",
- "Ceramic Mold Chisel Copper","Ceramic Mold Chisel Bronze","Ceramic Mold Chisel Bismuth Bronze","Ceramic Mold Chisel Black Bronze"}).setUnlocalizedName("Axe Chisel");
+ "Ceramic Mold Chisel Copper","Ceramic Mold Chisel Bronze","Ceramic Mold Chisel Bismuth Bronze","Ceramic Mold Chisel Black Bronze"}).setUnlocalizedName("Chisel Mold");
ClayMoldHammer = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldHammer",num++)).setMetaNames(new String[]{"Clay Mold Hammer","Ceramic Mold Hammer",
"Ceramic Mold Hammer Copper","Ceramic Mold Hammer Bronze","Ceramic Mold Hammer Bismuth Bronze","Ceramic Mold Hammer Black Bronze"}).setUnlocalizedName("Hammer Mold");
ClayMoldHoe = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldHoe",num++)).setMetaNames(new String[]{"Clay Mold Hoe","Ceramic Mold Hoe",
"Ceramic Mold Hoe Copper","Ceramic Mold Hoe Bronze","Ceramic Mold Hoe Bismuth Bronze","Ceramic Mold Hoe Black Bronze"}).setUnlocalizedName("Hoe Mold");
ClayMoldKnife = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldKnife",num++)).setMetaNames(new String[]{"Clay Mold Knife","Ceramic Mold Knife",
"Ceramic Mold Knife Copper","Ceramic Mold Knife Bronze","Ceramic Mold Knife Bismuth Bronze","Ceramic Mold Knife Black Bronze"}).setUnlocalizedName("Knife Mold");
ClayMoldMace = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldMace",num++)).setMetaNames(new String[]{"Clay Mold Mace","Ceramic Mold Mace",
"Ceramic Mold Mace Copper","Ceramic Mold Mace Bronze","Ceramic Mold Mace Bismuth Bronze","Ceramic Mold Mace Black Bronze"}).setUnlocalizedName("Mace Mold");
ClayMoldPick = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldPick",num++)).setMetaNames(new String[]{"Clay Mold Pick","Ceramic Mold Pick",
"Ceramic Mold Pick Copper","Ceramic Mold Pick Bronze","Ceramic Mold Pick Bismuth Bronze","Ceramic Mold Pick Black Bronze"}).setUnlocalizedName("Pick Mold");
ClayMoldProPick = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldProPick",num++)).setMetaNames(new String[]{"Clay Mold ProPick","Ceramic Mold ProPick",
"Ceramic Mold ProPick Copper","Ceramic Mold ProPick Bronze","Ceramic Mold ProPick Bismuth Bronze","Ceramic Mold ProPick Black Bronze"}).setUnlocalizedName("ProPick Mold");
ClayMoldSaw = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldSaw",num++)).setMetaNames(new String[]{"Clay Mold Saw","Ceramic Mold Saw",
"Ceramic Mold Saw Copper","Ceramic Mold Saw Bronze","Ceramic Mold Saw Bismuth Bronze","Ceramic Mold Saw Black Bronze"}).setUnlocalizedName("Saw Mold");
ClayMoldScythe = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldScythe",num++)).setMetaNames(new String[]{"Clay Mold Scythe","Ceramic Mold Scythe",
"Ceramic Mold Scythe Copper","Ceramic Mold Scythe Bronze","Ceramic Mold Scythe Bismuth Bronze","Ceramic Mold Scythe Black Bronze"}).setUnlocalizedName("Scythe Mold");
ClayMoldShovel = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldShovel",num++)).setMetaNames(new String[]{"Clay Mold Shovel","Ceramic Mold Shovel",
"Ceramic Mold Shovel Copper","Ceramic Mold Shovel Bronze","Ceramic Mold Shovel Bismuth Bronze","Ceramic Mold Shovel Black Bronze"}).setUnlocalizedName("Shovel Mold");
ClayMoldSword = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldSword",num++)).setMetaNames(new String[]{"Clay Mold Sword","Ceramic Mold Sword",
"Ceramic Mold Sword Copper","Ceramic Mold Sword Bronze","Ceramic Mold Sword Bismuth Bronze","Ceramic Mold Sword Black Bronze"}).setUnlocalizedName("Sword Mold");
/**Plans*/
num = 20000;
SetupPlans(num);
/**Food related items*/
num = 18000;
SetupFood(num);
/**Armor Crafting related items*/
num = 19000;
SetupArmor(num);
Recipes.Doors = new Item[]{DoorOak, DoorAspen, DoorBirch, DoorChestnut, DoorDouglasFir,
DoorHickory, DoorMaple, DoorAsh, DoorPine, DoorSequoia, DoorSpruce, DoorSycamore,
DoorWhiteCedar, DoorWhiteElm, DoorWillow, DoorKapok};
Recipes.Axes = new Item[]{SedAxe,IgInAxe,IgExAxe,MMAxe,
BismuthAxe,BismuthBronzeAxe,BlackBronzeAxe,
BlackSteelAxe,BlueSteelAxe,BronzeAxe,CopperAxe,
WroughtIronAxe,RedSteelAxe,RoseGoldAxe,SteelAxe,
TinAxe,ZincAxe};
Recipes.Chisels = new Item[]{BismuthChisel,BismuthBronzeChisel,BlackBronzeChisel,
BlackSteelChisel,BlueSteelChisel,BronzeChisel,CopperChisel,
WroughtIronChisel,RedSteelChisel,RoseGoldChisel,SteelChisel,
TinChisel,ZincChisel};
Recipes.Saws = new Item[]{BismuthSaw,BismuthBronzeSaw,BlackBronzeSaw,
BlackSteelSaw,BlueSteelSaw,BronzeSaw,CopperSaw,
WroughtIronSaw,RedSteelSaw,RoseGoldSaw,SteelSaw,
TinSaw,ZincSaw};
Recipes.Knives = new Item[]{StoneKnife,BismuthKnife,BismuthBronzeKnife,BlackBronzeKnife,
BlackSteelKnife,BlueSteelKnife,BronzeKnife,CopperKnife,
WroughtIronKnife,RedSteelKnife,RoseGoldKnife,SteelKnife,
TinKnife,ZincKnife};
Recipes.MeltedMetal = new Item[]{BismuthUnshaped, BismuthBronzeUnshaped,BlackBronzeUnshaped,
TFCItems.BlackSteelUnshaped,TFCItems.BlueSteelUnshaped,TFCItems.BrassUnshaped,TFCItems.BronzeUnshaped,
TFCItems.CopperUnshaped,TFCItems.GoldUnshaped,
TFCItems.WroughtIronUnshaped,TFCItems.LeadUnshaped,TFCItems.NickelUnshaped,TFCItems.PigIronUnshaped,
TFCItems.PlatinumUnshaped,TFCItems.RedSteelUnshaped,TFCItems.RoseGoldUnshaped,TFCItems.SilverUnshaped,
TFCItems.SteelUnshaped,TFCItems.SterlingSilverUnshaped,
TFCItems.TinUnshaped,TFCItems.ZincUnshaped, TFCItems.HCSteelUnshaped, TFCItems.WeakSteelUnshaped,
TFCItems.HCBlackSteelUnshaped, TFCItems.HCBlueSteelUnshaped, TFCItems.HCRedSteelUnshaped,
TFCItems.WeakBlueSteelUnshaped, TFCItems.WeakRedSteelUnshaped};
Recipes.Hammers = new Item[]{TFCItems.StoneHammer,TFCItems.BismuthHammer,TFCItems.BismuthBronzeHammer,TFCItems.BlackBronzeHammer,
TFCItems.BlackSteelHammer,TFCItems.BlueSteelHammer,TFCItems.BronzeHammer,TFCItems.CopperHammer,
TFCItems.WroughtIronHammer,TFCItems.RedSteelHammer,TFCItems.RoseGoldHammer,TFCItems.SteelHammer,
TFCItems.TinHammer,TFCItems.ZincHammer};
Recipes.Spindle = new Item[]{TFCItems.Spindle};
Recipes.Gems = new Item[]{TFCItems.GemAgate, TFCItems.GemAmethyst, TFCItems.GemBeryl, TFCItems.GemDiamond, TFCItems.GemEmerald, TFCItems.GemGarnet,
TFCItems.GemJade, TFCItems.GemJasper, TFCItems.GemOpal,TFCItems.GemRuby,TFCItems.GemSapphire,TFCItems.GemTopaz,TFCItems.GemTourmaline};
Meals = new Item[]{MealMoveSpeed, MealDigSpeed, MealDamageBoost, MealJump, MealDamageResist,
MealFireResist, MealWaterBreathing, MealNightVision};
((TFCTabs)TFCTabs.TFCTools).setTabIconItemIndex(TFCItems.SteelHammer.itemID);
((TFCTabs)TFCTabs.TFCMaterials).setTabIconItemIndex(TFCItems.Spindle.itemID);
((TFCTabs)TFCTabs.TFCUnfinished).setTabIconItemIndex(TFCItems.SteelHammerHead.itemID);
((TFCTabs)TFCTabs.TFCArmor).setTabIconItemIndex(TFCItems.SteelHelmet.itemID);
System.out.println(new StringBuilder().append("[TFC] Done Loading Items").toString());
if (config != null) {
config.save();
}
}
public static void SetupPlans(int num)
{
PickaxeHeadPlan = new ItemPlan(TFC_Settings.getIntFor(config,"item","PickaxeHeadPlan",num)).setUnlocalizedName("PickaxeHeadPlan");num++;
ShovelHeadPlan = new ItemPlan(TFC_Settings.getIntFor(config,"item","ShovelHeadPlan",num)).setUnlocalizedName("ShovelHeadPlan");num++;
HoeHeadPlan = new ItemPlan(TFC_Settings.getIntFor(config,"item","HoeHeadPlan",num)).setUnlocalizedName("HoeHeadPlan");num++;
AxeHeadPlan = new ItemPlan(TFC_Settings.getIntFor(config,"item","AxeHeadPlan",num)).setUnlocalizedName("AxeHeadPlan");num++;
HammerHeadPlan = new ItemPlan(TFC_Settings.getIntFor(config,"item","HammerHeadPlan",num)).setUnlocalizedName("HammerHeadPlan");num++;
ChiselHeadPlan = new ItemPlan(TFC_Settings.getIntFor(config,"item","ChiselHeadPlan",num)).setUnlocalizedName("ChiselHeadPlan");num++;
SwordBladePlan = new ItemPlan(TFC_Settings.getIntFor(config,"item","SwordBladePlan",num)).setUnlocalizedName("SwordBladePlan");num++;
MaceHeadPlan = new ItemPlan(TFC_Settings.getIntFor(config,"item","MaceHeadPlan",num)).setUnlocalizedName("MaceHeadPlan");num++;
SawBladePlan = new ItemPlan(TFC_Settings.getIntFor(config,"item","SawBladePlan",num)).setUnlocalizedName("SawBladePlan");num++;
ProPickHeadPlan = new ItemPlan(TFC_Settings.getIntFor(config,"item","ProPickHeadPlan",num)).setUnlocalizedName("ProPickHeadPlan");num++;
HelmetPlan = new ItemPlan(TFC_Settings.getIntFor(config,"item","HelmetPlan",num)).setUnlocalizedName("HelmetPlan");num++;
ChestplatePlan = new ItemPlan(TFC_Settings.getIntFor(config,"item","ChestplatePlan",num)).setUnlocalizedName("ChestplatePlan");num++;
GreavesPlan = new ItemPlan(TFC_Settings.getIntFor(config,"item","GreavesPlan",num)).setUnlocalizedName("GreavesPlan");num++;
BootsPlan = new ItemPlan(TFC_Settings.getIntFor(config,"item","BootsPlan",num)).setUnlocalizedName("BootsPlan");num++;
ScythePlan = new ItemPlan(TFC_Settings.getIntFor(config,"item","ScythePlan",num)).setUnlocalizedName("ScythePlan");num++;
KnifePlan = new ItemPlan(TFC_Settings.getIntFor(config,"item","KnifePlan",num)).setUnlocalizedName("KnifePlan");num++;
BucketPlan = new ItemPlan(TFC_Settings.getIntFor(config,"item","BucketPlan",num)).setUnlocalizedName("BucketPlan");num++;
}
public static void SetupFood(int num)
{
FruitTreeSapling1 = new ItemFruitTreeSapling(TFC_Settings.getIntFor(config,"item","FruitSapling1", num), 0).setUnlocalizedName("FruitSapling1");num++;
FruitTreeSapling2 = new ItemFruitTreeSapling(TFC_Settings.getIntFor(config,"item","FruitSapling2", num), 8).setUnlocalizedName("FruitSapling2");num++;
RedApple = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Fruit.Red Apple",num), 15, 0.1F, false, 2).setUnlocalizedName("Red Apple");num++;
Banana = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Fruit.Banana",num), 10, 0.1F, false, 3).setUnlocalizedName("Banana");num++;
Orange = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Fruit.Orange",num), 10, 0.1F, false, 4).setUnlocalizedName("Orange");num++;
GreenApple = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Fruit.Green Apple",num), 15, 0.1F, false, 5).setUnlocalizedName("Green Apple");num++;
Lemon = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Fruit.Lemon",num), 10, 0.03F, false, 6).setUnlocalizedName("Lemon");num++;
Olive = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Fruit.Olive",num), 10, 0.05F, false, 7).setUnlocalizedName("Olive");num++;
Cherry = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Fruit.Cherry",num), 10, 0.03F, false, 8).setUnlocalizedName("Cherry");num++;
Peach = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Fruit.Peach",num), 12, 0.1F, false, 9).setUnlocalizedName("Peach");num++;
Plum = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Fruit.Plum",num), 10, 0.1F, false, 10).setUnlocalizedName("Plum");num++;
EggCooked = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Meat.EggCooked",num), 25, 0.4F, false, 11).setUnlocalizedName("Egg Cooked");num++;
WheatGrain = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","WheatGrain",num++), 1, 0.4F, false, 12).setUnlocalizedName("Wheat Grain");
BarleyGrain = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","BarleyGrain",num++), 1, 0.4F, false, 14).setUnlocalizedName("Barley Grain");
OatGrain = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","OatGrain",num++), 1, 0.4F, false, 16).setUnlocalizedName("Oat Grain");
RyeGrain = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","RyeGrain",num++), 1, 0.4F, false, 18).setUnlocalizedName("Rye Grain");
RiceGrain = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","RiceGrain",num++), 1, 0.4F, false, 20).setUnlocalizedName("Rice Grain");
MaizeEar = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","MaizeEar",num++), 10, 0.4F, false, 22).setUnlocalizedName("Maize Ear");
Tomato = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Tomato",num++), 15, 0.4F, false, 24).setUnlocalizedName("Tomato");
Potato = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Potato",num++), 22, 0.4F, false, 25).setUnlocalizedName("Potato");
Onion = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Onion",num++), 10, 0.4F, false, 27).setUnlocalizedName("Onion");
Cabbage = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Cabbage",num++), 20, 0.4F, false, 28).setUnlocalizedName("Cabbage");
Garlic = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Garlic",num++), 10, 0.4F, false, 29).setUnlocalizedName("Garlic");
Carrot = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Carrot",num++), 5, 0.4F, false, 30).setUnlocalizedName("Carrot");
Sugarcane = new ItemTerra(TFC_Settings.getIntFor(config,"item","Sugarcane",num++)).setFolder("plants/").setUnlocalizedName("Sugarcane");
Hemp = new ItemTerra(TFC_Settings.getIntFor(config,"item","Hemp",num++)).setFolder("plants/").setUnlocalizedName("Hemp");
Soybean = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Soybeans",num++), 10, 0.4F, false, 31).setUnlocalizedName("Soybeans");
Greenbeans = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Greenbeans",num++), 10, 0.4F, false, 32).setUnlocalizedName("Greenbeans");
GreenBellPepper = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","GreenBellPepper",num++), 10, 0.4F, false, 34).setUnlocalizedName("Green Bell Pepper");
YellowBellPepper = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","YellowBellPepper",num++), 10, 0.4F, false, 35).setUnlocalizedName("Yellow Bell Pepper");
RedBellPepper = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","RedBellPepper",num++), 10, 0.4F, false, 36).setUnlocalizedName("Red Bell Pepper");
Squash = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","Squash",num++), 12, 0.4F, false, 37).setUnlocalizedName("Squash");
WheatWhole = new ItemTerra(TFC_Settings.getIntFor(config,"item","WheatWhole",num++)).setFolder("food/").setUnlocalizedName("Wheat Whole");
BarleyWhole = new ItemTerra(TFC_Settings.getIntFor(config,"item","BarleyWhole",num++)).setFolder("food/").setUnlocalizedName("Barley Whole");
OatWhole = new ItemTerra(TFC_Settings.getIntFor(config,"item","OatWhole",num++)).setFolder("food/").setUnlocalizedName("Oat Whole");
RyeWhole = new ItemTerra(TFC_Settings.getIntFor(config,"item","RyeWhole",num++)).setFolder("food/").setUnlocalizedName("Rye Whole");
RiceWhole = new ItemTerra(TFC_Settings.getIntFor(config,"item","RiceWhole",num++)).setFolder("food/").setUnlocalizedName("Rice Whole");
MealGeneric = new ItemMeal(TFC_Settings.getIntFor(config,"item","MealGeneric",num++)).setUnlocalizedName("MealGeneric");
MealMoveSpeed = new ItemMeal(TFC_Settings.getIntFor(config,"item","MealMoveSpeed",num++)).setPotionEffect(new PotionEffect(Potion.moveSpeed.id,8000,4)).setUnlocalizedName("MealGeneric");
MealDigSpeed = new ItemMeal(TFC_Settings.getIntFor(config,"item","MealDigSpeed",num++)).setPotionEffect(new PotionEffect(Potion.digSpeed.id,8000,4)).setUnlocalizedName("MealGeneric");
MealDamageBoost = new ItemMeal(TFC_Settings.getIntFor(config,"item","MealDamageBoost",num++)).setPotionEffect(new PotionEffect(Potion.damageBoost.id,4000,4)).setUnlocalizedName("MealGeneric");
MealJump = new ItemMeal(TFC_Settings.getIntFor(config,"item","MealJump",num++)).setPotionEffect(new PotionEffect(Potion.jump.id,8000,4)).setUnlocalizedName("MealGeneric");
MealDamageResist = new ItemMeal(TFC_Settings.getIntFor(config,"item","MealDamageResist",num++)).setPotionEffect(new PotionEffect(Potion.resistance.id,8000,4)).setUnlocalizedName("MealGeneric");
MealFireResist = new ItemMeal(TFC_Settings.getIntFor(config,"item","MealFireResist",num++)).setPotionEffect(new PotionEffect(Potion.fireResistance.id,8000,4)).setUnlocalizedName("MealGeneric");
MealWaterBreathing = new ItemMeal(TFC_Settings.getIntFor(config,"item","MealWaterBreathing",num++)).setPotionEffect(new PotionEffect(Potion.waterBreathing.id,8000,4)).setUnlocalizedName("MealGeneric");
MealNightVision = new ItemMeal(TFC_Settings.getIntFor(config,"item","MealNightVision",num++)).setPotionEffect(new PotionEffect(Potion.nightVision.id,4000,4)).setUnlocalizedName("MealGeneric");
WheatGround = new ItemTerra(TFC_Settings.getIntFor(config,"item","WheatGround",num++)).setFolder("food/").setUnlocalizedName("Wheat Ground");
BarleyGround = new ItemTerra(TFC_Settings.getIntFor(config,"item","BarleyGround",num++)).setFolder("food/").setUnlocalizedName("Barley Ground");
OatGround = new ItemTerra(TFC_Settings.getIntFor(config,"item","OatGround",num++)).setFolder("food/").setUnlocalizedName("Oat Ground");
RyeGround = new ItemTerra(TFC_Settings.getIntFor(config,"item","RyeGround",num++)).setFolder("food/").setUnlocalizedName("Rye Ground");
RiceGround = new ItemTerra(TFC_Settings.getIntFor(config,"item","RiceGround",num++)).setFolder("food/").setUnlocalizedName("Rice Ground");
CornmealGround = new ItemTerra(TFC_Settings.getIntFor(config,"item","CornmealGround",num++)).setFolder("food/").setUnlocalizedName("Cornmeal Ground");
WheatDough = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","WheatDough",num++), 1, 0.0F, false, 0).setUnlocalizedName("Wheat Dough");
BarleyDough = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","BarleyDough",num++), 1, 0.0F, false, 0).setUnlocalizedName("Barley Dough");
OatDough = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","OatDough",num++), 1, 0.0F, false, 0).setUnlocalizedName("Oat Dough");
RyeDough = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","RyeDough",num++), 1, 0.0F, false, 0).setUnlocalizedName("Rye Dough");
RiceDough = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","RiceDough",num++), 1, 0.0F, false, 0).setUnlocalizedName("Rice Dough");
CornmealDough = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","CornmealDough",num++), 1, 0.0F, false, 0).setUnlocalizedName("Cornmeal Dough");
BarleyBread = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","BarleyBread",num++), 25, 0.6F, false, 43).setUnlocalizedName("Barley Bread");
OatBread = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","OatBread",num++), 25, 0.6F, false, 44).setUnlocalizedName("Oat Bread");
RyeBread = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","RyeBread",num++), 25, 0.6F, false, 45).setUnlocalizedName("Rye Bread");
RiceBread = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","RiceBread",num++), 25, 0.6F, false, 46).setUnlocalizedName("Rice Bread");
CornBread = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","CornBread",num++), 25, 0.6F, false, 47).setUnlocalizedName("Corn Bread");
num = 18900;
SeedsWheat = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsWheat",num++),0).setUnlocalizedName("Seeds Wheat");
SeedsBarley = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsBarley",num++),5).setUnlocalizedName("Seeds Barley");
SeedsRye = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsRye",num++),7).setUnlocalizedName("Seeds Rye");
SeedsOat = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsOat",num++),9).setUnlocalizedName("Seeds Oat");
SeedsRice = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsRice",num++),11).setUnlocalizedName("Seeds Rice");
SeedsMaize = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsMaize",num++),2).setUnlocalizedName("Seeds Maize");
SeedsPotato = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsPotato",num++),13).setUnlocalizedName("Seeds Potato");
SeedsOnion = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsOnion",num++),15).setUnlocalizedName("Seeds Onion");
SeedsCabbage = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsCabbage",num++),16).setUnlocalizedName("Seeds Cabbage");
SeedsGarlic = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsGarlic",num++),17).setUnlocalizedName("Seeds Garlic");
SeedsCarrot = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsCarrot",num++),18).setUnlocalizedName("Seeds Carrot");
SeedsSugarcane = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsSugarcane",num++),21).setUnlocalizedName("Seeds Sugarcane");
SeedsHemp = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsHemp",num++),22).setUnlocalizedName("Seeds Hemp");
SeedsTomato = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsTomato",num++),4).setUnlocalizedName("Seeds Tomato");
SeedsYellowBellPepper = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsYellowBellPepper",num++),19).setUnlocalizedName("Seeds Yellow Bell Pepper");
SeedsRedBellPepper = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsRedBellPepper",num++),20).setUnlocalizedName("Seeds Red Bell Pepper");
SeedsSoybean = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsSoybean",num++),21).setUnlocalizedName("Seeds Soybean");
SeedsGreenbean = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsGreenbean",num++),22).setUnlocalizedName("Seeds Greenbean");
SeedsSquash = new ItemCustomSeeds(TFC_Settings.getIntFor(config,"item","SeedsSquash",num++),23).setUnlocalizedName("Seeds Squash");
}
public static void SetupArmor(int num)
{
String[] Names = {"Bismuth Bronze", "Black Bronze", "Black Steel", "Blue Steel", "Bronze", "Copper", "Wrought Iron", "Red Steel", "Steel"};
String[] NamesNS = {"Bismuth", "BismuthBronze", "BlackBronze", "BlackSteel", "BlueSteel", "Bronze", "Copper", "WroughtIron", "RedSteel", "RoseGold", "Steel", "Tin", "Zinc"};
String[] NamesNSO = {"Brass", "Gold", "Lead", "Nickel", "Pig Iron", "Platinum", "Silver", "Sterling Silver"};
CommonProxy proxy = TerraFirmaCraft.proxy;
int i = 0;
TFCItems.BismuthSheet = (new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+" Sheet",num)).setUnlocalizedName("Bismuth Sheet"));num++;
TFCItems.BismuthBronzeSheet = (new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+" Sheet",num)).setUnlocalizedName("Bismuth Bronze Sheet"));num++;
TFCItems.BlackBronzeSheet = (new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+" Sheet",num)).setUnlocalizedName("Black Bronze Sheet"));num++;
TFCItems.BlackSteelSheet = (new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+" Sheet",num)).setUnlocalizedName("Black Steel Sheet"));num++;
TFCItems.BlueSteelSheet = (new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+" Sheet",num)).setUnlocalizedName("Blue Steel Sheet"));num++;
TFCItems.BronzeSheet = (new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+" Sheet",num)).setUnlocalizedName("Bronze Sheet"));num++;
TFCItems.CopperSheet = (new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+" Sheet",num)).setUnlocalizedName("Copper Sheet"));num++;
TFCItems.WroughtIronSheet = (new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+" Sheet",num)).setUnlocalizedName("Wrought Iron Sheet"));num++;
TFCItems.RedSteelSheet = (new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+" Sheet",num)).setUnlocalizedName("Red Steel Sheet"));num++;
TFCItems.RoseGoldSheet = (new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+" Sheet",num)).setUnlocalizedName("Rose Gold Sheet"));num++;
TFCItems.SteelSheet = (new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+" Sheet",num)).setUnlocalizedName("Steel Sheet"));num++;
TFCItems.TinSheet = (new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+" Sheet",num)).setUnlocalizedName("Tin Sheet"));num++;
TFCItems.ZincSheet = (new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+" Sheet",num)).setUnlocalizedName("Zinc Sheet"));num++;
i = 0;
TFCItems.BismuthSheet2x = (new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+"Sheet2x",num)).setUnlocalizedName("Bismuth Double Sheet"));num++;
TFCItems.BismuthBronzeSheet2x = (new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+"Sheet2x",num)).setUnlocalizedName("Bismuth Bronze Double Sheet"));num++;
TFCItems.BlackBronzeSheet2x = (new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+"Sheet2x",num)).setUnlocalizedName("Black Bronze Double Sheet"));num++;
TFCItems.BlackSteelSheet2x = (new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+"Sheet2x",num)).setUnlocalizedName("Black Steel Double Sheet"));num++;
TFCItems.BlueSteelSheet2x = (new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+"Sheet2x",num)).setUnlocalizedName("Blue Steel Double Sheet"));num++;
TFCItems.BronzeSheet2x = (new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+"Sheet2x",num)).setUnlocalizedName("Bronze Double Sheet"));num++;
TFCItems.CopperSheet2x = (new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+"Sheet2x",num)).setUnlocalizedName("Copper Double Sheet"));num++;
TFCItems.WroughtIronSheet2x = (new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+"Sheet2x",num)).setUnlocalizedName("Wrought Iron Double Sheet"));num++;
TFCItems.RedSteelSheet2x = (new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+"Sheet2x",num)).setUnlocalizedName("Red Steel Double Sheet"));num++;
TFCItems.RoseGoldSheet2x = (new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+"Sheet2x",num)).setUnlocalizedName("Rose Gold Double Sheet"));num++;
TFCItems.SteelSheet2x = (new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+"Sheet2x",num)).setUnlocalizedName("Steel Double Sheet"));num++;
TFCItems.TinSheet2x = (new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+"Sheet2x",num)).setUnlocalizedName("Tin Double Sheet"));num++;
TFCItems.ZincSheet2x = (new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNS[i++]+"Sheet2x",num)).setUnlocalizedName("Zinc Double Sheet"));num++;
i = 0;
TFCItems.BismuthBronzeUnfinishedBoots = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Boots",num)).setUnlocalizedName(Names[i]+" Unfinished Boots")); num++;i++;
TFCItems.BlackBronzeUnfinishedBoots = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Boots",num)).setUnlocalizedName(Names[i]+" Unfinished Boots")); num++;i++;
TFCItems.BlackSteelUnfinishedBoots = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Boots",num)).setUnlocalizedName(Names[i]+" Unfinished Boots")); num++;i++;
TFCItems.BlueSteelUnfinishedBoots = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Boots",num)).setUnlocalizedName(Names[i]+" Unfinished Boots")); num++;i++;
TFCItems.BronzeUnfinishedBoots = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Boots",num)).setUnlocalizedName(Names[i]+" Unfinished Boots")); num++;i++;
TFCItems.CopperUnfinishedBoots = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Boots",num)).setUnlocalizedName(Names[i]+" Unfinished Boots")); num++;i++;
TFCItems.WroughtIronUnfinishedBoots = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Boots",num)).setUnlocalizedName(Names[i]+" Unfinished Boots")); num++;i++;
TFCItems.RedSteelUnfinishedBoots = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Boots",num)).setUnlocalizedName(Names[i]+" Unfinished Boots")); num++;i++;
TFCItems.SteelUnfinishedBoots = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Boots",num)).setUnlocalizedName(Names[i]+" Unfinished Boots")); num++;i++;
i = 0;
TFCItems.BismuthBronzeBoots = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Boots",num), Armor.BismuthBronzePlate, proxy.getArmorRenderID("bismuthbronze"), 3).setUnlocalizedName(Names[i]+" Boots")); num++;i++;
TFCItems.BlackBronzeBoots = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Boots",num), Armor.BlackBronzePlate, proxy.getArmorRenderID("blackbronze"), 3).setUnlocalizedName(Names[i]+" Boots")); num++;i++;
TFCItems.BlackSteelBoots = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Boots",num), Armor.BlackSteelPlate, proxy.getArmorRenderID("blacksteel"), 3).setUnlocalizedName(Names[i]+" Boots")); num++;i++;
TFCItems.BlueSteelBoots = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Boots",num), Armor.BlueSteelPlate, proxy.getArmorRenderID("bluesteel"), 3).setUnlocalizedName(Names[i]+" Boots")); num++;i++;
TFCItems.BronzeBoots = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Boots",num), Armor.BronzePlate, proxy.getArmorRenderID("bronze"), 3).setUnlocalizedName(Names[i]+" Boots")); num++;i++;
TFCItems.CopperBoots = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Boots",num), Armor.CopperPlate, proxy.getArmorRenderID("copper"), 3).setUnlocalizedName(Names[i]+" Boots")); num++;i++;
TFCItems.WroughtIronBoots = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Boots",num), Armor.WroughtIronPlate, proxy.getArmorRenderID("wroughtiron"), 3).setUnlocalizedName(Names[i]+" Boots")); num++;i++;
TFCItems.RedSteelBoots = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Boots",num), Armor.RedSteelPlate, proxy.getArmorRenderID("redsteel"), 3).setUnlocalizedName(Names[i]+" Boots")); num++;i++;
TFCItems.SteelBoots = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Boots",num), Armor.SteelPlate, proxy.getArmorRenderID("steel"), 3).setUnlocalizedName(Names[i]+" Boots")); num++;i++;
i = 0;
TFCItems.BismuthBronzeUnfinishedGreaves = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Greaves",num)).setUnlocalizedName(Names[i]+" Unfinished Greaves")); num++;i++;
TFCItems.BlackBronzeUnfinishedGreaves = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Greaves",num)).setUnlocalizedName(Names[i]+" Unfinished Greaves")); num++;i++;
TFCItems.BlackSteelUnfinishedGreaves = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Greaves",num)).setUnlocalizedName(Names[i]+" Unfinished Greaves")); num++;i++;
TFCItems.BlueSteelUnfinishedGreaves = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Greaves",num)).setUnlocalizedName(Names[i]+" Unfinished Greaves")); num++;i++;
TFCItems.BronzeUnfinishedGreaves = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Greaves",num)).setUnlocalizedName(Names[i]+" Unfinished Greaves")); num++;i++;
TFCItems.CopperUnfinishedGreaves = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Greaves",num)).setUnlocalizedName(Names[i]+" Unfinished Greaves")); num++;i++;
TFCItems.WroughtIronUnfinishedGreaves = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Greaves",num)).setUnlocalizedName(Names[i]+" Unfinished Greaves")); num++;i++;
TFCItems.RedSteelUnfinishedGreaves = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Greaves",num)).setUnlocalizedName(Names[i]+" Unfinished Greaves")); num++;i++;
TFCItems.SteelUnfinishedGreaves = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Greaves",num)).setUnlocalizedName(Names[i]+" Unfinished Greaves")); num++;i++;
i = 0;
TFCItems.BismuthBronzeGreaves = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Greaves",num), Armor.BismuthBronzePlate, proxy.getArmorRenderID("bismuthbronze"), 2).setUnlocalizedName(Names[i]+" Greaves")); num++;i++;
TFCItems.BlackBronzeGreaves = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Greaves",num), Armor.BlackBronzePlate, proxy.getArmorRenderID("blackbronze"), 2).setUnlocalizedName(Names[i]+" Greaves")); num++;i++;
TFCItems.BlackSteelGreaves = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Greaves",num), Armor.BlackSteelPlate, proxy.getArmorRenderID("blacksteel"), 2).setUnlocalizedName(Names[i]+" Greaves")); num++;i++;
TFCItems.BlueSteelGreaves = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Greaves",num), Armor.BlueSteelPlate, proxy.getArmorRenderID("bluesteel"), 2).setUnlocalizedName(Names[i]+" Greaves")); num++;i++;
TFCItems.BronzeGreaves = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Greaves",num), Armor.BronzePlate, proxy.getArmorRenderID("bronze"), 2).setUnlocalizedName(Names[i]+" Greaves")); num++;i++;
TFCItems.CopperGreaves = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Greaves",num), Armor.CopperPlate, proxy.getArmorRenderID("copper"), 2).setUnlocalizedName(Names[i]+" Greaves")); num++;i++;
TFCItems.WroughtIronGreaves = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Greaves",num), Armor.WroughtIronPlate, proxy.getArmorRenderID("wroughtiron"), 2).setUnlocalizedName(Names[i]+" Greaves")); num++;i++;
TFCItems.RedSteelGreaves = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Greaves",num), Armor.RedSteelPlate, proxy.getArmorRenderID("redsteel"), 2).setUnlocalizedName(Names[i]+" Greaves")); num++;i++;
TFCItems.SteelGreaves = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Greaves",num), Armor.SteelPlate, proxy.getArmorRenderID("steel"), 2).setUnlocalizedName(Names[i]+" Greaves")); num++;i++;
i = 0;
TFCItems.BismuthBronzeUnfinishedChestplate = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Chestplate",num)).setUnlocalizedName(Names[i]+" Unfinished Chestplate")); num++;i++;
TFCItems.BlackBronzeUnfinishedChestplate = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Chestplate",num)).setUnlocalizedName(Names[i]+" Unfinished Chestplate")); num++;i++;
TFCItems.BlackSteelUnfinishedChestplate = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Chestplate",num)).setUnlocalizedName(Names[i]+" Unfinished Chestplate")); num++;i++;
TFCItems.BlueSteelUnfinishedChestplate = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Chestplate",num)).setUnlocalizedName(Names[i]+" Unfinished Chestplate")); num++;i++;
TFCItems.BronzeUnfinishedChestplate = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Chestplate",num)).setUnlocalizedName(Names[i]+" Unfinished Chestplate")); num++;i++;
TFCItems.CopperUnfinishedChestplate = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Chestplate",num)).setUnlocalizedName(Names[i]+" Unfinished Chestplate")); num++;i++;
TFCItems.WroughtIronUnfinishedChestplate = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Chestplate",num)).setUnlocalizedName(Names[i]+" Unfinished Chestplate")); num++;i++;
TFCItems.RedSteelUnfinishedChestplate = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Chestplate",num)).setUnlocalizedName(Names[i]+" Unfinished Chestplate")); num++;i++;
TFCItems.SteelUnfinishedChestplate = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Chestplate",num)).setUnlocalizedName(Names[i]+" Unfinished Chestplate")); num++;i++;
i = 0;
TFCItems.BismuthBronzeChestplate = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Chestplate",num), Armor.BismuthBronzePlate, proxy.getArmorRenderID("bismuthbronze"), 1).setUnlocalizedName(Names[i]+" Chestplate")); num++;i++;
TFCItems.BlackBronzeChestplate = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Chestplate",num), Armor.BlackBronzePlate, proxy.getArmorRenderID("blackbronze"), 1).setUnlocalizedName(Names[i]+" Chestplate")); num++;i++;
TFCItems.BlackSteelChestplate = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Chestplate",num), Armor.BlackSteelPlate, proxy.getArmorRenderID("blacksteel"), 1).setUnlocalizedName(Names[i]+" Chestplate")); num++;i++;
TFCItems.BlueSteelChestplate = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Chestplate",num), Armor.BlueSteelPlate, proxy.getArmorRenderID("bluesteel"), 1).setUnlocalizedName(Names[i]+" Chestplate")); num++;i++;
TFCItems.BronzeChestplate = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Chestplate",num), Armor.BronzePlate, proxy.getArmorRenderID("bronze"), 1).setUnlocalizedName(Names[i]+" Chestplate")); num++;i++;
TFCItems.CopperChestplate = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Chestplate",num), Armor.CopperPlate, proxy.getArmorRenderID("copper"), 1).setUnlocalizedName(Names[i]+" Chestplate")); num++;i++;
TFCItems.WroughtIronChestplate = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Chestplate",num), Armor.WroughtIronPlate, proxy.getArmorRenderID("wroughtiron"), 1).setUnlocalizedName(Names[i]+" Chestplate")); num++;i++;
TFCItems.RedSteelChestplate = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Chestplate",num), Armor.RedSteelPlate, proxy.getArmorRenderID("redsteel"), 1).setUnlocalizedName(Names[i]+" Chestplate")); num++;i++;
TFCItems.SteelChestplate = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Chestplate",num), Armor.SteelPlate, proxy.getArmorRenderID("steel"), 1).setUnlocalizedName(Names[i]+" Chestplate")); num++;i++;
i = 0;
TFCItems.BismuthBronzeUnfinishedHelmet = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Helmet",num)).setUnlocalizedName(Names[i]+" Unfinished Helmet")); num++;i++;
TFCItems.BlackBronzeUnfinishedHelmet = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Helmet",num)).setUnlocalizedName(Names[i]+" Unfinished Helmet")); num++;i++;
TFCItems.BlackSteelUnfinishedHelmet = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Helmet",num)).setUnlocalizedName(Names[i]+" Unfinished Helmet")); num++;i++;
TFCItems.BlueSteelUnfinishedHelmet = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Helmet",num)).setUnlocalizedName(Names[i]+" Unfinished Helmet")); num++;i++;
TFCItems.BronzeUnfinishedHelmet = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Helmet",num)).setUnlocalizedName(Names[i]+" Unfinished Helmet")); num++;i++;
TFCItems.CopperUnfinishedHelmet = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Helmet",num)).setUnlocalizedName(Names[i]+" Unfinished Helmet")); num++;i++;
TFCItems.WroughtIronUnfinishedHelmet = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Helmet",num)).setUnlocalizedName(Names[i]+" Unfinished Helmet")); num++;i++;
TFCItems.RedSteelUnfinishedHelmet = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Helmet",num)).setUnlocalizedName(Names[i]+" Unfinished Helmet")); num++;i++;
TFCItems.SteelUnfinishedHelmet = (new ItemUnfinishedArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Unfinished Helmet",num)).setUnlocalizedName(Names[i]+" Unfinished Helmet")); num++;i++;
i = 0;
TFCItems.BismuthBronzeHelmet = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Helmet",num), Armor.BismuthBronzePlate, proxy.getArmorRenderID("bismuthbronze"), 0).setUnlocalizedName(Names[i]+" Helmet")); num++;i++;
TFCItems.BlackBronzeHelmet = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Helmet",num), Armor.BlackBronzePlate, proxy.getArmorRenderID("blackbronze"), 0).setUnlocalizedName(Names[i]+" Helmet")); num++;i++;
TFCItems.BlackSteelHelmet = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Helmet",num), Armor.BlackSteelPlate, proxy.getArmorRenderID("blacksteel"), 0).setUnlocalizedName(Names[i]+" Helmet")); num++;i++;
TFCItems.BlueSteelHelmet = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Helmet",num), Armor.BlueSteelPlate, proxy.getArmorRenderID("bluesteel"), 0).setUnlocalizedName(Names[i]+" Helmet")); num++;i++;
TFCItems.BronzeHelmet = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Helmet",num), Armor.BronzePlate, proxy.getArmorRenderID("bronze"), 0).setUnlocalizedName(Names[i]+" Helmet")); num++;i++;
TFCItems.CopperHelmet = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Helmet",num), Armor.CopperPlate, proxy.getArmorRenderID("copper"), 0).setUnlocalizedName(Names[i]+" Helmet")); num++;i++;
TFCItems.WroughtIronHelmet = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Helmet",num), Armor.WroughtIronPlate, proxy.getArmorRenderID("wroughtiron"), 0).setUnlocalizedName(Names[i]+" Helmet")); num++;i++;
TFCItems.RedSteelHelmet = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Helmet",num), Armor.RedSteelPlate, proxy.getArmorRenderID("redsteel"), 0).setUnlocalizedName(Names[i]+" Helmet")); num++;i++;
TFCItems.SteelHelmet = (new ItemTFCArmor(TFC_Settings.getIntFor(config,"item",NamesNS[i]+" Helmet",num), Armor.SteelPlate, proxy.getArmorRenderID("steel"), 0).setUnlocalizedName(Names[i]+" Helmet")); num++;i++;
i = 0;
TFCItems.BrassSheet = new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNSO[i]+" Sheet",num++)).setUnlocalizedName(NamesNSO[i++]+" Sheet");
TFCItems.GoldSheet = new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNSO[i]+" Sheet",num++)).setUnlocalizedName(NamesNSO[i++]+" Sheet");
TFCItems.LeadSheet = new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNSO[i]+" Sheet",num++)).setUnlocalizedName(NamesNSO[i++]+" Sheet");
TFCItems.NickelSheet = new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNSO[i]+" Sheet",num++)).setUnlocalizedName(NamesNSO[i++]+" Sheet");
TFCItems.PigIronSheet = new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNSO[i]+" Sheet",num++)).setUnlocalizedName(NamesNSO[i++]+" Sheet");
TFCItems.PlatinumSheet = new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNSO[i]+" Sheet",num++)).setUnlocalizedName(NamesNSO[i++]+" Sheet");
TFCItems.SilverSheet = new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNSO[i]+" Sheet",num++)).setUnlocalizedName(NamesNSO[i++]+" Sheet");
TFCItems.SterlingSilverSheet = new ItemMetalSheet(TFC_Settings.getIntFor(config,"item",NamesNSO[i]+" Sheet",num++)).setUnlocalizedName(NamesNSO[i++]+" Sheet");
i = 0;
TFCItems.BrassSheet2x = new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNSO[i]+"Sheet2x",num++)).setUnlocalizedName(NamesNSO[i++]+" Double Sheet");
TFCItems.GoldSheet2x = new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNSO[i]+"Sheet2x",num++)).setUnlocalizedName(NamesNSO[i++]+" Double Sheet");
TFCItems.LeadSheet2x = new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNSO[i]+"Sheet2x",num++)).setUnlocalizedName(NamesNSO[i++]+" Double Sheet");
TFCItems.NickelSheet2x = new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNSO[i]+"Sheet2x",num++)).setUnlocalizedName(NamesNSO[i++]+" Double Sheet");
TFCItems.PigIronSheet2x = new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNSO[i]+"Sheet2x",num++)).setUnlocalizedName(NamesNSO[i++]+" Double Sheet");
TFCItems.PlatinumSheet2x = new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNSO[i]+"Sheet2x",num++)).setUnlocalizedName(NamesNSO[i++]+" Double Sheet");
TFCItems.SilverSheet2x = new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNSO[i]+"Sheet2x",num++)).setUnlocalizedName(NamesNSO[i++]+" Double Sheet");
TFCItems.SterlingSilverSheet2x = new ItemMetalSheet2x(TFC_Settings.getIntFor(config,"item",NamesNSO[i]+"Sheet2x",num++)).setUnlocalizedName(NamesNSO[i++]+" Double Sheet");
}
public static Item[] Meals;
}
| true | true | public static void Setup()
{
try
{
config = new net.minecraftforge.common.Configuration(
new File(TerraFirmaCraft.proxy.getMinecraftDir(), "/config/TFC.cfg"));
config.load();
} catch (Exception e) {
System.out.println(new StringBuilder().append("[TFC] Error while trying to access item configuration!").toString());
config = null;
}
IgInToolMaterial = EnumHelper.addToolMaterial("IgIn", 1, IgInStoneUses, 7F, 10, 5);
SedToolMaterial = EnumHelper.addToolMaterial("Sed", 1, SedStoneUses, 6F, 10, 5);
IgExToolMaterial = EnumHelper.addToolMaterial("IgEx", 1, IgExStoneUses, 7F, 10, 5);
MMToolMaterial = EnumHelper.addToolMaterial("MM", 1, MMStoneUses, 6.5F, 10, 5);
BismuthToolMaterial = EnumHelper.addToolMaterial("Bismuth", 2, BismuthUses, BismuthEff, 65, 10);
BismuthBronzeToolMaterial = EnumHelper.addToolMaterial("BismuthBronze", 2, BismuthBronzeUses, BismuthBronzeEff, 85, 10);
BlackBronzeToolMaterial = EnumHelper.addToolMaterial("BlackBronze", 2, BlackBronzeUses, BlackBronzeEff, 100, 10);
BlackSteelToolMaterial = EnumHelper.addToolMaterial("BlackSteel", 2, BlackSteelUses, BlackSteelEff, 165, 12);
BlueSteelToolMaterial = EnumHelper.addToolMaterial("BlueSteel", 3, BlueSteelUses, BlueSteelEff, 185, 22);
BronzeToolMaterial = EnumHelper.addToolMaterial("Bronze", 2, BronzeUses, BronzeEff, 100, 13);
CopperToolMaterial = EnumHelper.addToolMaterial("Copper", 2, CopperUses, CopperEff, 85, 8);
IronToolMaterial = EnumHelper.addToolMaterial("Iron", 2, WroughtIronUses, WroughtIronEff, 135, 10);
RedSteelToolMaterial = EnumHelper.addToolMaterial("RedSteel", 3, RedSteelUses, RedSteelEff, 185, 22);
RoseGoldToolMaterial = EnumHelper.addToolMaterial("RoseGold", 2, RoseGoldUses, RoseGoldEff, 100, 20);
SteelToolMaterial = EnumHelper.addToolMaterial("Steel", 2, SteelUses, SteelEff, 150, 10);
TinToolMaterial = EnumHelper.addToolMaterial("Tin", 2, TinUses, TinEff, 65, 8);
ZincToolMaterial = EnumHelper.addToolMaterial("Zinc", 2, ZincUses, ZincEff, 65, 8);
System.out.println(new StringBuilder().append("[TFC] Loading Items").toString());
//Replace any vanilla Items here
Item.itemsList[Item.coal.itemID] = null; Item.itemsList[Item.coal.itemID] = (new TFC.Items.ItemCoal(7)).setUnlocalizedName("coal");
Item.itemsList[Item.stick.itemID] = null; Item.itemsList[Item.stick.itemID] = new ItemStick(24).setFull3D().setUnlocalizedName("stick");
Item.itemsList[Item.leather.itemID] = null; Item.itemsList[Item.leather.itemID] = new ItemTerra(Item.leather.itemID).setFull3D().setUnlocalizedName("leather");
Item.itemsList[Block.vine.blockID] = new ItemColored(Block.vine.blockID - 256, false);
minecartCrate = (new ItemCustomMinecart(TFC_Settings.getIntFor(config,"item","minecartCrate",16000), 1)).setUnlocalizedName("minecartChest");
Item.itemsList[5+256] = null; Item.itemsList[5+256] = (new ItemCustomBow(5)).setUnlocalizedName("bow");
Item.itemsList[63+256] = null; Item.itemsList[63+256] = new ItemTerra(63).setUnlocalizedName("porkchopRaw");
Item.itemsList[64+256] = null; Item.itemsList[64+256] = new ItemTerraFood(64, 35, 0.8F, true, 38).setFolder("").setUnlocalizedName("porkchopCooked");
Item.itemsList[93+256] = null; Item.itemsList[93+256] = new ItemTerra(93).setUnlocalizedName("fishRaw");
Item.itemsList[94+256] = null; Item.itemsList[94+256] = new ItemTerraFood(94, 30, 0.6F, true, 39).setFolder("").setUnlocalizedName("fishCooked");
Item.itemsList[107+256] = null; Item.itemsList[107+256] = new ItemTerra(107).setUnlocalizedName("beefRaw");
Item.itemsList[108+256] = null; Item.itemsList[108+256] = new ItemTerraFood(108, 40, 0.8F, true, 40).setFolder("").setUnlocalizedName("beefCooked");
Item.itemsList[109+256] = null; Item.itemsList[109+256] = new ItemTerra(109).setUnlocalizedName("chickenRaw");
Item.itemsList[110+256] = null; Item.itemsList[110+256] = new ItemTerraFood(110, 35, 0.6F, true, 41).setFolder("").setUnlocalizedName("chickenCooked");
Item.itemsList[41+256] = null; Item.itemsList[41+256] = (new ItemTerraFood(41, 25, 0.6F, false, 42)).setFolder("").setUnlocalizedName("bread");
Item.itemsList[88+256] = null; Item.itemsList[88+256] = (new ItemTerra(88)).setUnlocalizedName("egg");
Item.itemsList[Item.dyePowder.itemID] = null; Item.itemsList[Item.dyePowder.itemID] = new ItemDyeCustom(95).setUnlocalizedName("dyePowder");
Item.itemsList[Item.potion.itemID] = null; Item.itemsList[Item.potion.itemID] = (new ItemCustomPotion(117)).setUnlocalizedName("potion");
Item.itemsList[Block.tallGrass.blockID] = null; Item.itemsList[Block.tallGrass.blockID] = (new ItemColored(Block.tallGrass.blockID - 256, true)).setBlockNames(new String[] {"shrub", "grass", "fern"});
GoldPan = new ItemGoldPan(TFC_Settings.getIntFor(config,"item","GoldPan",16001)).setUnlocalizedName("GoldPan");
SluiceItem = new ItemSluice(TFC_Settings.getIntFor(config,"item","SluiceItem",16002)).setFolder("devices/").setUnlocalizedName("SluiceItem");
ProPickBismuth = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBismuth",16004)).setUnlocalizedName("Bismuth ProPick").setMaxDamage(BismuthUses);
ProPickBismuthBronze = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBismuthBronze",16005)).setUnlocalizedName("Bismuth Bronze ProPick").setMaxDamage(BismuthBronzeUses);
ProPickBlackBronze = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBlackBronze",16006)).setUnlocalizedName("Black Bronze ProPick").setMaxDamage(BlackBronzeUses);
ProPickBlackSteel = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBlackSteel",16007)).setUnlocalizedName("Black Steel ProPick").setMaxDamage(BlackSteelUses);
ProPickBlueSteel = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBlueSteel",16008)).setUnlocalizedName("Blue Steel ProPick").setMaxDamage(BlueSteelUses);
ProPickBronze = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBronze",16009)).setUnlocalizedName("Bronze ProPick").setMaxDamage(BronzeUses);
ProPickCopper = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickCopper",16010)).setUnlocalizedName("Copper ProPick").setMaxDamage(CopperUses);
ProPickIron = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickWroughtIron",16012)).setUnlocalizedName("Wrought Iron ProPick").setMaxDamage(WroughtIronUses);
ProPickRedSteel = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickRedSteel",16016)).setUnlocalizedName("Red Steel ProPick").setMaxDamage(RedSteelUses);
ProPickRoseGold = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickRoseGold",16017)).setUnlocalizedName("Rose Gold ProPick").setMaxDamage(RoseGoldUses);
ProPickSteel = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickSteel",16019)).setUnlocalizedName("Steel ProPick").setMaxDamage(SteelUses);
ProPickTin = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickTin",16021)).setUnlocalizedName("Tin ProPick").setMaxDamage(TinUses);
ProPickZinc = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickZinc",16022)).setUnlocalizedName("Zinc ProPick").setMaxDamage(ZincUses);
BismuthIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BismuthIngot",16028), EnumMetalType.BISMUTH).setUnlocalizedName("Bismuth Ingot");
BismuthBronzeIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BismuthBronzeIngot",16029), EnumMetalType.BISMUTHBRONZE).setUnlocalizedName("Bismuth Bronze Ingot");
BlackBronzeIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BlackBronzeIngot",16030), EnumMetalType.BLACKBRONZE).setUnlocalizedName("Black Bronze Ingot");
BlackSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BlackSteelIngot",16031), EnumMetalType.BLACKSTEEL).setUnlocalizedName("Black Steel Ingot");
BlueSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BlueSteelIngot",16032), EnumMetalType.BLUESTEEL).setUnlocalizedName("Blue Steel Ingot");
BrassIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BrassIngot",16033), EnumMetalType.BRASS).setUnlocalizedName("Brass Ingot");
BronzeIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BronzeIngot",16034), EnumMetalType.BRONZE).setUnlocalizedName("Bronze Ingot");
CopperIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","CopperIngot",16035), EnumMetalType.COPPER).setUnlocalizedName("Copper Ingot");
GoldIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","GoldIngot",16036), EnumMetalType.GOLD).setUnlocalizedName("Gold Ingot");
WroughtIronIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","WroughtIronIngot",16037), EnumMetalType.WROUGHTIRON).setUnlocalizedName("Wrought Iron Ingot");
LeadIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","LeadIngot",16038), EnumMetalType.LEAD).setUnlocalizedName("Lead Ingot");
NickelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","NickelIngot",16039), EnumMetalType.NICKEL).setUnlocalizedName("Nickel Ingot");
PigIronIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","PigIronIngot",16040), EnumMetalType.PIGIRON).setUnlocalizedName("Pig Iron Ingot");
PlatinumIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","PlatinumIngot",16041), EnumMetalType.PLATINUM).setUnlocalizedName("Platinum Ingot");
RedSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","RedSteelIngot",16042), EnumMetalType.REDSTEEL).setUnlocalizedName("Red Steel Ingot");
RoseGoldIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","RoseGoldIngot",16043), EnumMetalType.ROSEGOLD).setUnlocalizedName("Rose Gold Ingot");
SilverIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","SilverIngot",16044), EnumMetalType.SILVER).setUnlocalizedName("Silver Ingot");
SteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","SteelIngot",16045), EnumMetalType.STEEL).setUnlocalizedName("Steel Ingot");
SterlingSilverIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","SterlingSilverIngot",16046), EnumMetalType.STERLINGSILVER).setUnlocalizedName("Sterling Silver Ingot");
TinIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","TinIngot",16047), EnumMetalType.TIN).setUnlocalizedName("Tin Ingot");
ZincIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","ZincIngot",16048), EnumMetalType.ZINC).setUnlocalizedName("Zinc Ingot");
BismuthIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BismuthIngot2x",16049), EnumMetalType.BISMUTH).setUnlocalizedName("Bismuth Double Ingot")).setSize(EnumSize.LARGE);
BismuthBronzeIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BismuthBronzeIngot2x",16050), EnumMetalType.BISMUTHBRONZE).setUnlocalizedName("Bismuth Bronze Double Ingot")).setSize(EnumSize.LARGE);
BlackBronzeIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BlackBronzeIngot2x",16051), EnumMetalType.BLACKBRONZE).setUnlocalizedName("Black Bronze Double Ingot")).setSize(EnumSize.LARGE);
BlackSteelIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BlackSteelIngot2x",16052), EnumMetalType.BLACKSTEEL).setUnlocalizedName("Black Steel Double Ingot")).setSize(EnumSize.LARGE);
BlueSteelIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BlueSteelIngot2x",16053), EnumMetalType.BLUESTEEL).setUnlocalizedName("Blue Steel Double Ingot")).setSize(EnumSize.LARGE);
BrassIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BrassIngot2x",16054), EnumMetalType.BRASS).setUnlocalizedName("Brass Double Ingot")).setSize(EnumSize.LARGE);
BronzeIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BronzeIngot2x",16055), EnumMetalType.BRONZE).setUnlocalizedName("Bronze Double Ingot")).setSize(EnumSize.LARGE);
CopperIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","CopperIngot2x",16056), EnumMetalType.COPPER).setUnlocalizedName("Copper Double Ingot")).setSize(EnumSize.LARGE);
GoldIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","GoldIngot2x",16057), EnumMetalType.GOLD).setUnlocalizedName("Gold Double Ingot")).setSize(EnumSize.LARGE);
WroughtIronIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","WroughtIronIngot2x",16058), EnumMetalType.WROUGHTIRON).setUnlocalizedName("Wrought Iron Double Ingot")).setSize(EnumSize.LARGE);
LeadIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","LeadIngot2x",16059), EnumMetalType.LEAD).setUnlocalizedName("Lead Double Ingot")).setSize(EnumSize.LARGE);
NickelIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","NickelIngot2x",16060), EnumMetalType.NICKEL).setUnlocalizedName("Nickel Double Ingot")).setSize(EnumSize.LARGE);
PigIronIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","PigIronIngot2x",16061), EnumMetalType.PIGIRON).setUnlocalizedName("Pig Iron Double Ingot")).setSize(EnumSize.LARGE);
PlatinumIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","PlatinumIngot2x",16062), EnumMetalType.PLATINUM).setUnlocalizedName("Platinum Double Ingot")).setSize(EnumSize.LARGE);
RedSteelIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","RedSteelIngot2x",16063), EnumMetalType.REDSTEEL).setUnlocalizedName("Red Steel Double Ingot")).setSize(EnumSize.LARGE);
RoseGoldIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","RoseGoldIngot2x",16064), EnumMetalType.ROSEGOLD).setUnlocalizedName("Rose Gold Double Ingot")).setSize(EnumSize.LARGE);
SilverIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","SilverIngot2x",16065), EnumMetalType.SILVER).setUnlocalizedName("Silver Double Ingot")).setSize(EnumSize.LARGE);
SteelIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","SteelIngot2x",16066), EnumMetalType.STEEL).setUnlocalizedName("Steel Double Ingot")).setSize(EnumSize.LARGE);
SterlingSilverIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","SterlingSilverIngot2x",16067), EnumMetalType.STERLINGSILVER).setUnlocalizedName("Sterling Silver Double Ingot")).setSize(EnumSize.LARGE);
TinIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","TinIngot2x",16068), EnumMetalType.TIN).setUnlocalizedName("Tin Double Ingot")).setSize(EnumSize.LARGE);
ZincIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","ZincIngot2x",16069), EnumMetalType.ZINC).setUnlocalizedName("Zinc Double Ingot")).setSize(EnumSize.LARGE);
SulfurPowder = new ItemTerra(TFC_Settings.getIntFor(config,"item","SulfurPowder",16070)).setUnlocalizedName("Sulfur Powder");
SaltpeterPowder = new ItemTerra(TFC_Settings.getIntFor(config,"item","SaltpeterPowder",16071)).setUnlocalizedName("Saltpeter Powder");
GemRuby = new ItemGem(TFC_Settings.getIntFor(config,"item","GemRuby",16080)).setUnlocalizedName("Ruby");
GemSapphire = new ItemGem(TFC_Settings.getIntFor(config,"item","GemSapphire",16081)).setUnlocalizedName("Sapphire");
GemEmerald = new ItemGem(TFC_Settings.getIntFor(config,"item","GemEmerald",16082)).setUnlocalizedName("Emerald");
GemTopaz = new ItemGem(TFC_Settings.getIntFor(config,"item","GemTopaz",16083)).setUnlocalizedName("Topaz");
GemTourmaline = new ItemGem(TFC_Settings.getIntFor(config,"item","GemTourmaline",16084)).setUnlocalizedName("Tourmaline");
GemJade = new ItemGem(TFC_Settings.getIntFor(config,"item","GemJade",16085)).setUnlocalizedName("Jade");
GemBeryl = new ItemGem(TFC_Settings.getIntFor(config,"item","GemBeryl",16086)).setUnlocalizedName("Beryl");
GemAgate = new ItemGem(TFC_Settings.getIntFor(config,"item","GemAgate",16087)).setUnlocalizedName("Agate");
GemOpal = new ItemGem(TFC_Settings.getIntFor(config,"item","GemOpal",16088)).setUnlocalizedName("Opal");
GemGarnet = new ItemGem(TFC_Settings.getIntFor(config,"item","GemGarnet",16089)).setUnlocalizedName("Garnet");
GemJasper = new ItemGem(TFC_Settings.getIntFor(config,"item","GemJasper",16090)).setUnlocalizedName("Jasper");
GemAmethyst = new ItemGem(TFC_Settings.getIntFor(config,"item","GemAmethyst",16091)).setUnlocalizedName("Amethyst");
GemDiamond = new ItemGem(TFC_Settings.getIntFor(config,"item","GemDiamond",16092)).setUnlocalizedName("Diamond");
//Tools
IgInShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","IgInShovel",16101),IgInToolMaterial).setUnlocalizedName("Stone Shovel").setMaxDamage(IgInStoneUses);
IgInAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","IgInAxe",16102),IgInToolMaterial).setUnlocalizedName("Stone Axe").setMaxDamage(IgInStoneUses);
IgInHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","IgInHoe",16103),IgInToolMaterial).setUnlocalizedName("Stone Hoe").setMaxDamage(IgInStoneUses);
SedShovel= new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","SedShovel",16105),SedToolMaterial).setUnlocalizedName("Stone Shovel").setMaxDamage(SedStoneUses);
SedAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","SedAxe",16106),SedToolMaterial).setUnlocalizedName("Stone Axe").setMaxDamage(SedStoneUses);
SedHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","SedHoe",16107),SedToolMaterial).setUnlocalizedName("Stone Hoe").setMaxDamage(SedStoneUses);
IgExShovel= new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","IgExShovel",16109),IgExToolMaterial).setUnlocalizedName("Stone Shovel").setMaxDamage(IgExStoneUses);
IgExAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","IgExAxe",16110),IgExToolMaterial).setUnlocalizedName("Stone Axe").setMaxDamage(IgExStoneUses);
IgExHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","IgExHoe",16111),IgExToolMaterial).setUnlocalizedName("Stone Hoe").setMaxDamage(IgExStoneUses);
MMShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","MMShovel",16113),MMToolMaterial).setUnlocalizedName("Stone Shovel").setMaxDamage(MMStoneUses);
MMAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","MMAxe",16114),MMToolMaterial).setUnlocalizedName("Stone Axe").setMaxDamage(MMStoneUses);
MMHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","MMHoe",16115),MMToolMaterial).setUnlocalizedName("Stone Hoe").setMaxDamage(MMStoneUses);
BismuthPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BismuthPick",16116),BismuthToolMaterial).setUnlocalizedName("Bismuth Pick").setMaxDamage(BismuthUses);
BismuthShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BismuthShovel",16117),BismuthToolMaterial).setUnlocalizedName("Bismuth Shovel").setMaxDamage(BismuthUses);
BismuthAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BismuthAxe",16118),BismuthToolMaterial).setUnlocalizedName("Bismuth Axe").setMaxDamage(BismuthUses);
BismuthHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BismuthHoe",16119),BismuthToolMaterial).setUnlocalizedName("Bismuth Hoe").setMaxDamage(BismuthUses);
BismuthBronzePick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BismuthBronzePick",16120),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Pick").setMaxDamage(BismuthBronzeUses);
BismuthBronzeShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BismuthBronzeShovel",16121),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Shovel").setMaxDamage(BismuthBronzeUses);
BismuthBronzeAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BismuthBronzeAxe",16122),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Axe").setMaxDamage(BismuthBronzeUses);
BismuthBronzeHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BismuthBronzeHoe",16123),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Hoe").setMaxDamage(BismuthBronzeUses);
BlackBronzePick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BlackBronzePick",16124),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Pick").setMaxDamage(BlackBronzeUses);
BlackBronzeShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BlackBronzeShovel",16125),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Shovel").setMaxDamage(BlackBronzeUses);
BlackBronzeAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BlackBronzeAxe",16126),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Axe").setMaxDamage(BlackBronzeUses);
BlackBronzeHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BlackBronzeHoe",16127),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Hoe").setMaxDamage(BlackBronzeUses);
BlackSteelPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BlackSteelPick",16128),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Pick").setMaxDamage(BlackSteelUses);
BlackSteelShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BlackSteelShovel",16129),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Shovel").setMaxDamage(BlackSteelUses);
BlackSteelAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BlackSteelAxe",16130),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Axe").setMaxDamage(BlackSteelUses);
BlackSteelHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BlackSteelHoe",16131),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Hoe").setMaxDamage(BlackSteelUses);
BlueSteelPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BlueSteelPick",16132),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Pick").setMaxDamage(BlueSteelUses);
BlueSteelShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BlueSteelShovel",16133),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Shovel").setMaxDamage(BlueSteelUses);
BlueSteelAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BlueSteelAxe",16134),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Axe").setMaxDamage(BlueSteelUses);
BlueSteelHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BlueSteelHoe",16135),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Hoe").setMaxDamage(BlueSteelUses);
BronzePick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BronzePick",16136),BronzeToolMaterial).setUnlocalizedName("Bronze Pick").setMaxDamage(BronzeUses);
BronzeShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BronzeShovel",16137),BronzeToolMaterial).setUnlocalizedName("Bronze Shovel").setMaxDamage(BronzeUses);
BronzeAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BronzeAxe",16138),BronzeToolMaterial).setUnlocalizedName("Bronze Axe").setMaxDamage(BronzeUses);
BronzeHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BronzeHoe",16139),BronzeToolMaterial).setUnlocalizedName("Bronze Hoe").setMaxDamage(BronzeUses);
CopperPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","CopperPick",16140),CopperToolMaterial).setUnlocalizedName("Copper Pick").setMaxDamage(CopperUses);
CopperShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","CopperShovel",16141),CopperToolMaterial).setUnlocalizedName("Copper Shovel").setMaxDamage(CopperUses);
CopperAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","CopperAxe",16142),CopperToolMaterial).setUnlocalizedName("Copper Axe").setMaxDamage(CopperUses);
CopperHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","CopperHoe",16143),CopperToolMaterial).setUnlocalizedName("Copper Hoe").setMaxDamage(CopperUses);
WroughtIronPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","WroughtIronPick",16148),IronToolMaterial).setUnlocalizedName("Wrought Iron Pick").setMaxDamage(WroughtIronUses);
WroughtIronShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","WroughtIronShovel",16149),IronToolMaterial).setUnlocalizedName("Wrought Iron Shovel").setMaxDamage(WroughtIronUses);
WroughtIronAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","WroughtIronAxe",16150),IronToolMaterial).setUnlocalizedName("Wrought Iron Axe").setMaxDamage(WroughtIronUses);
WroughtIronHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","WroughtIronHoe",16151),IronToolMaterial).setUnlocalizedName("Wrought Iron Hoe").setMaxDamage(WroughtIronUses);;
RedSteelPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","RedSteelPick",16168),RedSteelToolMaterial).setUnlocalizedName("Red Steel Pick").setMaxDamage(RedSteelUses);
RedSteelShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","RedSteelShovel",16169),RedSteelToolMaterial).setUnlocalizedName("Red Steel Shovel").setMaxDamage(RedSteelUses);
RedSteelAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","RedSteelAxe",16170),RedSteelToolMaterial).setUnlocalizedName("Red Steel Axe").setMaxDamage(RedSteelUses);
RedSteelHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","RedSteelHoe",16171),RedSteelToolMaterial).setUnlocalizedName("Red Steel Hoe").setMaxDamage(RedSteelUses);
RoseGoldPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","RoseGoldPick",16172),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Pick").setMaxDamage(RoseGoldUses);
RoseGoldShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","RoseGoldShovel",16173),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Shovel").setMaxDamage(RoseGoldUses);
RoseGoldAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","RoseGoldAxe",16174),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Axe").setMaxDamage(RoseGoldUses);
RoseGoldHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","RoseGoldHoe",16175),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Hoe").setMaxDamage(RoseGoldUses);
SteelPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","SteelPick",16180),SteelToolMaterial).setUnlocalizedName("Steel Pick").setMaxDamage(SteelUses);
SteelShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","SteelShovel",16181),SteelToolMaterial).setUnlocalizedName("Steel Shovel").setMaxDamage(SteelUses);
SteelAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","SteelAxe",16182),SteelToolMaterial).setUnlocalizedName("Steel Axe").setMaxDamage(SteelUses);
SteelHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","SteelHoe",16183),SteelToolMaterial).setUnlocalizedName("Steel Hoe").setMaxDamage(SteelUses);
TinPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","TinPick",16188),TinToolMaterial).setUnlocalizedName("Tin Pick").setMaxDamage(TinUses);
TinShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","TinShovel",16189),TinToolMaterial).setUnlocalizedName("Tin Shovel").setMaxDamage(TinUses);
TinAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","TinAxe",16190),TinToolMaterial).setUnlocalizedName("Tin Axe").setMaxDamage(TinUses);
TinHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","TinHoe",16191),TinToolMaterial).setUnlocalizedName("Tin Hoe").setMaxDamage(TinUses);
ZincPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","ZincPick",16192),ZincToolMaterial).setUnlocalizedName("Zinc Pick").setMaxDamage(ZincUses);
ZincShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","ZincShovel",16193),ZincToolMaterial).setUnlocalizedName("Zinc Shovel").setMaxDamage(ZincUses);
ZincAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","ZincAxe",16194),ZincToolMaterial).setUnlocalizedName("Zinc Axe").setMaxDamage(ZincUses);
ZincHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","ZincHoe",16195),ZincToolMaterial).setUnlocalizedName("Zinc Hoe").setMaxDamage(ZincUses);
//chisels
BismuthChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BismuthChisel",16226),BismuthToolMaterial).setUnlocalizedName("Bismuth Chisel").setMaxDamage(BismuthUses);
BismuthBronzeChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BismuthBronzeChisel",16227),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Chisel").setMaxDamage(BismuthBronzeUses);
BlackBronzeChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BlackBronzeChisel",16228),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Chisel").setMaxDamage(BlackBronzeUses);
BlackSteelChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BlackSteelChisel",16230),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Chisel").setMaxDamage(BlackSteelUses);
BlueSteelChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BlueSteelChisel",16231),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Chisel").setMaxDamage(BlueSteelUses);
BronzeChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BronzeChisel",16232),BronzeToolMaterial).setUnlocalizedName("Bronze Chisel").setMaxDamage(BronzeUses);
CopperChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","CopperChisel",16233),CopperToolMaterial).setUnlocalizedName("Copper Chisel").setMaxDamage(CopperUses);
WroughtIronChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","WroughtIronChisel",16234),IronToolMaterial).setUnlocalizedName("Wrought Iron Chisel").setMaxDamage(WroughtIronUses);
RedSteelChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","RedSteelChisel",16235),RedSteelToolMaterial).setUnlocalizedName("Red Steel Chisel").setMaxDamage(RedSteelUses);
RoseGoldChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","RoseGoldChisel",16236),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Chisel").setMaxDamage(RoseGoldUses);
SteelChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","SteelChisel",16237),SteelToolMaterial).setUnlocalizedName("Steel Chisel").setMaxDamage(SteelUses);
TinChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","TinChisel",16238),TinToolMaterial).setUnlocalizedName("Tin Chisel").setMaxDamage(TinUses);
ZincChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","ZincChisel",16239),ZincToolMaterial).setUnlocalizedName("Zinc Chisel").setMaxDamage(ZincUses);
StoneChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","StoneChisel",16240),IgInToolMaterial).setUnlocalizedName("Stone Chisel").setMaxDamage(IgInStoneUses);
BismuthSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BismuthSword",16245),BismuthToolMaterial).setUnlocalizedName("Bismuth Sword").setMaxDamage(BismuthUses);
BismuthBronzeSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BismuthBronzeSword",16246),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Sword").setMaxDamage(BismuthBronzeUses);
BlackBronzeSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlackBronzeSword",16247),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Sword").setMaxDamage(BlackBronzeUses);
BlackSteelSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlackSteelSword",16248),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Sword").setMaxDamage(BlackSteelUses);
BlueSteelSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlueSteelSword",16249),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Sword").setMaxDamage(BlueSteelUses);
BronzeSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BronzeSword",16250),BronzeToolMaterial).setUnlocalizedName("Bronze Sword").setMaxDamage(BronzeUses);
CopperSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","CopperSword",16251),CopperToolMaterial).setUnlocalizedName("Copper Sword").setMaxDamage(CopperUses);
WroughtIronSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","WroughtIronSword",16252),IronToolMaterial).setUnlocalizedName("Wrought Iron Sword").setMaxDamage(WroughtIronUses);
RedSteelSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","RedSteelSword",16253),RedSteelToolMaterial).setUnlocalizedName("Red Steel Sword").setMaxDamage(RedSteelUses);
RoseGoldSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","RoseGoldSword",16254),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Sword").setMaxDamage(RoseGoldUses);
SteelSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","SteelSword",16255),SteelToolMaterial).setUnlocalizedName("Steel Sword").setMaxDamage(SteelUses);
TinSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","TinSword",16256),TinToolMaterial).setUnlocalizedName("Tin Sword").setMaxDamage(TinUses);
ZincSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","ZincSword",16257),ZincToolMaterial).setUnlocalizedName("Zinc Sword").setMaxDamage(ZincUses);
BismuthMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BismuthMace",16262),BismuthToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Bismuth Mace").setMaxDamage(BismuthUses);
BismuthBronzeMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BismuthBronzeMace",16263),BismuthBronzeToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Bismuth Bronze Mace").setMaxDamage(BismuthBronzeUses);
BlackBronzeMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlackBronzeMace",16264),BlackBronzeToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Black Bronze Mace").setMaxDamage(BlackBronzeUses);
BlackSteelMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlackSteelMace",16265),BlackSteelToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Black Steel Mace").setMaxDamage(BlackSteelUses);
BlueSteelMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlueSteelMace",16266),BlueSteelToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Blue Steel Mace").setMaxDamage(BlueSteelUses);
BronzeMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BronzeMace",16267),BronzeToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Bronze Mace").setMaxDamage(BronzeUses);
CopperMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","CopperMace",16268),CopperToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Copper Mace").setMaxDamage(CopperUses);
WroughtIronMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","WroughtIronMace",16269),IronToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Wrought Iron Mace").setMaxDamage(WroughtIronUses);
RedSteelMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","RedSteelMace",16270),RedSteelToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Red Steel Mace").setMaxDamage(RedSteelUses);
RoseGoldMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","RoseGoldMace",16271),RoseGoldToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Rose Gold Mace").setMaxDamage(RoseGoldUses);
SteelMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","SteelMace",16272),SteelToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Steel Mace").setMaxDamage(SteelUses);
TinMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","TinMace",16273),TinToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Tin Mace").setMaxDamage(TinUses);
ZincMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","ZincMace",16274),ZincToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Zinc Mace").setMaxDamage(ZincUses);
BismuthSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BismuthSaw",16275),BismuthToolMaterial).setUnlocalizedName("Bismuth Saw").setMaxDamage(BismuthUses);
BismuthBronzeSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BismuthBronzeSaw",16276),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Saw").setMaxDamage(BismuthBronzeUses);
BlackBronzeSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BlackBronzeSaw",16277),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Saw").setMaxDamage(BlackBronzeUses);
BlackSteelSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BlackSteelSaw",16278),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Saw").setMaxDamage(BlackSteelUses);
BlueSteelSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BlueSteelSaw",16279),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Saw").setMaxDamage(BlueSteelUses);
BronzeSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BronzeSaw",16280),BronzeToolMaterial).setUnlocalizedName("Bronze Saw").setMaxDamage(BronzeUses);
CopperSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","CopperSaw",16281),CopperToolMaterial).setUnlocalizedName("Copper Saw").setMaxDamage(CopperUses);
WroughtIronSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","WroughtIronSaw",16282),IronToolMaterial).setUnlocalizedName("Wrought Iron Saw").setMaxDamage(WroughtIronUses);
RedSteelSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","RedSteelSaw",16283),RedSteelToolMaterial).setUnlocalizedName("Red Steel Saw").setMaxDamage(RedSteelUses);
RoseGoldSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","RoseGoldSaw",16284),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Saw").setMaxDamage(RoseGoldUses);
SteelSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","SteelSaw",16285),SteelToolMaterial).setUnlocalizedName("Steel Saw").setMaxDamage(SteelUses);
TinSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","TinSaw",16286),TinToolMaterial).setUnlocalizedName("Tin Saw").setMaxDamage(TinUses);
ZincSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","ZincSaw",16287),ZincToolMaterial).setUnlocalizedName("Zinc Saw").setMaxDamage(ZincUses);
HCBlackSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","HCBlackSteelIngot",16290), EnumMetalType.BLACKSTEEL).setUnlocalizedName("HC Black Steel Ingot");
WeakBlueSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","WeakBlueSteelIngot",16291),EnumMetalType.BLUESTEEL).setUnlocalizedName("Weak Blue Steel Ingot");
WeakRedSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","WeakRedSteelIngot",16292),EnumMetalType.REDSTEEL).setUnlocalizedName("Weak Red Steel Ingot");
WeakSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","WeakSteelIngot",16293),EnumMetalType.STEEL).setUnlocalizedName("Weak Steel Ingot");
HCBlueSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","HCBlueSteelIngot",16294), EnumMetalType.BLUESTEEL).setUnlocalizedName("HC Blue Steel Ingot");
HCRedSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","HCRedSteelIngot",16295), EnumMetalType.REDSTEEL).setUnlocalizedName("HC Red Steel Ingot");
HCSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","HCSteelIngot",16296), EnumMetalType.STEEL).setUnlocalizedName("HC Steel Ingot");
OreChunk = new ItemOre(TFC_Settings.getIntFor(config,"item","OreChunk",16297)).setFolder("ore/").setUnlocalizedName("Ore");
Logs = new ItemLogs(TFC_Settings.getIntFor(config,"item","Logs",16298)).setUnlocalizedName("Log");
Javelin = new ItemJavelin(TFC_Settings.getIntFor(config,"item","javelin",16318)).setUnlocalizedName("javelin");
BismuthUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBismuth",16350)).setUnlocalizedName("Bismuth Unshaped");
BismuthBronzeUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBismuthBronze",16351)).setUnlocalizedName("Bismuth Bronze Unshaped");
BlackBronzeUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBlackBronze",16352)).setUnlocalizedName("Black Bronze Unshaped");
BlackSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBlackSteel",16353)).setUnlocalizedName("Black Steel Unshaped");
BlueSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBlueSteel",16354)).setUnlocalizedName("Blue Steel Unshaped");
BrassUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBrass",16355)).setUnlocalizedName("Brass Unshaped");
BronzeUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBronze",16356)).setUnlocalizedName("Bronze Unshaped");
CopperUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedCopper",16357)).setUnlocalizedName("Copper Unshaped");
GoldUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedGold",16358)).setUnlocalizedName("Gold Unshaped");
WroughtIronUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedIron",16359)).setUnlocalizedName("Wrought Iron Unshaped");
LeadUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedLead",16360)).setUnlocalizedName("Lead Unshaped");
NickelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedNickel",16361)).setUnlocalizedName("Nickel Unshaped");
PigIronUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedPigIron",16362)).setUnlocalizedName("Pig Iron Unshaped");
PlatinumUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedPlatinum",16363)).setUnlocalizedName("Platinum Unshaped");
RedSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedRedSteel",16364)).setUnlocalizedName("Red Steel Unshaped");
RoseGoldUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedRoseGold",16365)).setUnlocalizedName("Rose Gold Unshaped");
SilverUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedSilver",16366)).setUnlocalizedName("Silver Unshaped");
SteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedSteel",16367)).setUnlocalizedName("Steel Unshaped");
SterlingSilverUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedSterlingSilver",16368)).setUnlocalizedName("Sterling Silver Unshaped");
TinUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedTin",16369)).setUnlocalizedName("Tin Unshaped");
ZincUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedZinc",16370)).setUnlocalizedName("Zinc Unshaped");
//Hammers
StoneHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","StoneHammer",16371),TFCItems.IgInToolMaterial).setUnlocalizedName("Stone Hammer").setMaxDamage(TFCItems.IgInStoneUses);
BismuthHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BismuthHammer",16372),TFCItems.BismuthToolMaterial).setUnlocalizedName("Bismuth Hammer").setMaxDamage(TFCItems.BismuthUses);
BismuthBronzeHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BismuthBronzeHammer",16373),TFCItems.BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Hammer").setMaxDamage(TFCItems.BismuthBronzeUses);
BlackBronzeHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BlackBronzeHammer",16374),TFCItems.BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Hammer").setMaxDamage(TFCItems.BlackBronzeUses);
BlackSteelHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BlackSteelHammer",16375),TFCItems.BlackSteelToolMaterial).setUnlocalizedName("Black Steel Hammer").setMaxDamage(TFCItems.BlackSteelUses);
BlueSteelHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BlueSteelHammer",16376),TFCItems.BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Hammer").setMaxDamage(TFCItems.BlueSteelUses);
BronzeHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BronzeHammer",16377),TFCItems.BronzeToolMaterial).setUnlocalizedName("Bronze Hammer").setMaxDamage(TFCItems.BronzeUses);
CopperHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","CopperHammer",16378),TFCItems.CopperToolMaterial).setUnlocalizedName("Copper Hammer").setMaxDamage(TFCItems.CopperUses);
WroughtIronHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","WroughtIronHammer",16379),TFCItems.IronToolMaterial).setUnlocalizedName("Wrought Iron Hammer").setMaxDamage(TFCItems.WroughtIronUses);
RedSteelHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","RedSteelHammer",16380),TFCItems.RedSteelToolMaterial).setUnlocalizedName("Red Steel Hammer").setMaxDamage(TFCItems.RedSteelUses);
RoseGoldHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","RoseGoldHammer",16381),TFCItems.RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Hammer").setMaxDamage(TFCItems.RoseGoldUses);
SteelHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","SteelHammer",16382),TFCItems.SteelToolMaterial).setUnlocalizedName("Steel Hammer").setMaxDamage(TFCItems.SteelUses);
TinHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","TinHammer",16383),TFCItems.TinToolMaterial).setUnlocalizedName("Tin Hammer").setMaxDamage(TFCItems.TinUses);
ZincHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","ZincHammer",16384),TFCItems.ZincToolMaterial).setUnlocalizedName("Zinc Hammer").setMaxDamage(TFCItems.ZincUses);
Ink = new ItemTerra(TFC_Settings.getIntFor(config,"item","Ink",16391)).setUnlocalizedName("Ink");
BellowsItem = new ItemBellows(TFC_Settings.getIntFor(config,"item","BellowsItem",16406)).setUnlocalizedName("Bellows");
FireStarter = new ItemFirestarter(TFC_Settings.getIntFor(config,"item","FireStarter",16407)).setFolder("tools/").setUnlocalizedName("Firestarter");
//Tool heads
BismuthPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthPickaxeHead",16500)).setUnlocalizedName("Bismuth Pick Head");
BismuthBronzePickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzePickaxeHead",16501)).setUnlocalizedName("Bismuth Bronze Pick Head");
BlackBronzePickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzePickaxeHead",16502)).setUnlocalizedName("Black Bronze Pick Head");
BlackSteelPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelPickaxeHead",16503)).setUnlocalizedName("Black Steel Pick Head");
BlueSteelPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelPickaxeHead",16504)).setUnlocalizedName("Blue Steel Pick Head");
BronzePickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzePickaxeHead",16505)).setUnlocalizedName("Bronze Pick Head");
CopperPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperPickaxeHead",16506)).setUnlocalizedName("Copper Pick Head");
WroughtIronPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronPickaxeHead",16507)).setUnlocalizedName("Wrought Iron Pick Head");
RedSteelPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelPickaxeHead",16508)).setUnlocalizedName("Red Steel Pick Head");
RoseGoldPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldPickaxeHead",16509)).setUnlocalizedName("Rose Gold Pick Head");
SteelPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelPickaxeHead",16510)).setUnlocalizedName("Steel Pick Head");
TinPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinPickaxeHead",16511)).setUnlocalizedName("Tin Pick Head");
ZincPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincPickaxeHead",16512)).setUnlocalizedName("Zinc Pick Head");
BismuthShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthShovelHead",16513)).setUnlocalizedName("Bismuth Shovel Head");
BismuthBronzeShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeShovelHead",16514)).setUnlocalizedName("Bismuth Bronze Shovel Head");
BlackBronzeShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeShovelHead",16515)).setUnlocalizedName("Black Bronze Shovel Head");
BlackSteelShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelShovelHead",16516)).setUnlocalizedName("Black Steel Shovel Head");
BlueSteelShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelShovelHead",16517)).setUnlocalizedName("Blue Steel Shovel Head");
BronzeShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeShovelHead",16518)).setUnlocalizedName("Bronze Shovel Head");
CopperShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperShovelHead",16519)).setUnlocalizedName("Copper Shovel Head");
WroughtIronShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronShovelHead",16520)).setUnlocalizedName("Wrought Iron Shovel Head");
RedSteelShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelShovelHead",16521)).setUnlocalizedName("Red Steel Shovel Head");
RoseGoldShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldShovelHead",16522)).setUnlocalizedName("Rose Gold Shovel Head");
SteelShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelShovelHead",16523)).setUnlocalizedName("Steel Shovel Head");
TinShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinShovelHead",16524)).setUnlocalizedName("Tin Shovel Head");
ZincShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincShovelHead",16525)).setUnlocalizedName("Zinc Shovel Head");
BismuthHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthHoeHead",16526)).setUnlocalizedName("Bismuth Hoe Head");
BismuthBronzeHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeHoeHead",16527)).setUnlocalizedName("Bismuth Bronze Hoe Head");
BlackBronzeHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeHoeHead",16528)).setUnlocalizedName("Black Bronze Hoe Head");
BlackSteelHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelHoeHead",16529)).setUnlocalizedName("Black Steel Hoe Head");
BlueSteelHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelHoeHead",16530)).setUnlocalizedName("Blue Steel Hoe Head");
BronzeHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeHoeHead",16531)).setUnlocalizedName("Bronze Hoe Head");
CopperHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperHoeHead",16532)).setUnlocalizedName("Copper Hoe Head");
WroughtIronHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronHoeHead",16533)).setUnlocalizedName("Wrought Iron Hoe Head");
RedSteelHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelHoeHead",16534)).setUnlocalizedName("Red Steel Hoe Head");
RoseGoldHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldHoeHead",16535)).setUnlocalizedName("Rose Gold Hoe Head");
SteelHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelHoeHead",16536)).setUnlocalizedName("Steel Hoe Head");
TinHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinHoeHead",16537)).setUnlocalizedName("Tin Hoe Head");
ZincHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincHoeHead",16538)).setUnlocalizedName("Zinc Hoe Head");
BismuthAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthAxeHead",16539)).setUnlocalizedName("Bismuth Axe Head");
BismuthBronzeAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeAxeHead",16540)).setUnlocalizedName("Bismuth Bronze Axe Head");
BlackBronzeAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeAxeHead",16541)).setUnlocalizedName("Black Bronze Axe Head");
BlackSteelAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelAxeHead",16542)).setUnlocalizedName("Black Steel Axe Head");
BlueSteelAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelAxeHead",16543)).setUnlocalizedName("Blue Steel Axe Head");
BronzeAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeAxeHead",16544)).setUnlocalizedName("Bronze Axe Head");
CopperAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperAxeHead",16545)).setUnlocalizedName("Copper Axe Head");
WroughtIronAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronAxeHead",16546)).setUnlocalizedName("Wrought Iron Axe Head");
RedSteelAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelAxeHead",16547)).setUnlocalizedName("Red Steel Axe Head");
RoseGoldAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldAxeHead",16548)).setUnlocalizedName("Rose Gold Axe Head");
SteelAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelAxeHead",16549)).setUnlocalizedName("Steel Axe Head");
TinAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinAxeHead",16550)).setUnlocalizedName("Tin Axe Head");
ZincAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincAxeHead",16551)).setUnlocalizedName("Zinc Axe Head");
BismuthHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthHammerHead",16552)).setUnlocalizedName("Bismuth Hammer Head");
BismuthBronzeHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeHammerHead",16553)).setUnlocalizedName("Bismuth Bronze Hammer Head");
BlackBronzeHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeHammerHead",16554)).setUnlocalizedName("Black Bronze Hammer Head");
BlackSteelHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelHammerHead",16555)).setUnlocalizedName("Black Steel Hammer Head");
BlueSteelHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelHammerHead",16556)).setUnlocalizedName("Blue Steel Hammer Head");
BronzeHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeHammerHead",16557)).setUnlocalizedName("Bronze Hammer Head");
CopperHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperHammerHead",16558)).setUnlocalizedName("Copper Hammer Head");
WroughtIronHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronHammerHead",16559)).setUnlocalizedName("Wrought Iron Hammer Head");
RedSteelHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelHammerHead",16560)).setUnlocalizedName("Red Steel Hammer Head");
RoseGoldHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldHammerHead",16561)).setUnlocalizedName("Rose Gold Hammer Head");
SteelHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelHammerHead",16562)).setUnlocalizedName("Steel Hammer Head");
TinHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinHammerHead",16563)).setUnlocalizedName("Tin Hammer Head");
ZincHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincHammerHead",16564)).setUnlocalizedName("Zinc Hammer Head");
//chisel heads
BismuthChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthChiselHead",16565)).setUnlocalizedName("Bismuth Chisel Head");
BismuthBronzeChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeChiselHead",16566)).setUnlocalizedName("Bismuth Bronze Chisel Head");
BlackBronzeChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeChiselHead",16567)).setUnlocalizedName("Black Bronze Chisel Head");
BlackSteelChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelChiselHead",16568)).setUnlocalizedName("Black Steel Chisel Head");
BlueSteelChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelChiselHead",16569)).setUnlocalizedName("Blue Steel Chisel Head");
BronzeChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeChiselHead",16570)).setUnlocalizedName("Bronze Chisel Head");
CopperChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperChiselHead",16571)).setUnlocalizedName("Copper Chisel Head");
WroughtIronChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronChiselHead",16572)).setUnlocalizedName("Wrought Iron Chisel Head");
RedSteelChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelChiselHead",16573)).setUnlocalizedName("Red Steel Chisel Head");
RoseGoldChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldChiselHead",16574)).setUnlocalizedName("Rose Gold Chisel Head");
SteelChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelChiselHead",16575)).setUnlocalizedName("Steel Chisel Head");
TinChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinChiselHead",16576)).setUnlocalizedName("Tin Chisel Head");
ZincChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincChiselHead",16577)).setUnlocalizedName("Zinc Chisel Head");
BismuthSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthSwordHead",16578)).setUnlocalizedName("Bismuth Sword Blade");
BismuthBronzeSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeSwordHead",16579)).setUnlocalizedName("Bismuth Bronze Sword Blade");
BlackBronzeSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeSwordHead",16580)).setUnlocalizedName("Black Bronze Sword Blade");
BlackSteelSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelSwordHead",16581)).setUnlocalizedName("Black Steel Sword Blade");
BlueSteelSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelSwordHead",16582)).setUnlocalizedName("Blue Steel Sword Blade");
BronzeSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeSwordHead",16583)).setUnlocalizedName("Bronze Sword Blade");
CopperSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperSwordHead",16584)).setUnlocalizedName("Copper Sword Blade");
WroughtIronSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronSwordHead",16585)).setUnlocalizedName("Wrought Iron Sword Blade");
RedSteelSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelSwordHead",16586)).setUnlocalizedName("Red Steel Sword Blade");
RoseGoldSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldSwordHead",16587)).setUnlocalizedName("Rose Gold Sword Blade");
SteelSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelSwordHead",16588)).setUnlocalizedName("Steel Sword Blade");
TinSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinSwordHead",16589)).setUnlocalizedName("Tin Sword Blade");
ZincSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincSwordHead",16590)).setUnlocalizedName("Zinc Sword Blade");
BismuthMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthMaceHead",16591)).setUnlocalizedName("Bismuth Mace Head");
BismuthBronzeMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeMaceHead",16592)).setUnlocalizedName("Bismuth Bronze Mace Head");
BlackBronzeMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeMaceHead",16593)).setUnlocalizedName("Black Bronze Mace Head");
BlackSteelMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelMaceHead",16594)).setUnlocalizedName("Black Steel Mace Head");
BlueSteelMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelMaceHead",16595)).setUnlocalizedName("Blue Steel Mace Head");
BronzeMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeMaceHead",16596)).setUnlocalizedName("Bronze Mace Head");
CopperMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperMaceHead",16597)).setUnlocalizedName("Copper Mace Head");
WroughtIronMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronMaceHead",16598)).setUnlocalizedName("Wrought Iron Mace Head");
RedSteelMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelMaceHead",16599)).setUnlocalizedName("Red Steel Mace Head");
RoseGoldMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldMaceHead",16600)).setUnlocalizedName("Rose Gold Mace Head");
SteelMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelMaceHead",16601)).setUnlocalizedName("Steel Mace Head");
TinMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinMaceHead",16602)).setUnlocalizedName("Tin Mace Head");
ZincMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincMaceHead",16603)).setUnlocalizedName("Zinc Mace Head");
BismuthSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthSawHead",16604)).setUnlocalizedName("Bismuth Saw Blade");
BismuthBronzeSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeSawHead",16605)).setUnlocalizedName("Bismuth Bronze Saw Blade");
BlackBronzeSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeSawHead",16606)).setUnlocalizedName("Black Bronze Saw Blade");
BlackSteelSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelSawHead",16607)).setUnlocalizedName("Black Steel Saw Blade");
BlueSteelSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelSawHead",16608)).setUnlocalizedName("Blue Steel Saw Blade");
BronzeSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeSawHead",16609)).setUnlocalizedName("Bronze Saw Blade");
CopperSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperSawHead",16610)).setUnlocalizedName("Copper Saw Blade");
WroughtIronSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronSawHead",16611)).setUnlocalizedName("Wrought Iron Saw Blade");
RedSteelSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelSawHead",16612)).setUnlocalizedName("Red Steel Saw Blade");
RoseGoldSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldSawHead",16613)).setUnlocalizedName("Rose Gold Saw Blade");
SteelSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelSawHead",16614)).setUnlocalizedName("Steel Saw Blade");
TinSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinSawHead",16615)).setUnlocalizedName("Tin Saw Blade");
ZincSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincSawHead",16616)).setUnlocalizedName("Zinc Saw Blade");
HCBlackSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedHCBlackSteel",16617)).setUnlocalizedName("HC Black Steel Unshaped");
WeakBlueSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedWeakBlueSteel",16618)).setUnlocalizedName("Weak Blue Steel Unshaped");
HCBlueSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedHCBlueSteel",16619)).setUnlocalizedName("HC Blue Steel Unshaped");
WeakRedSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedWeakRedSteel",16621)).setUnlocalizedName("Weak Red Steel Unshaped");
HCRedSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedHCRedSteel",16622)).setUnlocalizedName("HC Red Steel Unshaped");
WeakSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedWeakSteel",16623)).setUnlocalizedName("Weak Steel Unshaped");
HCSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedHCSteel",16624)).setUnlocalizedName("HC Steel Unshaped");
Coke = (new ItemTerra(TFC_Settings.getIntFor(config,"item","Coke",16625)).setUnlocalizedName("Coke"));
BismuthProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthProPickHead",16626)).setUnlocalizedName("Bismuth ProPick Head");
BismuthBronzeProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeProPickHead",16627)).setUnlocalizedName("Bismuth Bronze ProPick Head");
BlackBronzeProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeProPickHead",16628)).setUnlocalizedName("Black Bronze ProPick Head");
BlackSteelProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelProPickHead",16629)).setUnlocalizedName("Black Steel ProPick Head");
BlueSteelProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelProPickHead",16630)).setUnlocalizedName("Blue Steel ProPick Head");
BronzeProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeProPickHead",16631)).setUnlocalizedName("Bronze ProPick Head");
CopperProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperProPickHead",16632)).setUnlocalizedName("Copper ProPick Head");
WroughtIronProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronProPickHead",16633)).setUnlocalizedName("Wrought Iron ProPick Head");
RedSteelProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelProPickHead",16634)).setUnlocalizedName("Red Steel ProPick Head");
RoseGoldProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldProPickHead",16635)).setUnlocalizedName("Rose Gold ProPick Head");
SteelProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelProPickHead",16636)).setUnlocalizedName("Steel ProPick Head");
TinProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinProPickHead",16637)).setUnlocalizedName("Tin ProPick Head");
ZincProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincProPickHead",16638)).setUnlocalizedName("Zinc ProPick Head");
Flux = (new ItemTerra(TFC_Settings.getIntFor(config,"item","Flux",16639)).setUnlocalizedName("Flux"));
/**
* Scythe
* */
int num = 16643;
BismuthScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BismuthScythe",num),BismuthToolMaterial).setUnlocalizedName("Bismuth Scythe").setMaxDamage(BismuthUses);num++;
BismuthBronzeScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BismuthBronzeScythe",num),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Scythe").setMaxDamage(BismuthBronzeUses);num++;
BlackBronzeScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BlackBronzeScythe",num),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Scythe").setMaxDamage(BlackBronzeUses);num++;
BlackSteelScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BlackSteelScythe",num),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Scythe").setMaxDamage(BlackSteelUses);num++;
BlueSteelScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BlueSteelScythe",num),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Scythe").setMaxDamage(BlueSteelUses);num++;
BronzeScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BronzeScythe",num),BronzeToolMaterial).setUnlocalizedName("Bronze Scythe").setMaxDamage(BronzeUses);num++;
CopperScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","CopperScythe",num),CopperToolMaterial).setUnlocalizedName("Copper Scythe").setMaxDamage(CopperUses);num++;
WroughtIronScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","WroughtIronScythe",num),IronToolMaterial).setUnlocalizedName("Wrought Iron Scythe").setMaxDamage(WroughtIronUses);num++;
RedSteelScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","RedSteelScythe",num),RedSteelToolMaterial).setUnlocalizedName("Red Steel Scythe").setMaxDamage(RedSteelUses);num++;
RoseGoldScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","RoseGoldScythe",num),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Scythe").setMaxDamage(RoseGoldUses);num++;
SteelScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","SteelScythe",num),SteelToolMaterial).setUnlocalizedName("Steel Scythe").setMaxDamage(SteelUses);num++;
TinScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","TinScythe",num),TinToolMaterial).setUnlocalizedName("Tin Scythe").setMaxDamage(TinUses);num++;
ZincScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","ZincScythe",num),ZincToolMaterial).setUnlocalizedName("Zinc Scythe").setMaxDamage(ZincUses);num++;
BismuthScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthScytheHead",num)).setUnlocalizedName("Bismuth Scythe Blade");num++;
BismuthBronzeScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeScytheHead",num)).setUnlocalizedName("Bismuth Bronze Scythe Blade");num++;
BlackBronzeScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeScytheHead",num)).setUnlocalizedName("Black Bronze Scythe Blade");num++;
BlackSteelScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelScytheHead",num)).setUnlocalizedName("Black Steel Scythe Blade");num++;
BlueSteelScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelScytheHead",num)).setUnlocalizedName("Blue Steel Scythe Blade");num++;
BronzeScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeScytheHead",num)).setUnlocalizedName("Bronze Scythe Blade");num++;
CopperScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperScytheHead",num)).setUnlocalizedName("Copper Scythe Blade");num++;
WroughtIronScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronScytheHead",num)).setUnlocalizedName("Wrought Iron Scythe Blade");num++;
RedSteelScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelScytheHead",num)).setUnlocalizedName("Red Steel Scythe Blade");num++;
RoseGoldScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldScytheHead",num)).setUnlocalizedName("Rose Gold Scythe Blade");num++;
SteelScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelScytheHead",num)).setUnlocalizedName("Steel Scythe Blade");num++;
TinScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinScytheHead",num)).setUnlocalizedName("Tin Scythe Blade");num++;
ZincScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincScytheHead",num)).setUnlocalizedName("Zinc Scythe Blade");num++;
WoodenBucketEmpty = (new ItemCustomBucket(TFC_Settings.getIntFor(config,"item","WoodenBucketEmpty",num), 0)).setUnlocalizedName("Wooden Bucket Empty");num++;
WoodenBucketWater = (new ItemCustomBucket(TFC_Settings.getIntFor(config,"item","WoodenBucketWater",num), TFCBlocks.finiteWater.blockID)).setUnlocalizedName("Wooden Bucket Water").setContainerItem(WoodenBucketEmpty);num++;
WoodenBucketMilk = (new ItemCustomBucketMilk(TFC_Settings.getIntFor(config,"item","WoodenBucketMilk",num))).setUnlocalizedName("Wooden Bucket Milk").setContainerItem(WoodenBucketEmpty);num++;
BismuthKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthKnifeHead",num)).setUnlocalizedName("Bismuth Knife Blade");num++;
BismuthBronzeKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeKnifeHead",num)).setUnlocalizedName("Bismuth Bronze Knife Blade");num++;
BlackBronzeKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeKnifeHead",num)).setUnlocalizedName("Black Bronze Knife Blade");num++;
BlackSteelKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelKnifeHead",num)).setUnlocalizedName("Black Steel Knife Blade");num++;
BlueSteelKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelKnifeHead",num)).setUnlocalizedName("Blue Steel Knife Blade");num++;
BronzeKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeKnifeHead",num)).setUnlocalizedName("Bronze Knife Blade");num++;
CopperKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperKnifeHead",num)).setUnlocalizedName("Copper Knife Blade");num++;
WroughtIronKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronKnifeHead",num)).setUnlocalizedName("Wrought Iron Knife Blade");num++;
RedSteelKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelKnifeHead",num)).setUnlocalizedName("Red Steel Knife Blade");num++;
RoseGoldKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldKnifeHead",num)).setUnlocalizedName("Rose Gold Knife Blade");num++;
SteelKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelKnifeHead",num)).setUnlocalizedName("Steel Knife Blade");num++;
TinKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinKnifeHead",num)).setUnlocalizedName("Tin Knife Blade");num++;
ZincKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincKnifeHead",num)).setUnlocalizedName("Zinc Knife Blade");num++;
BismuthKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BismuthKnife",num),BismuthToolMaterial).setUnlocalizedName("Bismuth Knife").setMaxDamage(BismuthUses);num++;
BismuthBronzeKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BismuthBronzeKnife",num),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Knife").setMaxDamage(BismuthBronzeUses);num++;
BlackBronzeKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BlackBronzeKnife",num),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Knife").setMaxDamage(BlackBronzeUses);num++;
BlackSteelKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BlackSteelKnife",num),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Knife").setMaxDamage(BlackSteelUses);num++;
BlueSteelKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BlueSteelKnife",num),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Knife").setMaxDamage(BlueSteelUses);num++;
BronzeKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BronzeKnife",num),BronzeToolMaterial).setUnlocalizedName("Bronze Knife").setMaxDamage(BronzeUses);num++;
CopperKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","CopperKnife",num),CopperToolMaterial).setUnlocalizedName("Copper Knife").setMaxDamage(CopperUses);num++;
WroughtIronKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","WroughtIronKnife",num),IronToolMaterial).setUnlocalizedName("Wrought Iron Knife").setMaxDamage(WroughtIronUses);num++;
RedSteelKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","RedSteelKnife",num),RedSteelToolMaterial).setUnlocalizedName("Red Steel Knife").setMaxDamage(RedSteelUses);num++;
RoseGoldKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","RoseGoldKnife",num),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Knife").setMaxDamage(RoseGoldUses);num++;
SteelKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","SteelKnife",num),SteelToolMaterial).setUnlocalizedName("Steel Knife").setMaxDamage(SteelUses);num++;
TinKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","TinKnife",num),TinToolMaterial).setUnlocalizedName("Tin Knife").setMaxDamage(TinUses);num++;
ZincKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","ZincKnife",num),ZincToolMaterial).setUnlocalizedName("Zinc Knife").setMaxDamage(ZincUses);num++;
FlatRock = (new ItemFlatRock(TFC_Settings.getIntFor(config,"item","FlatRock",num)).setFolder("rocks/flatrocks/").setUnlocalizedName("FlatRock"));num++;
LooseRock = (new ItemLooseRock(TFC_Settings.getIntFor(config,"item","LooseRock",num)).setSpecialCraftingType(FlatRock).setFolder("rocks/").setMetaNames(Global.STONE_ALL).setUnlocalizedName("LooseRock"));num++;
IgInStoneShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgInStoneShovelHead",num)).setUnlocalizedName("Stone Shovel Head");num++;
SedStoneShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SedStoneShovelHead",num)).setUnlocalizedName("Stone Shovel Head");num++;
IgExStoneShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgExStoneShovelHead",num)).setUnlocalizedName("Stone Shovel Head");num++;
MMStoneShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","MMStoneShovelHead",num)).setUnlocalizedName("Stone Shovel Head");num++;
IgInStoneAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgInStoneAxeHead",num)).setUnlocalizedName("Stone Axe Head");num++;
SedStoneAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SedStoneAxeHead",num)).setUnlocalizedName("Stone Axe Head");num++;
IgExStoneAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgExStoneAxeHead",num)).setUnlocalizedName("Stone Axe Head");num++;
MMStoneAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","MMStoneAxeHead",num)).setUnlocalizedName("Stone Axe Head");num++;
IgInStoneHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgInStoneHoeHead",num)).setUnlocalizedName("Stone Hoe Head");num++;
SedStoneHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SedStoneHoeHead",num)).setUnlocalizedName("Stone Hoe Head");num++;
IgExStoneHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgExStoneHoeHead",num)).setUnlocalizedName("Stone Hoe Head");num++;
MMStoneHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","MMStoneHoeHead",num)).setUnlocalizedName("Stone Hoe Head");num++;
StoneKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","StoneKnifeHead",num)).setUnlocalizedName("Stone Knife Blade");num++;
StoneHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","StoneHammerHead",num)).setUnlocalizedName("Stone Hammer Head");num++;
StoneKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","StoneKnife",num),IgExToolMaterial).setUnlocalizedName("Stone Knife").setMaxDamage(IgExStoneUses);num++;
SmallOreChunk = new ItemOreSmall(TFC_Settings.getIntFor(config,"item","SmallOreChunk",num++)).setUnlocalizedName("Small Ore");
SinglePlank = new ItemPlank(TFC_Settings.getIntFor(config,"item","SinglePlank",num++)).setUnlocalizedName("SinglePlank");
RedSteelBucketEmpty = (new ItemCustomRedSteelBucket(TFC_Settings.getIntFor(config,"item","RedSteelBucketEmpty",num++), 0)).setUnlocalizedName("Red Steel Bucket Empty");
RedSteelBucketWater = (new ItemCustomRedSteelBucket(TFC_Settings.getIntFor(config,"item","RedSteelBucketWater",num++), Block.waterMoving.blockID)).setUnlocalizedName("Red Steel Bucket Water").setContainerItem(RedSteelBucketEmpty);
BlueSteelBucketEmpty = (new ItemCustomBlueSteelBucket(TFC_Settings.getIntFor(config,"item","BlueSteelBucketEmpty",num++), 0)).setUnlocalizedName("Blue Steel Bucket Empty");
BlueSteelBucketLava = (new ItemCustomBlueSteelBucket(TFC_Settings.getIntFor(config,"item","BlueSteelBucketLava",num++), Block.lavaMoving.blockID)).setUnlocalizedName("Blue Steel Bucket Lava").setContainerItem(BlueSteelBucketEmpty);
Quern = new ItemTerra(TFC_Settings.getIntFor(config,"item","Quern",num++)).setUnlocalizedName("Quern").setMaxDamage(250);
FlintSteel = new ItemFlintSteel(TFC_Settings.getIntFor(config,"item","FlintSteel",num++)).setUnlocalizedName("flintAndSteel").setMaxDamage(200);
DoorOak = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorOak", num++), 0).setUnlocalizedName("Oak Door");
DoorAspen = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorAspen", num++), 1).setUnlocalizedName("Aspen Door");
DoorBirch = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorBirch", num++), 2).setUnlocalizedName("Birch Door");
DoorChestnut = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorChestnut", num++), 3).setUnlocalizedName("Chestnut Door");
DoorDouglasFir = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorDouglasFir", num++), 4).setUnlocalizedName("Douglas Fir Door");
DoorHickory = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorHickory", num++), 5).setUnlocalizedName("Hickory Door");
DoorMaple = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorMaple", num++), 6).setUnlocalizedName("Maple Door");
DoorAsh = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorAsh", num++), 7).setUnlocalizedName("Ash Door");
DoorPine = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorPine", num++), 8).setUnlocalizedName("Pine Door");
DoorSequoia = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorSequoia", num++), 9).setUnlocalizedName("Sequoia Door");
DoorSpruce = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorSpruce", num++), 10).setUnlocalizedName("Spruce Door");
DoorSycamore = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorSycamore", num++), 11).setUnlocalizedName("Sycamore Door");
DoorWhiteCedar = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorWhiteCedar", num++), 12).setUnlocalizedName("White Cedar Door");
DoorWhiteElm = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorWhiteElm", num++), 13).setUnlocalizedName("White Elm Door");
DoorWillow = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorWillow", num++), 14).setUnlocalizedName("Willow Door");
DoorKapok = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorKapok", num++), 15).setUnlocalizedName("Kapok Door");
Blueprint = new ItemBlueprint(TFC_Settings.getIntFor(config,"item","Blueprint", num++));
writabeBookTFC = new ItemWritableBookTFC(TFC_Settings.getIntFor(config,"item","WritableBookTFC", num++),"Fix Me I'm Broken").setUnlocalizedName("book");
WoolYarn = new ItemTerra(TFC_Settings.getIntFor(config, "item", "WoolYarn", num++)).setUnlocalizedName("WoolYarn").setCreativeTab(TFCTabs.TFCMaterials);
Wool = new ItemTerra(TFC_Settings.getIntFor(config,"item","Wool",num++)).setUnlocalizedName("Wool").setCreativeTab(TFCTabs.TFCMaterials);
WoolCloth = new ItemTerra(TFC_Settings.getIntFor(config, "item", "WoolCloth", num++)).setUnlocalizedName("WoolCloth").setCreativeTab(TFCTabs.TFCMaterials);
Spindle = new ItemSpindle(TFC_Settings.getIntFor(config,"item","Spindle",num++),SedToolMaterial).setUnlocalizedName("Spindle").setCreativeTab(TFCTabs.TFCMaterials);
ClaySpindle = new ItemTerra(TFC_Settings.getIntFor(config, "item", "ClaySpindle", num++)).setFolder("tools/").setUnlocalizedName("Clay Spindle").setCreativeTab(TFCTabs.TFCMaterials);
SpindleHead = new ItemTerra(TFC_Settings.getIntFor(config, "item", "SpindleHead", num++)).setFolder("toolheads/").setUnlocalizedName("Spindle Head").setCreativeTab(TFCTabs.TFCMaterials);
StoneBrick = (new ItemStoneBrick(TFC_Settings.getIntFor(config,"item","ItemStoneBrick2",num++)).setFolder("tools/").setUnlocalizedName("ItemStoneBrick"));
Mortar = new ItemTerra(TFC_Settings.getIntFor(config,"item","Mortar",num++)).setFolder("tools/").setUnlocalizedName("Mortar").setCreativeTab(TFCTabs.TFCMaterials);
Limewater = new ItemCustomBucket(TFC_Settings.getIntFor(config,"item","Limewater",num++),2).setFolder("tools/").setUnlocalizedName("Lime Water").setContainerItem(WoodenBucketEmpty).setCreativeTab(TFCTabs.TFCMaterials);
Hide = new ItemTerra(TFC_Settings.getIntFor(config,"item","Hide",num++)).setFolder("tools/").setUnlocalizedName("Hide").setCreativeTab(TFCTabs.TFCMaterials);
SoakedHide = new ItemTerra(TFC_Settings.getIntFor(config,"item","SoakedHide",num++)).setFolder("tools/").setUnlocalizedName("Soaked Hide").setCreativeTab(TFCTabs.TFCMaterials);
ScrapedHide = new ItemTerra(TFC_Settings.getIntFor(config,"item","ScrapedHide",num++)).setFolder("tools/").setUnlocalizedName("Scraped Hide").setCreativeTab(TFCTabs.TFCMaterials);
PrepHide = new ItemTerra(TFC_Settings.getIntFor(config,"item","PrepHide",num++)).setFolder("tools/").setFolder("tools/").setUnlocalizedName("Prep Hide").setCreativeTab(TFCTabs.TFCMaterials);
SheepSkin = new ItemTerra(TFC_Settings.getIntFor(config,"item","SheepSkin",num++)).setFolder("tools/").setUnlocalizedName("Sheep Skin").setCreativeTab(TFCTabs.TFCMaterials);
muttonRaw = new ItemTerra(TFC_Settings.getIntFor(config,"item","muttonRaw",num++)).setFolder("food/").setUnlocalizedName("Mutton Raw");
muttonCooked = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","muttonCooked",num++), 40, 0.8F, true, 48).setUnlocalizedName("Mutton Cooked");
FlatLeather = (new ItemFlatLeather(TFC_Settings.getIntFor(config,"items","FlatLeather2",num++)).setFolder("tools/").setUnlocalizedName("Flat Leather"));
TerraLeather = new ItemLeather(TFC_Settings.getIntFor(config,"item","TFCLeather",num++)).setSpecialCraftingType(FlatLeather).setFolder("tools/").setUnlocalizedName("TFC Leather").setCreativeTab(TFCTabs.TFCMaterials);
Straw = new ItemTerra(TFC_Settings.getIntFor(config,"items","Straw",num++)).setFolder("plants/").setUnlocalizedName("Straw");
FlatClay = (new ItemFlatLeather(TFC_Settings.getIntFor(config,"items","FlatClay",num++)).setFolder("pottery/").setMetaNames(new String[]{"clay flat light", "clay flat dark"}).setUnlocalizedName(""));
Item.itemsList[Item.clay.itemID] = null; Item.itemsList[Item.clay.itemID] = (new ItemClay(Item.clay.itemID).setSpecialCraftingType(FlatClay, new ItemStack(FlatClay, 1, 1))).setUnlocalizedName("clay").setCreativeTab(CreativeTabs.tabMaterials);
PotteryJug = new ItemPotteryJug(TFC_Settings.getIntFor(config,"items","PotteryJug",num++)).setUnlocalizedName("Jug");
PotterySmallVessel = new ItemPotterySmallVessel(TFC_Settings.getIntFor(config,"items","PotterySmallVessel",num++)).setUnlocalizedName("Small Vessel");
PotteryLargeVessel = new ItemPotteryLargeVessel(TFC_Settings.getIntFor(config,"items","PotteryLargeVessel",num++)).setUnlocalizedName("Large Vessel");
PotteryPot = new ItemPotteryPot(TFC_Settings.getIntFor(config,"items","PotteryPot",num++)).setUnlocalizedName("Pot");
CeramicMold = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","CeramicMold",16409)).setMetaNames(new String[]{"Clay Mold","Ceramic Mold"}).setUnlocalizedName("Mold");
ClayMoldAxe = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldAxe",num++)).setMetaNames(new String[]{"Clay Mold Axe","Ceramic Mold Axe",
"Ceramic Mold Axe Copper","Ceramic Mold Axe Bronze","Ceramic Mold Axe Bismuth Bronze","Ceramic Mold Axe Black Bronze"}).setUnlocalizedName("Axe Mold");
ClayMoldChisel = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldChisel",num++)).setMetaNames(new String[]{"Clay Mold Chisel","Ceramic Mold Chisel",
"Ceramic Mold Chisel Copper","Ceramic Mold Chisel Bronze","Ceramic Mold Chisel Bismuth Bronze","Ceramic Mold Chisel Black Bronze"}).setUnlocalizedName("Axe Chisel");
ClayMoldHammer = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldHammer",num++)).setMetaNames(new String[]{"Clay Mold Hammer","Ceramic Mold Hammer",
"Ceramic Mold Hammer Copper","Ceramic Mold Hammer Bronze","Ceramic Mold Hammer Bismuth Bronze","Ceramic Mold Hammer Black Bronze"}).setUnlocalizedName("Hammer Mold");
ClayMoldHoe = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldHoe",num++)).setMetaNames(new String[]{"Clay Mold Hoe","Ceramic Mold Hoe",
"Ceramic Mold Hoe Copper","Ceramic Mold Hoe Bronze","Ceramic Mold Hoe Bismuth Bronze","Ceramic Mold Hoe Black Bronze"}).setUnlocalizedName("Hoe Mold");
ClayMoldKnife = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldKnife",num++)).setMetaNames(new String[]{"Clay Mold Knife","Ceramic Mold Knife",
"Ceramic Mold Knife Copper","Ceramic Mold Knife Bronze","Ceramic Mold Knife Bismuth Bronze","Ceramic Mold Knife Black Bronze"}).setUnlocalizedName("Knife Mold");
ClayMoldMace = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldMace",num++)).setMetaNames(new String[]{"Clay Mold Mace","Ceramic Mold Mace",
"Ceramic Mold Mace Copper","Ceramic Mold Mace Bronze","Ceramic Mold Mace Bismuth Bronze","Ceramic Mold Mace Black Bronze"}).setUnlocalizedName("Mace Mold");
ClayMoldPick = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldPick",num++)).setMetaNames(new String[]{"Clay Mold Pick","Ceramic Mold Pick",
"Ceramic Mold Pick Copper","Ceramic Mold Pick Bronze","Ceramic Mold Pick Bismuth Bronze","Ceramic Mold Pick Black Bronze"}).setUnlocalizedName("Pick Mold");
ClayMoldProPick = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldProPick",num++)).setMetaNames(new String[]{"Clay Mold ProPick","Ceramic Mold ProPick",
"Ceramic Mold ProPick Copper","Ceramic Mold ProPick Bronze","Ceramic Mold ProPick Bismuth Bronze","Ceramic Mold ProPick Black Bronze"}).setUnlocalizedName("ProPick Mold");
ClayMoldSaw = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldSaw",num++)).setMetaNames(new String[]{"Clay Mold Saw","Ceramic Mold Saw",
"Ceramic Mold Saw Copper","Ceramic Mold Saw Bronze","Ceramic Mold Saw Bismuth Bronze","Ceramic Mold Saw Black Bronze"}).setUnlocalizedName("Saw Mold");
ClayMoldScythe = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldScythe",num++)).setMetaNames(new String[]{"Clay Mold Scythe","Ceramic Mold Scythe",
"Ceramic Mold Scythe Copper","Ceramic Mold Scythe Bronze","Ceramic Mold Scythe Bismuth Bronze","Ceramic Mold Scythe Black Bronze"}).setUnlocalizedName("Scythe Mold");
ClayMoldShovel = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldShovel",num++)).setMetaNames(new String[]{"Clay Mold Shovel","Ceramic Mold Shovel",
"Ceramic Mold Shovel Copper","Ceramic Mold Shovel Bronze","Ceramic Mold Shovel Bismuth Bronze","Ceramic Mold Shovel Black Bronze"}).setUnlocalizedName("Shovel Mold");
ClayMoldSword = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldSword",num++)).setMetaNames(new String[]{"Clay Mold Sword","Ceramic Mold Sword",
"Ceramic Mold Sword Copper","Ceramic Mold Sword Bronze","Ceramic Mold Sword Bismuth Bronze","Ceramic Mold Sword Black Bronze"}).setUnlocalizedName("Sword Mold");
/**Plans*/
num = 20000;
SetupPlans(num);
/**Food related items*/
num = 18000;
SetupFood(num);
/**Armor Crafting related items*/
num = 19000;
SetupArmor(num);
Recipes.Doors = new Item[]{DoorOak, DoorAspen, DoorBirch, DoorChestnut, DoorDouglasFir,
DoorHickory, DoorMaple, DoorAsh, DoorPine, DoorSequoia, DoorSpruce, DoorSycamore,
DoorWhiteCedar, DoorWhiteElm, DoorWillow, DoorKapok};
Recipes.Axes = new Item[]{SedAxe,IgInAxe,IgExAxe,MMAxe,
BismuthAxe,BismuthBronzeAxe,BlackBronzeAxe,
BlackSteelAxe,BlueSteelAxe,BronzeAxe,CopperAxe,
WroughtIronAxe,RedSteelAxe,RoseGoldAxe,SteelAxe,
TinAxe,ZincAxe};
Recipes.Chisels = new Item[]{BismuthChisel,BismuthBronzeChisel,BlackBronzeChisel,
BlackSteelChisel,BlueSteelChisel,BronzeChisel,CopperChisel,
WroughtIronChisel,RedSteelChisel,RoseGoldChisel,SteelChisel,
TinChisel,ZincChisel};
Recipes.Saws = new Item[]{BismuthSaw,BismuthBronzeSaw,BlackBronzeSaw,
BlackSteelSaw,BlueSteelSaw,BronzeSaw,CopperSaw,
WroughtIronSaw,RedSteelSaw,RoseGoldSaw,SteelSaw,
TinSaw,ZincSaw};
Recipes.Knives = new Item[]{StoneKnife,BismuthKnife,BismuthBronzeKnife,BlackBronzeKnife,
BlackSteelKnife,BlueSteelKnife,BronzeKnife,CopperKnife,
WroughtIronKnife,RedSteelKnife,RoseGoldKnife,SteelKnife,
TinKnife,ZincKnife};
Recipes.MeltedMetal = new Item[]{BismuthUnshaped, BismuthBronzeUnshaped,BlackBronzeUnshaped,
TFCItems.BlackSteelUnshaped,TFCItems.BlueSteelUnshaped,TFCItems.BrassUnshaped,TFCItems.BronzeUnshaped,
TFCItems.CopperUnshaped,TFCItems.GoldUnshaped,
TFCItems.WroughtIronUnshaped,TFCItems.LeadUnshaped,TFCItems.NickelUnshaped,TFCItems.PigIronUnshaped,
TFCItems.PlatinumUnshaped,TFCItems.RedSteelUnshaped,TFCItems.RoseGoldUnshaped,TFCItems.SilverUnshaped,
TFCItems.SteelUnshaped,TFCItems.SterlingSilverUnshaped,
TFCItems.TinUnshaped,TFCItems.ZincUnshaped, TFCItems.HCSteelUnshaped, TFCItems.WeakSteelUnshaped,
TFCItems.HCBlackSteelUnshaped, TFCItems.HCBlueSteelUnshaped, TFCItems.HCRedSteelUnshaped,
TFCItems.WeakBlueSteelUnshaped, TFCItems.WeakRedSteelUnshaped};
Recipes.Hammers = new Item[]{TFCItems.StoneHammer,TFCItems.BismuthHammer,TFCItems.BismuthBronzeHammer,TFCItems.BlackBronzeHammer,
TFCItems.BlackSteelHammer,TFCItems.BlueSteelHammer,TFCItems.BronzeHammer,TFCItems.CopperHammer,
TFCItems.WroughtIronHammer,TFCItems.RedSteelHammer,TFCItems.RoseGoldHammer,TFCItems.SteelHammer,
TFCItems.TinHammer,TFCItems.ZincHammer};
Recipes.Spindle = new Item[]{TFCItems.Spindle};
Recipes.Gems = new Item[]{TFCItems.GemAgate, TFCItems.GemAmethyst, TFCItems.GemBeryl, TFCItems.GemDiamond, TFCItems.GemEmerald, TFCItems.GemGarnet,
TFCItems.GemJade, TFCItems.GemJasper, TFCItems.GemOpal,TFCItems.GemRuby,TFCItems.GemSapphire,TFCItems.GemTopaz,TFCItems.GemTourmaline};
Meals = new Item[]{MealMoveSpeed, MealDigSpeed, MealDamageBoost, MealJump, MealDamageResist,
MealFireResist, MealWaterBreathing, MealNightVision};
((TFCTabs)TFCTabs.TFCTools).setTabIconItemIndex(TFCItems.SteelHammer.itemID);
((TFCTabs)TFCTabs.TFCMaterials).setTabIconItemIndex(TFCItems.Spindle.itemID);
((TFCTabs)TFCTabs.TFCUnfinished).setTabIconItemIndex(TFCItems.SteelHammerHead.itemID);
((TFCTabs)TFCTabs.TFCArmor).setTabIconItemIndex(TFCItems.SteelHelmet.itemID);
System.out.println(new StringBuilder().append("[TFC] Done Loading Items").toString());
if (config != null) {
config.save();
}
}
| public static void Setup()
{
try
{
config = new net.minecraftforge.common.Configuration(
new File(TerraFirmaCraft.proxy.getMinecraftDir(), "/config/TFC.cfg"));
config.load();
} catch (Exception e) {
System.out.println(new StringBuilder().append("[TFC] Error while trying to access item configuration!").toString());
config = null;
}
IgInToolMaterial = EnumHelper.addToolMaterial("IgIn", 1, IgInStoneUses, 7F, 10, 5);
SedToolMaterial = EnumHelper.addToolMaterial("Sed", 1, SedStoneUses, 6F, 10, 5);
IgExToolMaterial = EnumHelper.addToolMaterial("IgEx", 1, IgExStoneUses, 7F, 10, 5);
MMToolMaterial = EnumHelper.addToolMaterial("MM", 1, MMStoneUses, 6.5F, 10, 5);
BismuthToolMaterial = EnumHelper.addToolMaterial("Bismuth", 2, BismuthUses, BismuthEff, 65, 10);
BismuthBronzeToolMaterial = EnumHelper.addToolMaterial("BismuthBronze", 2, BismuthBronzeUses, BismuthBronzeEff, 85, 10);
BlackBronzeToolMaterial = EnumHelper.addToolMaterial("BlackBronze", 2, BlackBronzeUses, BlackBronzeEff, 100, 10);
BlackSteelToolMaterial = EnumHelper.addToolMaterial("BlackSteel", 2, BlackSteelUses, BlackSteelEff, 165, 12);
BlueSteelToolMaterial = EnumHelper.addToolMaterial("BlueSteel", 3, BlueSteelUses, BlueSteelEff, 185, 22);
BronzeToolMaterial = EnumHelper.addToolMaterial("Bronze", 2, BronzeUses, BronzeEff, 100, 13);
CopperToolMaterial = EnumHelper.addToolMaterial("Copper", 2, CopperUses, CopperEff, 85, 8);
IronToolMaterial = EnumHelper.addToolMaterial("Iron", 2, WroughtIronUses, WroughtIronEff, 135, 10);
RedSteelToolMaterial = EnumHelper.addToolMaterial("RedSteel", 3, RedSteelUses, RedSteelEff, 185, 22);
RoseGoldToolMaterial = EnumHelper.addToolMaterial("RoseGold", 2, RoseGoldUses, RoseGoldEff, 100, 20);
SteelToolMaterial = EnumHelper.addToolMaterial("Steel", 2, SteelUses, SteelEff, 150, 10);
TinToolMaterial = EnumHelper.addToolMaterial("Tin", 2, TinUses, TinEff, 65, 8);
ZincToolMaterial = EnumHelper.addToolMaterial("Zinc", 2, ZincUses, ZincEff, 65, 8);
System.out.println(new StringBuilder().append("[TFC] Loading Items").toString());
//Replace any vanilla Items here
Item.itemsList[Item.coal.itemID] = null; Item.itemsList[Item.coal.itemID] = (new TFC.Items.ItemCoal(7)).setUnlocalizedName("coal");
Item.itemsList[Item.stick.itemID] = null; Item.itemsList[Item.stick.itemID] = new ItemStick(24).setFull3D().setUnlocalizedName("stick");
Item.itemsList[Item.leather.itemID] = null; Item.itemsList[Item.leather.itemID] = new ItemTerra(Item.leather.itemID).setFull3D().setUnlocalizedName("leather");
Item.itemsList[Block.vine.blockID] = new ItemColored(Block.vine.blockID - 256, false);
minecartCrate = (new ItemCustomMinecart(TFC_Settings.getIntFor(config,"item","minecartCrate",16000), 1)).setUnlocalizedName("minecartChest");
Item.itemsList[5+256] = null; Item.itemsList[5+256] = (new ItemCustomBow(5)).setUnlocalizedName("bow");
Item.itemsList[63+256] = null; Item.itemsList[63+256] = new ItemTerra(63).setUnlocalizedName("porkchopRaw");
Item.itemsList[64+256] = null; Item.itemsList[64+256] = new ItemTerraFood(64, 35, 0.8F, true, 38).setFolder("").setUnlocalizedName("porkchopCooked");
Item.itemsList[93+256] = null; Item.itemsList[93+256] = new ItemTerra(93).setUnlocalizedName("fishRaw");
Item.itemsList[94+256] = null; Item.itemsList[94+256] = new ItemTerraFood(94, 30, 0.6F, true, 39).setFolder("").setUnlocalizedName("fishCooked");
Item.itemsList[107+256] = null; Item.itemsList[107+256] = new ItemTerra(107).setUnlocalizedName("beefRaw");
Item.itemsList[108+256] = null; Item.itemsList[108+256] = new ItemTerraFood(108, 40, 0.8F, true, 40).setFolder("").setUnlocalizedName("beefCooked");
Item.itemsList[109+256] = null; Item.itemsList[109+256] = new ItemTerra(109).setUnlocalizedName("chickenRaw");
Item.itemsList[110+256] = null; Item.itemsList[110+256] = new ItemTerraFood(110, 35, 0.6F, true, 41).setFolder("").setUnlocalizedName("chickenCooked");
Item.itemsList[41+256] = null; Item.itemsList[41+256] = (new ItemTerraFood(41, 25, 0.6F, false, 42)).setFolder("").setUnlocalizedName("bread");
Item.itemsList[88+256] = null; Item.itemsList[88+256] = (new ItemTerra(88)).setUnlocalizedName("egg");
Item.itemsList[Item.dyePowder.itemID] = null; Item.itemsList[Item.dyePowder.itemID] = new ItemDyeCustom(95).setUnlocalizedName("dyePowder");
Item.itemsList[Item.potion.itemID] = null; Item.itemsList[Item.potion.itemID] = (new ItemCustomPotion(117)).setUnlocalizedName("potion");
Item.itemsList[Block.tallGrass.blockID] = null; Item.itemsList[Block.tallGrass.blockID] = (new ItemColored(Block.tallGrass.blockID - 256, true)).setBlockNames(new String[] {"shrub", "grass", "fern"});
GoldPan = new ItemGoldPan(TFC_Settings.getIntFor(config,"item","GoldPan",16001)).setUnlocalizedName("GoldPan");
SluiceItem = new ItemSluice(TFC_Settings.getIntFor(config,"item","SluiceItem",16002)).setFolder("devices/").setUnlocalizedName("SluiceItem");
ProPickBismuth = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBismuth",16004)).setUnlocalizedName("Bismuth ProPick").setMaxDamage(BismuthUses);
ProPickBismuthBronze = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBismuthBronze",16005)).setUnlocalizedName("Bismuth Bronze ProPick").setMaxDamage(BismuthBronzeUses);
ProPickBlackBronze = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBlackBronze",16006)).setUnlocalizedName("Black Bronze ProPick").setMaxDamage(BlackBronzeUses);
ProPickBlackSteel = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBlackSteel",16007)).setUnlocalizedName("Black Steel ProPick").setMaxDamage(BlackSteelUses);
ProPickBlueSteel = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBlueSteel",16008)).setUnlocalizedName("Blue Steel ProPick").setMaxDamage(BlueSteelUses);
ProPickBronze = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickBronze",16009)).setUnlocalizedName("Bronze ProPick").setMaxDamage(BronzeUses);
ProPickCopper = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickCopper",16010)).setUnlocalizedName("Copper ProPick").setMaxDamage(CopperUses);
ProPickIron = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickWroughtIron",16012)).setUnlocalizedName("Wrought Iron ProPick").setMaxDamage(WroughtIronUses);
ProPickRedSteel = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickRedSteel",16016)).setUnlocalizedName("Red Steel ProPick").setMaxDamage(RedSteelUses);
ProPickRoseGold = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickRoseGold",16017)).setUnlocalizedName("Rose Gold ProPick").setMaxDamage(RoseGoldUses);
ProPickSteel = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickSteel",16019)).setUnlocalizedName("Steel ProPick").setMaxDamage(SteelUses);
ProPickTin = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickTin",16021)).setUnlocalizedName("Tin ProPick").setMaxDamage(TinUses);
ProPickZinc = new ItemProPick(TFC_Settings.getIntFor(config,"item","ProPickZinc",16022)).setUnlocalizedName("Zinc ProPick").setMaxDamage(ZincUses);
BismuthIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BismuthIngot",16028), EnumMetalType.BISMUTH).setUnlocalizedName("Bismuth Ingot");
BismuthBronzeIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BismuthBronzeIngot",16029), EnumMetalType.BISMUTHBRONZE).setUnlocalizedName("Bismuth Bronze Ingot");
BlackBronzeIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BlackBronzeIngot",16030), EnumMetalType.BLACKBRONZE).setUnlocalizedName("Black Bronze Ingot");
BlackSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BlackSteelIngot",16031), EnumMetalType.BLACKSTEEL).setUnlocalizedName("Black Steel Ingot");
BlueSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BlueSteelIngot",16032), EnumMetalType.BLUESTEEL).setUnlocalizedName("Blue Steel Ingot");
BrassIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BrassIngot",16033), EnumMetalType.BRASS).setUnlocalizedName("Brass Ingot");
BronzeIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","BronzeIngot",16034), EnumMetalType.BRONZE).setUnlocalizedName("Bronze Ingot");
CopperIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","CopperIngot",16035), EnumMetalType.COPPER).setUnlocalizedName("Copper Ingot");
GoldIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","GoldIngot",16036), EnumMetalType.GOLD).setUnlocalizedName("Gold Ingot");
WroughtIronIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","WroughtIronIngot",16037), EnumMetalType.WROUGHTIRON).setUnlocalizedName("Wrought Iron Ingot");
LeadIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","LeadIngot",16038), EnumMetalType.LEAD).setUnlocalizedName("Lead Ingot");
NickelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","NickelIngot",16039), EnumMetalType.NICKEL).setUnlocalizedName("Nickel Ingot");
PigIronIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","PigIronIngot",16040), EnumMetalType.PIGIRON).setUnlocalizedName("Pig Iron Ingot");
PlatinumIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","PlatinumIngot",16041), EnumMetalType.PLATINUM).setUnlocalizedName("Platinum Ingot");
RedSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","RedSteelIngot",16042), EnumMetalType.REDSTEEL).setUnlocalizedName("Red Steel Ingot");
RoseGoldIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","RoseGoldIngot",16043), EnumMetalType.ROSEGOLD).setUnlocalizedName("Rose Gold Ingot");
SilverIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","SilverIngot",16044), EnumMetalType.SILVER).setUnlocalizedName("Silver Ingot");
SteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","SteelIngot",16045), EnumMetalType.STEEL).setUnlocalizedName("Steel Ingot");
SterlingSilverIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","SterlingSilverIngot",16046), EnumMetalType.STERLINGSILVER).setUnlocalizedName("Sterling Silver Ingot");
TinIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","TinIngot",16047), EnumMetalType.TIN).setUnlocalizedName("Tin Ingot");
ZincIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","ZincIngot",16048), EnumMetalType.ZINC).setUnlocalizedName("Zinc Ingot");
BismuthIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BismuthIngot2x",16049), EnumMetalType.BISMUTH).setUnlocalizedName("Bismuth Double Ingot")).setSize(EnumSize.LARGE);
BismuthBronzeIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BismuthBronzeIngot2x",16050), EnumMetalType.BISMUTHBRONZE).setUnlocalizedName("Bismuth Bronze Double Ingot")).setSize(EnumSize.LARGE);
BlackBronzeIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BlackBronzeIngot2x",16051), EnumMetalType.BLACKBRONZE).setUnlocalizedName("Black Bronze Double Ingot")).setSize(EnumSize.LARGE);
BlackSteelIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BlackSteelIngot2x",16052), EnumMetalType.BLACKSTEEL).setUnlocalizedName("Black Steel Double Ingot")).setSize(EnumSize.LARGE);
BlueSteelIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BlueSteelIngot2x",16053), EnumMetalType.BLUESTEEL).setUnlocalizedName("Blue Steel Double Ingot")).setSize(EnumSize.LARGE);
BrassIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BrassIngot2x",16054), EnumMetalType.BRASS).setUnlocalizedName("Brass Double Ingot")).setSize(EnumSize.LARGE);
BronzeIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","BronzeIngot2x",16055), EnumMetalType.BRONZE).setUnlocalizedName("Bronze Double Ingot")).setSize(EnumSize.LARGE);
CopperIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","CopperIngot2x",16056), EnumMetalType.COPPER).setUnlocalizedName("Copper Double Ingot")).setSize(EnumSize.LARGE);
GoldIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","GoldIngot2x",16057), EnumMetalType.GOLD).setUnlocalizedName("Gold Double Ingot")).setSize(EnumSize.LARGE);
WroughtIronIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","WroughtIronIngot2x",16058), EnumMetalType.WROUGHTIRON).setUnlocalizedName("Wrought Iron Double Ingot")).setSize(EnumSize.LARGE);
LeadIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","LeadIngot2x",16059), EnumMetalType.LEAD).setUnlocalizedName("Lead Double Ingot")).setSize(EnumSize.LARGE);
NickelIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","NickelIngot2x",16060), EnumMetalType.NICKEL).setUnlocalizedName("Nickel Double Ingot")).setSize(EnumSize.LARGE);
PigIronIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","PigIronIngot2x",16061), EnumMetalType.PIGIRON).setUnlocalizedName("Pig Iron Double Ingot")).setSize(EnumSize.LARGE);
PlatinumIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","PlatinumIngot2x",16062), EnumMetalType.PLATINUM).setUnlocalizedName("Platinum Double Ingot")).setSize(EnumSize.LARGE);
RedSteelIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","RedSteelIngot2x",16063), EnumMetalType.REDSTEEL).setUnlocalizedName("Red Steel Double Ingot")).setSize(EnumSize.LARGE);
RoseGoldIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","RoseGoldIngot2x",16064), EnumMetalType.ROSEGOLD).setUnlocalizedName("Rose Gold Double Ingot")).setSize(EnumSize.LARGE);
SilverIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","SilverIngot2x",16065), EnumMetalType.SILVER).setUnlocalizedName("Silver Double Ingot")).setSize(EnumSize.LARGE);
SteelIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","SteelIngot2x",16066), EnumMetalType.STEEL).setUnlocalizedName("Steel Double Ingot")).setSize(EnumSize.LARGE);
SterlingSilverIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","SterlingSilverIngot2x",16067), EnumMetalType.STERLINGSILVER).setUnlocalizedName("Sterling Silver Double Ingot")).setSize(EnumSize.LARGE);
TinIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","TinIngot2x",16068), EnumMetalType.TIN).setUnlocalizedName("Tin Double Ingot")).setSize(EnumSize.LARGE);
ZincIngot2x = ((ItemIngot)new ItemIngot(TFC_Settings.getIntFor(config,"item","ZincIngot2x",16069), EnumMetalType.ZINC).setUnlocalizedName("Zinc Double Ingot")).setSize(EnumSize.LARGE);
SulfurPowder = new ItemTerra(TFC_Settings.getIntFor(config,"item","SulfurPowder",16070)).setUnlocalizedName("Sulfur Powder");
SaltpeterPowder = new ItemTerra(TFC_Settings.getIntFor(config,"item","SaltpeterPowder",16071)).setUnlocalizedName("Saltpeter Powder");
GemRuby = new ItemGem(TFC_Settings.getIntFor(config,"item","GemRuby",16080)).setUnlocalizedName("Ruby");
GemSapphire = new ItemGem(TFC_Settings.getIntFor(config,"item","GemSapphire",16081)).setUnlocalizedName("Sapphire");
GemEmerald = new ItemGem(TFC_Settings.getIntFor(config,"item","GemEmerald",16082)).setUnlocalizedName("Emerald");
GemTopaz = new ItemGem(TFC_Settings.getIntFor(config,"item","GemTopaz",16083)).setUnlocalizedName("Topaz");
GemTourmaline = new ItemGem(TFC_Settings.getIntFor(config,"item","GemTourmaline",16084)).setUnlocalizedName("Tourmaline");
GemJade = new ItemGem(TFC_Settings.getIntFor(config,"item","GemJade",16085)).setUnlocalizedName("Jade");
GemBeryl = new ItemGem(TFC_Settings.getIntFor(config,"item","GemBeryl",16086)).setUnlocalizedName("Beryl");
GemAgate = new ItemGem(TFC_Settings.getIntFor(config,"item","GemAgate",16087)).setUnlocalizedName("Agate");
GemOpal = new ItemGem(TFC_Settings.getIntFor(config,"item","GemOpal",16088)).setUnlocalizedName("Opal");
GemGarnet = new ItemGem(TFC_Settings.getIntFor(config,"item","GemGarnet",16089)).setUnlocalizedName("Garnet");
GemJasper = new ItemGem(TFC_Settings.getIntFor(config,"item","GemJasper",16090)).setUnlocalizedName("Jasper");
GemAmethyst = new ItemGem(TFC_Settings.getIntFor(config,"item","GemAmethyst",16091)).setUnlocalizedName("Amethyst");
GemDiamond = new ItemGem(TFC_Settings.getIntFor(config,"item","GemDiamond",16092)).setUnlocalizedName("Diamond");
//Tools
IgInShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","IgInShovel",16101),IgInToolMaterial).setUnlocalizedName("Stone Shovel").setMaxDamage(IgInStoneUses);
IgInAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","IgInAxe",16102),IgInToolMaterial).setUnlocalizedName("Stone Axe").setMaxDamage(IgInStoneUses);
IgInHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","IgInHoe",16103),IgInToolMaterial).setUnlocalizedName("Stone Hoe").setMaxDamage(IgInStoneUses);
SedShovel= new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","SedShovel",16105),SedToolMaterial).setUnlocalizedName("Stone Shovel").setMaxDamage(SedStoneUses);
SedAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","SedAxe",16106),SedToolMaterial).setUnlocalizedName("Stone Axe").setMaxDamage(SedStoneUses);
SedHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","SedHoe",16107),SedToolMaterial).setUnlocalizedName("Stone Hoe").setMaxDamage(SedStoneUses);
IgExShovel= new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","IgExShovel",16109),IgExToolMaterial).setUnlocalizedName("Stone Shovel").setMaxDamage(IgExStoneUses);
IgExAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","IgExAxe",16110),IgExToolMaterial).setUnlocalizedName("Stone Axe").setMaxDamage(IgExStoneUses);
IgExHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","IgExHoe",16111),IgExToolMaterial).setUnlocalizedName("Stone Hoe").setMaxDamage(IgExStoneUses);
MMShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","MMShovel",16113),MMToolMaterial).setUnlocalizedName("Stone Shovel").setMaxDamage(MMStoneUses);
MMAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","MMAxe",16114),MMToolMaterial).setUnlocalizedName("Stone Axe").setMaxDamage(MMStoneUses);
MMHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","MMHoe",16115),MMToolMaterial).setUnlocalizedName("Stone Hoe").setMaxDamage(MMStoneUses);
BismuthPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BismuthPick",16116),BismuthToolMaterial).setUnlocalizedName("Bismuth Pick").setMaxDamage(BismuthUses);
BismuthShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BismuthShovel",16117),BismuthToolMaterial).setUnlocalizedName("Bismuth Shovel").setMaxDamage(BismuthUses);
BismuthAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BismuthAxe",16118),BismuthToolMaterial).setUnlocalizedName("Bismuth Axe").setMaxDamage(BismuthUses);
BismuthHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BismuthHoe",16119),BismuthToolMaterial).setUnlocalizedName("Bismuth Hoe").setMaxDamage(BismuthUses);
BismuthBronzePick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BismuthBronzePick",16120),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Pick").setMaxDamage(BismuthBronzeUses);
BismuthBronzeShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BismuthBronzeShovel",16121),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Shovel").setMaxDamage(BismuthBronzeUses);
BismuthBronzeAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BismuthBronzeAxe",16122),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Axe").setMaxDamage(BismuthBronzeUses);
BismuthBronzeHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BismuthBronzeHoe",16123),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Hoe").setMaxDamage(BismuthBronzeUses);
BlackBronzePick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BlackBronzePick",16124),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Pick").setMaxDamage(BlackBronzeUses);
BlackBronzeShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BlackBronzeShovel",16125),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Shovel").setMaxDamage(BlackBronzeUses);
BlackBronzeAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BlackBronzeAxe",16126),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Axe").setMaxDamage(BlackBronzeUses);
BlackBronzeHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BlackBronzeHoe",16127),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Hoe").setMaxDamage(BlackBronzeUses);
BlackSteelPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BlackSteelPick",16128),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Pick").setMaxDamage(BlackSteelUses);
BlackSteelShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BlackSteelShovel",16129),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Shovel").setMaxDamage(BlackSteelUses);
BlackSteelAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BlackSteelAxe",16130),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Axe").setMaxDamage(BlackSteelUses);
BlackSteelHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BlackSteelHoe",16131),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Hoe").setMaxDamage(BlackSteelUses);
BlueSteelPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BlueSteelPick",16132),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Pick").setMaxDamage(BlueSteelUses);
BlueSteelShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BlueSteelShovel",16133),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Shovel").setMaxDamage(BlueSteelUses);
BlueSteelAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BlueSteelAxe",16134),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Axe").setMaxDamage(BlueSteelUses);
BlueSteelHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BlueSteelHoe",16135),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Hoe").setMaxDamage(BlueSteelUses);
BronzePick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","BronzePick",16136),BronzeToolMaterial).setUnlocalizedName("Bronze Pick").setMaxDamage(BronzeUses);
BronzeShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","BronzeShovel",16137),BronzeToolMaterial).setUnlocalizedName("Bronze Shovel").setMaxDamage(BronzeUses);
BronzeAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","BronzeAxe",16138),BronzeToolMaterial).setUnlocalizedName("Bronze Axe").setMaxDamage(BronzeUses);
BronzeHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","BronzeHoe",16139),BronzeToolMaterial).setUnlocalizedName("Bronze Hoe").setMaxDamage(BronzeUses);
CopperPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","CopperPick",16140),CopperToolMaterial).setUnlocalizedName("Copper Pick").setMaxDamage(CopperUses);
CopperShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","CopperShovel",16141),CopperToolMaterial).setUnlocalizedName("Copper Shovel").setMaxDamage(CopperUses);
CopperAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","CopperAxe",16142),CopperToolMaterial).setUnlocalizedName("Copper Axe").setMaxDamage(CopperUses);
CopperHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","CopperHoe",16143),CopperToolMaterial).setUnlocalizedName("Copper Hoe").setMaxDamage(CopperUses);
WroughtIronPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","WroughtIronPick",16148),IronToolMaterial).setUnlocalizedName("Wrought Iron Pick").setMaxDamage(WroughtIronUses);
WroughtIronShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","WroughtIronShovel",16149),IronToolMaterial).setUnlocalizedName("Wrought Iron Shovel").setMaxDamage(WroughtIronUses);
WroughtIronAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","WroughtIronAxe",16150),IronToolMaterial).setUnlocalizedName("Wrought Iron Axe").setMaxDamage(WroughtIronUses);
WroughtIronHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","WroughtIronHoe",16151),IronToolMaterial).setUnlocalizedName("Wrought Iron Hoe").setMaxDamage(WroughtIronUses);;
RedSteelPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","RedSteelPick",16168),RedSteelToolMaterial).setUnlocalizedName("Red Steel Pick").setMaxDamage(RedSteelUses);
RedSteelShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","RedSteelShovel",16169),RedSteelToolMaterial).setUnlocalizedName("Red Steel Shovel").setMaxDamage(RedSteelUses);
RedSteelAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","RedSteelAxe",16170),RedSteelToolMaterial).setUnlocalizedName("Red Steel Axe").setMaxDamage(RedSteelUses);
RedSteelHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","RedSteelHoe",16171),RedSteelToolMaterial).setUnlocalizedName("Red Steel Hoe").setMaxDamage(RedSteelUses);
RoseGoldPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","RoseGoldPick",16172),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Pick").setMaxDamage(RoseGoldUses);
RoseGoldShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","RoseGoldShovel",16173),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Shovel").setMaxDamage(RoseGoldUses);
RoseGoldAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","RoseGoldAxe",16174),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Axe").setMaxDamage(RoseGoldUses);
RoseGoldHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","RoseGoldHoe",16175),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Hoe").setMaxDamage(RoseGoldUses);
SteelPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","SteelPick",16180),SteelToolMaterial).setUnlocalizedName("Steel Pick").setMaxDamage(SteelUses);
SteelShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","SteelShovel",16181),SteelToolMaterial).setUnlocalizedName("Steel Shovel").setMaxDamage(SteelUses);
SteelAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","SteelAxe",16182),SteelToolMaterial).setUnlocalizedName("Steel Axe").setMaxDamage(SteelUses);
SteelHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","SteelHoe",16183),SteelToolMaterial).setUnlocalizedName("Steel Hoe").setMaxDamage(SteelUses);
TinPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","TinPick",16188),TinToolMaterial).setUnlocalizedName("Tin Pick").setMaxDamage(TinUses);
TinShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","TinShovel",16189),TinToolMaterial).setUnlocalizedName("Tin Shovel").setMaxDamage(TinUses);
TinAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","TinAxe",16190),TinToolMaterial).setUnlocalizedName("Tin Axe").setMaxDamage(TinUses);
TinHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","TinHoe",16191),TinToolMaterial).setUnlocalizedName("Tin Hoe").setMaxDamage(TinUses);
ZincPick = new ItemCustomPickaxe(TFC_Settings.getIntFor(config,"item","ZincPick",16192),ZincToolMaterial).setUnlocalizedName("Zinc Pick").setMaxDamage(ZincUses);
ZincShovel = new ItemCustomShovel(TFC_Settings.getIntFor(config,"item","ZincShovel",16193),ZincToolMaterial).setUnlocalizedName("Zinc Shovel").setMaxDamage(ZincUses);
ZincAxe = new ItemCustomAxe(TFC_Settings.getIntFor(config,"item","ZincAxe",16194),ZincToolMaterial).setUnlocalizedName("Zinc Axe").setMaxDamage(ZincUses);
ZincHoe = new ItemCustomHoe(TFC_Settings.getIntFor(config,"item","ZincHoe",16195),ZincToolMaterial).setUnlocalizedName("Zinc Hoe").setMaxDamage(ZincUses);
//chisels
BismuthChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BismuthChisel",16226),BismuthToolMaterial).setUnlocalizedName("Bismuth Chisel").setMaxDamage(BismuthUses);
BismuthBronzeChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BismuthBronzeChisel",16227),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Chisel").setMaxDamage(BismuthBronzeUses);
BlackBronzeChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BlackBronzeChisel",16228),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Chisel").setMaxDamage(BlackBronzeUses);
BlackSteelChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BlackSteelChisel",16230),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Chisel").setMaxDamage(BlackSteelUses);
BlueSteelChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BlueSteelChisel",16231),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Chisel").setMaxDamage(BlueSteelUses);
BronzeChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","BronzeChisel",16232),BronzeToolMaterial).setUnlocalizedName("Bronze Chisel").setMaxDamage(BronzeUses);
CopperChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","CopperChisel",16233),CopperToolMaterial).setUnlocalizedName("Copper Chisel").setMaxDamage(CopperUses);
WroughtIronChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","WroughtIronChisel",16234),IronToolMaterial).setUnlocalizedName("Wrought Iron Chisel").setMaxDamage(WroughtIronUses);
RedSteelChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","RedSteelChisel",16235),RedSteelToolMaterial).setUnlocalizedName("Red Steel Chisel").setMaxDamage(RedSteelUses);
RoseGoldChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","RoseGoldChisel",16236),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Chisel").setMaxDamage(RoseGoldUses);
SteelChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","SteelChisel",16237),SteelToolMaterial).setUnlocalizedName("Steel Chisel").setMaxDamage(SteelUses);
TinChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","TinChisel",16238),TinToolMaterial).setUnlocalizedName("Tin Chisel").setMaxDamage(TinUses);
ZincChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","ZincChisel",16239),ZincToolMaterial).setUnlocalizedName("Zinc Chisel").setMaxDamage(ZincUses);
StoneChisel = new ItemChisel(TFC_Settings.getIntFor(config,"item","StoneChisel",16240),IgInToolMaterial).setUnlocalizedName("Stone Chisel").setMaxDamage(IgInStoneUses);
BismuthSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BismuthSword",16245),BismuthToolMaterial).setUnlocalizedName("Bismuth Sword").setMaxDamage(BismuthUses);
BismuthBronzeSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BismuthBronzeSword",16246),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Sword").setMaxDamage(BismuthBronzeUses);
BlackBronzeSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlackBronzeSword",16247),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Sword").setMaxDamage(BlackBronzeUses);
BlackSteelSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlackSteelSword",16248),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Sword").setMaxDamage(BlackSteelUses);
BlueSteelSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlueSteelSword",16249),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Sword").setMaxDamage(BlueSteelUses);
BronzeSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BronzeSword",16250),BronzeToolMaterial).setUnlocalizedName("Bronze Sword").setMaxDamage(BronzeUses);
CopperSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","CopperSword",16251),CopperToolMaterial).setUnlocalizedName("Copper Sword").setMaxDamage(CopperUses);
WroughtIronSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","WroughtIronSword",16252),IronToolMaterial).setUnlocalizedName("Wrought Iron Sword").setMaxDamage(WroughtIronUses);
RedSteelSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","RedSteelSword",16253),RedSteelToolMaterial).setUnlocalizedName("Red Steel Sword").setMaxDamage(RedSteelUses);
RoseGoldSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","RoseGoldSword",16254),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Sword").setMaxDamage(RoseGoldUses);
SteelSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","SteelSword",16255),SteelToolMaterial).setUnlocalizedName("Steel Sword").setMaxDamage(SteelUses);
TinSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","TinSword",16256),TinToolMaterial).setUnlocalizedName("Tin Sword").setMaxDamage(TinUses);
ZincSword = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","ZincSword",16257),ZincToolMaterial).setUnlocalizedName("Zinc Sword").setMaxDamage(ZincUses);
BismuthMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BismuthMace",16262),BismuthToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Bismuth Mace").setMaxDamage(BismuthUses);
BismuthBronzeMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BismuthBronzeMace",16263),BismuthBronzeToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Bismuth Bronze Mace").setMaxDamage(BismuthBronzeUses);
BlackBronzeMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlackBronzeMace",16264),BlackBronzeToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Black Bronze Mace").setMaxDamage(BlackBronzeUses);
BlackSteelMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlackSteelMace",16265),BlackSteelToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Black Steel Mace").setMaxDamage(BlackSteelUses);
BlueSteelMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BlueSteelMace",16266),BlueSteelToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Blue Steel Mace").setMaxDamage(BlueSteelUses);
BronzeMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","BronzeMace",16267),BronzeToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Bronze Mace").setMaxDamage(BronzeUses);
CopperMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","CopperMace",16268),CopperToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Copper Mace").setMaxDamage(CopperUses);
WroughtIronMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","WroughtIronMace",16269),IronToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Wrought Iron Mace").setMaxDamage(WroughtIronUses);
RedSteelMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","RedSteelMace",16270),RedSteelToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Red Steel Mace").setMaxDamage(RedSteelUses);
RoseGoldMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","RoseGoldMace",16271),RoseGoldToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Rose Gold Mace").setMaxDamage(RoseGoldUses);
SteelMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","SteelMace",16272),SteelToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Steel Mace").setMaxDamage(SteelUses);
TinMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","TinMace",16273),TinToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Tin Mace").setMaxDamage(TinUses);
ZincMace = new ItemCustomSword(TFC_Settings.getIntFor(config,"item","ZincMace",16274),ZincToolMaterial, EnumDamageType.CRUSHING).setUnlocalizedName("Zinc Mace").setMaxDamage(ZincUses);
BismuthSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BismuthSaw",16275),BismuthToolMaterial).setUnlocalizedName("Bismuth Saw").setMaxDamage(BismuthUses);
BismuthBronzeSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BismuthBronzeSaw",16276),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Saw").setMaxDamage(BismuthBronzeUses);
BlackBronzeSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BlackBronzeSaw",16277),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Saw").setMaxDamage(BlackBronzeUses);
BlackSteelSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BlackSteelSaw",16278),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Saw").setMaxDamage(BlackSteelUses);
BlueSteelSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BlueSteelSaw",16279),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Saw").setMaxDamage(BlueSteelUses);
BronzeSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","BronzeSaw",16280),BronzeToolMaterial).setUnlocalizedName("Bronze Saw").setMaxDamage(BronzeUses);
CopperSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","CopperSaw",16281),CopperToolMaterial).setUnlocalizedName("Copper Saw").setMaxDamage(CopperUses);
WroughtIronSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","WroughtIronSaw",16282),IronToolMaterial).setUnlocalizedName("Wrought Iron Saw").setMaxDamage(WroughtIronUses);
RedSteelSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","RedSteelSaw",16283),RedSteelToolMaterial).setUnlocalizedName("Red Steel Saw").setMaxDamage(RedSteelUses);
RoseGoldSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","RoseGoldSaw",16284),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Saw").setMaxDamage(RoseGoldUses);
SteelSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","SteelSaw",16285),SteelToolMaterial).setUnlocalizedName("Steel Saw").setMaxDamage(SteelUses);
TinSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","TinSaw",16286),TinToolMaterial).setUnlocalizedName("Tin Saw").setMaxDamage(TinUses);
ZincSaw = new ItemCustomSaw(TFC_Settings.getIntFor(config,"item","ZincSaw",16287),ZincToolMaterial).setUnlocalizedName("Zinc Saw").setMaxDamage(ZincUses);
HCBlackSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","HCBlackSteelIngot",16290), EnumMetalType.BLACKSTEEL).setUnlocalizedName("HC Black Steel Ingot");
WeakBlueSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","WeakBlueSteelIngot",16291),EnumMetalType.BLUESTEEL).setUnlocalizedName("Weak Blue Steel Ingot");
WeakRedSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","WeakRedSteelIngot",16292),EnumMetalType.REDSTEEL).setUnlocalizedName("Weak Red Steel Ingot");
WeakSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","WeakSteelIngot",16293),EnumMetalType.STEEL).setUnlocalizedName("Weak Steel Ingot");
HCBlueSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","HCBlueSteelIngot",16294), EnumMetalType.BLUESTEEL).setUnlocalizedName("HC Blue Steel Ingot");
HCRedSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","HCRedSteelIngot",16295), EnumMetalType.REDSTEEL).setUnlocalizedName("HC Red Steel Ingot");
HCSteelIngot = new ItemIngot(TFC_Settings.getIntFor(config,"item","HCSteelIngot",16296), EnumMetalType.STEEL).setUnlocalizedName("HC Steel Ingot");
OreChunk = new ItemOre(TFC_Settings.getIntFor(config,"item","OreChunk",16297)).setFolder("ore/").setUnlocalizedName("Ore");
Logs = new ItemLogs(TFC_Settings.getIntFor(config,"item","Logs",16298)).setUnlocalizedName("Log");
Javelin = new ItemJavelin(TFC_Settings.getIntFor(config,"item","javelin",16318)).setUnlocalizedName("javelin");
BismuthUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBismuth",16350)).setUnlocalizedName("Bismuth Unshaped");
BismuthBronzeUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBismuthBronze",16351)).setUnlocalizedName("Bismuth Bronze Unshaped");
BlackBronzeUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBlackBronze",16352)).setUnlocalizedName("Black Bronze Unshaped");
BlackSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBlackSteel",16353)).setUnlocalizedName("Black Steel Unshaped");
BlueSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBlueSteel",16354)).setUnlocalizedName("Blue Steel Unshaped");
BrassUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBrass",16355)).setUnlocalizedName("Brass Unshaped");
BronzeUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedBronze",16356)).setUnlocalizedName("Bronze Unshaped");
CopperUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedCopper",16357)).setUnlocalizedName("Copper Unshaped");
GoldUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedGold",16358)).setUnlocalizedName("Gold Unshaped");
WroughtIronUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedIron",16359)).setUnlocalizedName("Wrought Iron Unshaped");
LeadUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedLead",16360)).setUnlocalizedName("Lead Unshaped");
NickelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedNickel",16361)).setUnlocalizedName("Nickel Unshaped");
PigIronUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedPigIron",16362)).setUnlocalizedName("Pig Iron Unshaped");
PlatinumUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedPlatinum",16363)).setUnlocalizedName("Platinum Unshaped");
RedSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedRedSteel",16364)).setUnlocalizedName("Red Steel Unshaped");
RoseGoldUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedRoseGold",16365)).setUnlocalizedName("Rose Gold Unshaped");
SilverUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedSilver",16366)).setUnlocalizedName("Silver Unshaped");
SteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedSteel",16367)).setUnlocalizedName("Steel Unshaped");
SterlingSilverUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedSterlingSilver",16368)).setUnlocalizedName("Sterling Silver Unshaped");
TinUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedTin",16369)).setUnlocalizedName("Tin Unshaped");
ZincUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedZinc",16370)).setUnlocalizedName("Zinc Unshaped");
//Hammers
StoneHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","StoneHammer",16371),TFCItems.IgInToolMaterial).setUnlocalizedName("Stone Hammer").setMaxDamage(TFCItems.IgInStoneUses);
BismuthHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BismuthHammer",16372),TFCItems.BismuthToolMaterial).setUnlocalizedName("Bismuth Hammer").setMaxDamage(TFCItems.BismuthUses);
BismuthBronzeHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BismuthBronzeHammer",16373),TFCItems.BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Hammer").setMaxDamage(TFCItems.BismuthBronzeUses);
BlackBronzeHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BlackBronzeHammer",16374),TFCItems.BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Hammer").setMaxDamage(TFCItems.BlackBronzeUses);
BlackSteelHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BlackSteelHammer",16375),TFCItems.BlackSteelToolMaterial).setUnlocalizedName("Black Steel Hammer").setMaxDamage(TFCItems.BlackSteelUses);
BlueSteelHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BlueSteelHammer",16376),TFCItems.BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Hammer").setMaxDamage(TFCItems.BlueSteelUses);
BronzeHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","BronzeHammer",16377),TFCItems.BronzeToolMaterial).setUnlocalizedName("Bronze Hammer").setMaxDamage(TFCItems.BronzeUses);
CopperHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","CopperHammer",16378),TFCItems.CopperToolMaterial).setUnlocalizedName("Copper Hammer").setMaxDamage(TFCItems.CopperUses);
WroughtIronHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","WroughtIronHammer",16379),TFCItems.IronToolMaterial).setUnlocalizedName("Wrought Iron Hammer").setMaxDamage(TFCItems.WroughtIronUses);
RedSteelHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","RedSteelHammer",16380),TFCItems.RedSteelToolMaterial).setUnlocalizedName("Red Steel Hammer").setMaxDamage(TFCItems.RedSteelUses);
RoseGoldHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","RoseGoldHammer",16381),TFCItems.RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Hammer").setMaxDamage(TFCItems.RoseGoldUses);
SteelHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","SteelHammer",16382),TFCItems.SteelToolMaterial).setUnlocalizedName("Steel Hammer").setMaxDamage(TFCItems.SteelUses);
TinHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","TinHammer",16383),TFCItems.TinToolMaterial).setUnlocalizedName("Tin Hammer").setMaxDamage(TFCItems.TinUses);
ZincHammer = new ItemHammer(TFC_Settings.getIntFor(config,"item","ZincHammer",16384),TFCItems.ZincToolMaterial).setUnlocalizedName("Zinc Hammer").setMaxDamage(TFCItems.ZincUses);
Ink = new ItemTerra(TFC_Settings.getIntFor(config,"item","Ink",16391)).setUnlocalizedName("Ink");
BellowsItem = new ItemBellows(TFC_Settings.getIntFor(config,"item","BellowsItem",16406)).setUnlocalizedName("Bellows");
FireStarter = new ItemFirestarter(TFC_Settings.getIntFor(config,"item","FireStarter",16407)).setFolder("tools/").setUnlocalizedName("Firestarter");
//Tool heads
BismuthPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthPickaxeHead",16500)).setUnlocalizedName("Bismuth Pick Head");
BismuthBronzePickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzePickaxeHead",16501)).setUnlocalizedName("Bismuth Bronze Pick Head");
BlackBronzePickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzePickaxeHead",16502)).setUnlocalizedName("Black Bronze Pick Head");
BlackSteelPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelPickaxeHead",16503)).setUnlocalizedName("Black Steel Pick Head");
BlueSteelPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelPickaxeHead",16504)).setUnlocalizedName("Blue Steel Pick Head");
BronzePickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzePickaxeHead",16505)).setUnlocalizedName("Bronze Pick Head");
CopperPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperPickaxeHead",16506)).setUnlocalizedName("Copper Pick Head");
WroughtIronPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronPickaxeHead",16507)).setUnlocalizedName("Wrought Iron Pick Head");
RedSteelPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelPickaxeHead",16508)).setUnlocalizedName("Red Steel Pick Head");
RoseGoldPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldPickaxeHead",16509)).setUnlocalizedName("Rose Gold Pick Head");
SteelPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelPickaxeHead",16510)).setUnlocalizedName("Steel Pick Head");
TinPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinPickaxeHead",16511)).setUnlocalizedName("Tin Pick Head");
ZincPickaxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincPickaxeHead",16512)).setUnlocalizedName("Zinc Pick Head");
BismuthShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthShovelHead",16513)).setUnlocalizedName("Bismuth Shovel Head");
BismuthBronzeShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeShovelHead",16514)).setUnlocalizedName("Bismuth Bronze Shovel Head");
BlackBronzeShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeShovelHead",16515)).setUnlocalizedName("Black Bronze Shovel Head");
BlackSteelShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelShovelHead",16516)).setUnlocalizedName("Black Steel Shovel Head");
BlueSteelShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelShovelHead",16517)).setUnlocalizedName("Blue Steel Shovel Head");
BronzeShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeShovelHead",16518)).setUnlocalizedName("Bronze Shovel Head");
CopperShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperShovelHead",16519)).setUnlocalizedName("Copper Shovel Head");
WroughtIronShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronShovelHead",16520)).setUnlocalizedName("Wrought Iron Shovel Head");
RedSteelShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelShovelHead",16521)).setUnlocalizedName("Red Steel Shovel Head");
RoseGoldShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldShovelHead",16522)).setUnlocalizedName("Rose Gold Shovel Head");
SteelShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelShovelHead",16523)).setUnlocalizedName("Steel Shovel Head");
TinShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinShovelHead",16524)).setUnlocalizedName("Tin Shovel Head");
ZincShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincShovelHead",16525)).setUnlocalizedName("Zinc Shovel Head");
BismuthHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthHoeHead",16526)).setUnlocalizedName("Bismuth Hoe Head");
BismuthBronzeHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeHoeHead",16527)).setUnlocalizedName("Bismuth Bronze Hoe Head");
BlackBronzeHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeHoeHead",16528)).setUnlocalizedName("Black Bronze Hoe Head");
BlackSteelHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelHoeHead",16529)).setUnlocalizedName("Black Steel Hoe Head");
BlueSteelHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelHoeHead",16530)).setUnlocalizedName("Blue Steel Hoe Head");
BronzeHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeHoeHead",16531)).setUnlocalizedName("Bronze Hoe Head");
CopperHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperHoeHead",16532)).setUnlocalizedName("Copper Hoe Head");
WroughtIronHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronHoeHead",16533)).setUnlocalizedName("Wrought Iron Hoe Head");
RedSteelHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelHoeHead",16534)).setUnlocalizedName("Red Steel Hoe Head");
RoseGoldHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldHoeHead",16535)).setUnlocalizedName("Rose Gold Hoe Head");
SteelHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelHoeHead",16536)).setUnlocalizedName("Steel Hoe Head");
TinHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinHoeHead",16537)).setUnlocalizedName("Tin Hoe Head");
ZincHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincHoeHead",16538)).setUnlocalizedName("Zinc Hoe Head");
BismuthAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthAxeHead",16539)).setUnlocalizedName("Bismuth Axe Head");
BismuthBronzeAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeAxeHead",16540)).setUnlocalizedName("Bismuth Bronze Axe Head");
BlackBronzeAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeAxeHead",16541)).setUnlocalizedName("Black Bronze Axe Head");
BlackSteelAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelAxeHead",16542)).setUnlocalizedName("Black Steel Axe Head");
BlueSteelAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelAxeHead",16543)).setUnlocalizedName("Blue Steel Axe Head");
BronzeAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeAxeHead",16544)).setUnlocalizedName("Bronze Axe Head");
CopperAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperAxeHead",16545)).setUnlocalizedName("Copper Axe Head");
WroughtIronAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronAxeHead",16546)).setUnlocalizedName("Wrought Iron Axe Head");
RedSteelAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelAxeHead",16547)).setUnlocalizedName("Red Steel Axe Head");
RoseGoldAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldAxeHead",16548)).setUnlocalizedName("Rose Gold Axe Head");
SteelAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelAxeHead",16549)).setUnlocalizedName("Steel Axe Head");
TinAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinAxeHead",16550)).setUnlocalizedName("Tin Axe Head");
ZincAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincAxeHead",16551)).setUnlocalizedName("Zinc Axe Head");
BismuthHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthHammerHead",16552)).setUnlocalizedName("Bismuth Hammer Head");
BismuthBronzeHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeHammerHead",16553)).setUnlocalizedName("Bismuth Bronze Hammer Head");
BlackBronzeHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeHammerHead",16554)).setUnlocalizedName("Black Bronze Hammer Head");
BlackSteelHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelHammerHead",16555)).setUnlocalizedName("Black Steel Hammer Head");
BlueSteelHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelHammerHead",16556)).setUnlocalizedName("Blue Steel Hammer Head");
BronzeHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeHammerHead",16557)).setUnlocalizedName("Bronze Hammer Head");
CopperHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperHammerHead",16558)).setUnlocalizedName("Copper Hammer Head");
WroughtIronHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronHammerHead",16559)).setUnlocalizedName("Wrought Iron Hammer Head");
RedSteelHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelHammerHead",16560)).setUnlocalizedName("Red Steel Hammer Head");
RoseGoldHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldHammerHead",16561)).setUnlocalizedName("Rose Gold Hammer Head");
SteelHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelHammerHead",16562)).setUnlocalizedName("Steel Hammer Head");
TinHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinHammerHead",16563)).setUnlocalizedName("Tin Hammer Head");
ZincHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincHammerHead",16564)).setUnlocalizedName("Zinc Hammer Head");
//chisel heads
BismuthChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthChiselHead",16565)).setUnlocalizedName("Bismuth Chisel Head");
BismuthBronzeChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeChiselHead",16566)).setUnlocalizedName("Bismuth Bronze Chisel Head");
BlackBronzeChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeChiselHead",16567)).setUnlocalizedName("Black Bronze Chisel Head");
BlackSteelChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelChiselHead",16568)).setUnlocalizedName("Black Steel Chisel Head");
BlueSteelChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelChiselHead",16569)).setUnlocalizedName("Blue Steel Chisel Head");
BronzeChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeChiselHead",16570)).setUnlocalizedName("Bronze Chisel Head");
CopperChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperChiselHead",16571)).setUnlocalizedName("Copper Chisel Head");
WroughtIronChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronChiselHead",16572)).setUnlocalizedName("Wrought Iron Chisel Head");
RedSteelChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelChiselHead",16573)).setUnlocalizedName("Red Steel Chisel Head");
RoseGoldChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldChiselHead",16574)).setUnlocalizedName("Rose Gold Chisel Head");
SteelChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelChiselHead",16575)).setUnlocalizedName("Steel Chisel Head");
TinChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinChiselHead",16576)).setUnlocalizedName("Tin Chisel Head");
ZincChiselHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincChiselHead",16577)).setUnlocalizedName("Zinc Chisel Head");
BismuthSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthSwordHead",16578)).setUnlocalizedName("Bismuth Sword Blade");
BismuthBronzeSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeSwordHead",16579)).setUnlocalizedName("Bismuth Bronze Sword Blade");
BlackBronzeSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeSwordHead",16580)).setUnlocalizedName("Black Bronze Sword Blade");
BlackSteelSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelSwordHead",16581)).setUnlocalizedName("Black Steel Sword Blade");
BlueSteelSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelSwordHead",16582)).setUnlocalizedName("Blue Steel Sword Blade");
BronzeSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeSwordHead",16583)).setUnlocalizedName("Bronze Sword Blade");
CopperSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperSwordHead",16584)).setUnlocalizedName("Copper Sword Blade");
WroughtIronSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronSwordHead",16585)).setUnlocalizedName("Wrought Iron Sword Blade");
RedSteelSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelSwordHead",16586)).setUnlocalizedName("Red Steel Sword Blade");
RoseGoldSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldSwordHead",16587)).setUnlocalizedName("Rose Gold Sword Blade");
SteelSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelSwordHead",16588)).setUnlocalizedName("Steel Sword Blade");
TinSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinSwordHead",16589)).setUnlocalizedName("Tin Sword Blade");
ZincSwordHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincSwordHead",16590)).setUnlocalizedName("Zinc Sword Blade");
BismuthMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthMaceHead",16591)).setUnlocalizedName("Bismuth Mace Head");
BismuthBronzeMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeMaceHead",16592)).setUnlocalizedName("Bismuth Bronze Mace Head");
BlackBronzeMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeMaceHead",16593)).setUnlocalizedName("Black Bronze Mace Head");
BlackSteelMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelMaceHead",16594)).setUnlocalizedName("Black Steel Mace Head");
BlueSteelMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelMaceHead",16595)).setUnlocalizedName("Blue Steel Mace Head");
BronzeMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeMaceHead",16596)).setUnlocalizedName("Bronze Mace Head");
CopperMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperMaceHead",16597)).setUnlocalizedName("Copper Mace Head");
WroughtIronMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronMaceHead",16598)).setUnlocalizedName("Wrought Iron Mace Head");
RedSteelMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelMaceHead",16599)).setUnlocalizedName("Red Steel Mace Head");
RoseGoldMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldMaceHead",16600)).setUnlocalizedName("Rose Gold Mace Head");
SteelMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelMaceHead",16601)).setUnlocalizedName("Steel Mace Head");
TinMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinMaceHead",16602)).setUnlocalizedName("Tin Mace Head");
ZincMaceHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincMaceHead",16603)).setUnlocalizedName("Zinc Mace Head");
BismuthSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthSawHead",16604)).setUnlocalizedName("Bismuth Saw Blade");
BismuthBronzeSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeSawHead",16605)).setUnlocalizedName("Bismuth Bronze Saw Blade");
BlackBronzeSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeSawHead",16606)).setUnlocalizedName("Black Bronze Saw Blade");
BlackSteelSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelSawHead",16607)).setUnlocalizedName("Black Steel Saw Blade");
BlueSteelSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelSawHead",16608)).setUnlocalizedName("Blue Steel Saw Blade");
BronzeSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeSawHead",16609)).setUnlocalizedName("Bronze Saw Blade");
CopperSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperSawHead",16610)).setUnlocalizedName("Copper Saw Blade");
WroughtIronSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronSawHead",16611)).setUnlocalizedName("Wrought Iron Saw Blade");
RedSteelSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelSawHead",16612)).setUnlocalizedName("Red Steel Saw Blade");
RoseGoldSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldSawHead",16613)).setUnlocalizedName("Rose Gold Saw Blade");
SteelSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelSawHead",16614)).setUnlocalizedName("Steel Saw Blade");
TinSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinSawHead",16615)).setUnlocalizedName("Tin Saw Blade");
ZincSawHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincSawHead",16616)).setUnlocalizedName("Zinc Saw Blade");
HCBlackSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedHCBlackSteel",16617)).setUnlocalizedName("HC Black Steel Unshaped");
WeakBlueSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedWeakBlueSteel",16618)).setUnlocalizedName("Weak Blue Steel Unshaped");
HCBlueSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedHCBlueSteel",16619)).setUnlocalizedName("HC Blue Steel Unshaped");
WeakRedSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedWeakRedSteel",16621)).setUnlocalizedName("Weak Red Steel Unshaped");
HCRedSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedHCRedSteel",16622)).setUnlocalizedName("HC Red Steel Unshaped");
WeakSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedWeakSteel",16623)).setUnlocalizedName("Weak Steel Unshaped");
HCSteelUnshaped = new ItemMeltedMetal(TFC_Settings.getIntFor(config,"item","UnshapedHCSteel",16624)).setUnlocalizedName("HC Steel Unshaped");
Coke = (new ItemTerra(TFC_Settings.getIntFor(config,"item","Coke",16625)).setUnlocalizedName("Coke"));
BismuthProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthProPickHead",16626)).setUnlocalizedName("Bismuth ProPick Head");
BismuthBronzeProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeProPickHead",16627)).setUnlocalizedName("Bismuth Bronze ProPick Head");
BlackBronzeProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeProPickHead",16628)).setUnlocalizedName("Black Bronze ProPick Head");
BlackSteelProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelProPickHead",16629)).setUnlocalizedName("Black Steel ProPick Head");
BlueSteelProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelProPickHead",16630)).setUnlocalizedName("Blue Steel ProPick Head");
BronzeProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeProPickHead",16631)).setUnlocalizedName("Bronze ProPick Head");
CopperProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperProPickHead",16632)).setUnlocalizedName("Copper ProPick Head");
WroughtIronProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronProPickHead",16633)).setUnlocalizedName("Wrought Iron ProPick Head");
RedSteelProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelProPickHead",16634)).setUnlocalizedName("Red Steel ProPick Head");
RoseGoldProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldProPickHead",16635)).setUnlocalizedName("Rose Gold ProPick Head");
SteelProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelProPickHead",16636)).setUnlocalizedName("Steel ProPick Head");
TinProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinProPickHead",16637)).setUnlocalizedName("Tin ProPick Head");
ZincProPickHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincProPickHead",16638)).setUnlocalizedName("Zinc ProPick Head");
Flux = (new ItemTerra(TFC_Settings.getIntFor(config,"item","Flux",16639)).setUnlocalizedName("Flux"));
/**
* Scythe
* */
int num = 16643;
BismuthScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BismuthScythe",num),BismuthToolMaterial).setUnlocalizedName("Bismuth Scythe").setMaxDamage(BismuthUses);num++;
BismuthBronzeScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BismuthBronzeScythe",num),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Scythe").setMaxDamage(BismuthBronzeUses);num++;
BlackBronzeScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BlackBronzeScythe",num),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Scythe").setMaxDamage(BlackBronzeUses);num++;
BlackSteelScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BlackSteelScythe",num),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Scythe").setMaxDamage(BlackSteelUses);num++;
BlueSteelScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BlueSteelScythe",num),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Scythe").setMaxDamage(BlueSteelUses);num++;
BronzeScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","BronzeScythe",num),BronzeToolMaterial).setUnlocalizedName("Bronze Scythe").setMaxDamage(BronzeUses);num++;
CopperScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","CopperScythe",num),CopperToolMaterial).setUnlocalizedName("Copper Scythe").setMaxDamage(CopperUses);num++;
WroughtIronScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","WroughtIronScythe",num),IronToolMaterial).setUnlocalizedName("Wrought Iron Scythe").setMaxDamage(WroughtIronUses);num++;
RedSteelScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","RedSteelScythe",num),RedSteelToolMaterial).setUnlocalizedName("Red Steel Scythe").setMaxDamage(RedSteelUses);num++;
RoseGoldScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","RoseGoldScythe",num),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Scythe").setMaxDamage(RoseGoldUses);num++;
SteelScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","SteelScythe",num),SteelToolMaterial).setUnlocalizedName("Steel Scythe").setMaxDamage(SteelUses);num++;
TinScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","TinScythe",num),TinToolMaterial).setUnlocalizedName("Tin Scythe").setMaxDamage(TinUses);num++;
ZincScythe = new ItemCustomScythe(TFC_Settings.getIntFor(config,"item","ZincScythe",num),ZincToolMaterial).setUnlocalizedName("Zinc Scythe").setMaxDamage(ZincUses);num++;
BismuthScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthScytheHead",num)).setUnlocalizedName("Bismuth Scythe Blade");num++;
BismuthBronzeScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeScytheHead",num)).setUnlocalizedName("Bismuth Bronze Scythe Blade");num++;
BlackBronzeScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeScytheHead",num)).setUnlocalizedName("Black Bronze Scythe Blade");num++;
BlackSteelScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelScytheHead",num)).setUnlocalizedName("Black Steel Scythe Blade");num++;
BlueSteelScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelScytheHead",num)).setUnlocalizedName("Blue Steel Scythe Blade");num++;
BronzeScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeScytheHead",num)).setUnlocalizedName("Bronze Scythe Blade");num++;
CopperScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperScytheHead",num)).setUnlocalizedName("Copper Scythe Blade");num++;
WroughtIronScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronScytheHead",num)).setUnlocalizedName("Wrought Iron Scythe Blade");num++;
RedSteelScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelScytheHead",num)).setUnlocalizedName("Red Steel Scythe Blade");num++;
RoseGoldScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldScytheHead",num)).setUnlocalizedName("Rose Gold Scythe Blade");num++;
SteelScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelScytheHead",num)).setUnlocalizedName("Steel Scythe Blade");num++;
TinScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinScytheHead",num)).setUnlocalizedName("Tin Scythe Blade");num++;
ZincScytheHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincScytheHead",num)).setUnlocalizedName("Zinc Scythe Blade");num++;
WoodenBucketEmpty = (new ItemCustomBucket(TFC_Settings.getIntFor(config,"item","WoodenBucketEmpty",num), 0)).setUnlocalizedName("Wooden Bucket Empty");num++;
WoodenBucketWater = (new ItemCustomBucket(TFC_Settings.getIntFor(config,"item","WoodenBucketWater",num), TFCBlocks.finiteWater.blockID)).setUnlocalizedName("Wooden Bucket Water").setContainerItem(WoodenBucketEmpty);num++;
WoodenBucketMilk = (new ItemCustomBucketMilk(TFC_Settings.getIntFor(config,"item","WoodenBucketMilk",num))).setUnlocalizedName("Wooden Bucket Milk").setContainerItem(WoodenBucketEmpty);num++;
BismuthKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthKnifeHead",num)).setUnlocalizedName("Bismuth Knife Blade");num++;
BismuthBronzeKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BismuthBronzeKnifeHead",num)).setUnlocalizedName("Bismuth Bronze Knife Blade");num++;
BlackBronzeKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackBronzeKnifeHead",num)).setUnlocalizedName("Black Bronze Knife Blade");num++;
BlackSteelKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlackSteelKnifeHead",num)).setUnlocalizedName("Black Steel Knife Blade");num++;
BlueSteelKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BlueSteelKnifeHead",num)).setUnlocalizedName("Blue Steel Knife Blade");num++;
BronzeKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","BronzeKnifeHead",num)).setUnlocalizedName("Bronze Knife Blade");num++;
CopperKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","CopperKnifeHead",num)).setUnlocalizedName("Copper Knife Blade");num++;
WroughtIronKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","WroughtIronKnifeHead",num)).setUnlocalizedName("Wrought Iron Knife Blade");num++;
RedSteelKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RedSteelKnifeHead",num)).setUnlocalizedName("Red Steel Knife Blade");num++;
RoseGoldKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","RoseGoldKnifeHead",num)).setUnlocalizedName("Rose Gold Knife Blade");num++;
SteelKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SteelKnifeHead",num)).setUnlocalizedName("Steel Knife Blade");num++;
TinKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","TinKnifeHead",num)).setUnlocalizedName("Tin Knife Blade");num++;
ZincKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","ZincKnifeHead",num)).setUnlocalizedName("Zinc Knife Blade");num++;
BismuthKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BismuthKnife",num),BismuthToolMaterial).setUnlocalizedName("Bismuth Knife").setMaxDamage(BismuthUses);num++;
BismuthBronzeKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BismuthBronzeKnife",num),BismuthBronzeToolMaterial).setUnlocalizedName("Bismuth Bronze Knife").setMaxDamage(BismuthBronzeUses);num++;
BlackBronzeKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BlackBronzeKnife",num),BlackBronzeToolMaterial).setUnlocalizedName("Black Bronze Knife").setMaxDamage(BlackBronzeUses);num++;
BlackSteelKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BlackSteelKnife",num),BlackSteelToolMaterial).setUnlocalizedName("Black Steel Knife").setMaxDamage(BlackSteelUses);num++;
BlueSteelKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BlueSteelKnife",num),BlueSteelToolMaterial).setUnlocalizedName("Blue Steel Knife").setMaxDamage(BlueSteelUses);num++;
BronzeKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","BronzeKnife",num),BronzeToolMaterial).setUnlocalizedName("Bronze Knife").setMaxDamage(BronzeUses);num++;
CopperKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","CopperKnife",num),CopperToolMaterial).setUnlocalizedName("Copper Knife").setMaxDamage(CopperUses);num++;
WroughtIronKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","WroughtIronKnife",num),IronToolMaterial).setUnlocalizedName("Wrought Iron Knife").setMaxDamage(WroughtIronUses);num++;
RedSteelKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","RedSteelKnife",num),RedSteelToolMaterial).setUnlocalizedName("Red Steel Knife").setMaxDamage(RedSteelUses);num++;
RoseGoldKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","RoseGoldKnife",num),RoseGoldToolMaterial).setUnlocalizedName("Rose Gold Knife").setMaxDamage(RoseGoldUses);num++;
SteelKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","SteelKnife",num),SteelToolMaterial).setUnlocalizedName("Steel Knife").setMaxDamage(SteelUses);num++;
TinKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","TinKnife",num),TinToolMaterial).setUnlocalizedName("Tin Knife").setMaxDamage(TinUses);num++;
ZincKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","ZincKnife",num),ZincToolMaterial).setUnlocalizedName("Zinc Knife").setMaxDamage(ZincUses);num++;
FlatRock = (new ItemFlatRock(TFC_Settings.getIntFor(config,"item","FlatRock",num)).setFolder("rocks/flatrocks/").setUnlocalizedName("FlatRock"));num++;
LooseRock = (new ItemLooseRock(TFC_Settings.getIntFor(config,"item","LooseRock",num)).setSpecialCraftingType(FlatRock).setFolder("rocks/").setMetaNames(Global.STONE_ALL).setUnlocalizedName("LooseRock"));num++;
IgInStoneShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgInStoneShovelHead",num)).setUnlocalizedName("Stone Shovel Head");num++;
SedStoneShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SedStoneShovelHead",num)).setUnlocalizedName("Stone Shovel Head");num++;
IgExStoneShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgExStoneShovelHead",num)).setUnlocalizedName("Stone Shovel Head");num++;
MMStoneShovelHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","MMStoneShovelHead",num)).setUnlocalizedName("Stone Shovel Head");num++;
IgInStoneAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgInStoneAxeHead",num)).setUnlocalizedName("Stone Axe Head");num++;
SedStoneAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SedStoneAxeHead",num)).setUnlocalizedName("Stone Axe Head");num++;
IgExStoneAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgExStoneAxeHead",num)).setUnlocalizedName("Stone Axe Head");num++;
MMStoneAxeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","MMStoneAxeHead",num)).setUnlocalizedName("Stone Axe Head");num++;
IgInStoneHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgInStoneHoeHead",num)).setUnlocalizedName("Stone Hoe Head");num++;
SedStoneHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","SedStoneHoeHead",num)).setUnlocalizedName("Stone Hoe Head");num++;
IgExStoneHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","IgExStoneHoeHead",num)).setUnlocalizedName("Stone Hoe Head");num++;
MMStoneHoeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","MMStoneHoeHead",num)).setUnlocalizedName("Stone Hoe Head");num++;
StoneKnifeHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","StoneKnifeHead",num)).setUnlocalizedName("Stone Knife Blade");num++;
StoneHammerHead = new ItemMiscToolHead(TFC_Settings.getIntFor(config,"item","StoneHammerHead",num)).setUnlocalizedName("Stone Hammer Head");num++;
StoneKnife = new ItemCustomKnife(TFC_Settings.getIntFor(config,"item","StoneKnife",num),IgExToolMaterial).setUnlocalizedName("Stone Knife").setMaxDamage(IgExStoneUses);num++;
SmallOreChunk = new ItemOreSmall(TFC_Settings.getIntFor(config,"item","SmallOreChunk",num++)).setUnlocalizedName("Small Ore");
SinglePlank = new ItemPlank(TFC_Settings.getIntFor(config,"item","SinglePlank",num++)).setUnlocalizedName("SinglePlank");
RedSteelBucketEmpty = (new ItemCustomRedSteelBucket(TFC_Settings.getIntFor(config,"item","RedSteelBucketEmpty",num++), 0)).setUnlocalizedName("Red Steel Bucket Empty");
RedSteelBucketWater = (new ItemCustomRedSteelBucket(TFC_Settings.getIntFor(config,"item","RedSteelBucketWater",num++), Block.waterMoving.blockID)).setUnlocalizedName("Red Steel Bucket Water").setContainerItem(RedSteelBucketEmpty);
BlueSteelBucketEmpty = (new ItemCustomBlueSteelBucket(TFC_Settings.getIntFor(config,"item","BlueSteelBucketEmpty",num++), 0)).setUnlocalizedName("Blue Steel Bucket Empty");
BlueSteelBucketLava = (new ItemCustomBlueSteelBucket(TFC_Settings.getIntFor(config,"item","BlueSteelBucketLava",num++), Block.lavaMoving.blockID)).setUnlocalizedName("Blue Steel Bucket Lava").setContainerItem(BlueSteelBucketEmpty);
Quern = new ItemTerra(TFC_Settings.getIntFor(config,"item","Quern",num++)).setUnlocalizedName("Quern").setMaxDamage(250);
FlintSteel = new ItemFlintSteel(TFC_Settings.getIntFor(config,"item","FlintSteel",num++)).setUnlocalizedName("flintAndSteel").setMaxDamage(200);
DoorOak = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorOak", num++), 0).setUnlocalizedName("Oak Door");
DoorAspen = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorAspen", num++), 1).setUnlocalizedName("Aspen Door");
DoorBirch = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorBirch", num++), 2).setUnlocalizedName("Birch Door");
DoorChestnut = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorChestnut", num++), 3).setUnlocalizedName("Chestnut Door");
DoorDouglasFir = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorDouglasFir", num++), 4).setUnlocalizedName("Douglas Fir Door");
DoorHickory = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorHickory", num++), 5).setUnlocalizedName("Hickory Door");
DoorMaple = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorMaple", num++), 6).setUnlocalizedName("Maple Door");
DoorAsh = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorAsh", num++), 7).setUnlocalizedName("Ash Door");
DoorPine = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorPine", num++), 8).setUnlocalizedName("Pine Door");
DoorSequoia = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorSequoia", num++), 9).setUnlocalizedName("Sequoia Door");
DoorSpruce = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorSpruce", num++), 10).setUnlocalizedName("Spruce Door");
DoorSycamore = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorSycamore", num++), 11).setUnlocalizedName("Sycamore Door");
DoorWhiteCedar = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorWhiteCedar", num++), 12).setUnlocalizedName("White Cedar Door");
DoorWhiteElm = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorWhiteElm", num++), 13).setUnlocalizedName("White Elm Door");
DoorWillow = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorWillow", num++), 14).setUnlocalizedName("Willow Door");
DoorKapok = new ItemWoodDoor(TFC_Settings.getIntFor(config,"item","DoorKapok", num++), 15).setUnlocalizedName("Kapok Door");
Blueprint = new ItemBlueprint(TFC_Settings.getIntFor(config,"item","Blueprint", num++));
writabeBookTFC = new ItemWritableBookTFC(TFC_Settings.getIntFor(config,"item","WritableBookTFC", num++),"Fix Me I'm Broken").setUnlocalizedName("book");
WoolYarn = new ItemTerra(TFC_Settings.getIntFor(config, "item", "WoolYarn", num++)).setUnlocalizedName("WoolYarn").setCreativeTab(TFCTabs.TFCMaterials);
Wool = new ItemTerra(TFC_Settings.getIntFor(config,"item","Wool",num++)).setUnlocalizedName("Wool").setCreativeTab(TFCTabs.TFCMaterials);
WoolCloth = new ItemTerra(TFC_Settings.getIntFor(config, "item", "WoolCloth", num++)).setUnlocalizedName("WoolCloth").setCreativeTab(TFCTabs.TFCMaterials);
Spindle = new ItemSpindle(TFC_Settings.getIntFor(config,"item","Spindle",num++),SedToolMaterial).setUnlocalizedName("Spindle").setCreativeTab(TFCTabs.TFCMaterials);
ClaySpindle = new ItemTerra(TFC_Settings.getIntFor(config, "item", "ClaySpindle", num++)).setFolder("tools/").setUnlocalizedName("Clay Spindle").setCreativeTab(TFCTabs.TFCMaterials);
SpindleHead = new ItemTerra(TFC_Settings.getIntFor(config, "item", "SpindleHead", num++)).setFolder("toolheads/").setUnlocalizedName("Spindle Head").setCreativeTab(TFCTabs.TFCMaterials);
StoneBrick = (new ItemStoneBrick(TFC_Settings.getIntFor(config,"item","ItemStoneBrick2",num++)).setFolder("tools/").setUnlocalizedName("ItemStoneBrick"));
Mortar = new ItemTerra(TFC_Settings.getIntFor(config,"item","Mortar",num++)).setFolder("tools/").setUnlocalizedName("Mortar").setCreativeTab(TFCTabs.TFCMaterials);
Limewater = new ItemCustomBucket(TFC_Settings.getIntFor(config,"item","Limewater",num++),2).setFolder("tools/").setUnlocalizedName("Lime Water").setContainerItem(WoodenBucketEmpty).setCreativeTab(TFCTabs.TFCMaterials);
Hide = new ItemTerra(TFC_Settings.getIntFor(config,"item","Hide",num++)).setFolder("tools/").setUnlocalizedName("Hide").setCreativeTab(TFCTabs.TFCMaterials);
SoakedHide = new ItemTerra(TFC_Settings.getIntFor(config,"item","SoakedHide",num++)).setFolder("tools/").setUnlocalizedName("Soaked Hide").setCreativeTab(TFCTabs.TFCMaterials);
ScrapedHide = new ItemTerra(TFC_Settings.getIntFor(config,"item","ScrapedHide",num++)).setFolder("tools/").setUnlocalizedName("Scraped Hide").setCreativeTab(TFCTabs.TFCMaterials);
PrepHide = new ItemTerra(TFC_Settings.getIntFor(config,"item","PrepHide",num++)).setFolder("tools/").setFolder("tools/").setUnlocalizedName("Prep Hide").setCreativeTab(TFCTabs.TFCMaterials);
SheepSkin = new ItemTerra(TFC_Settings.getIntFor(config,"item","SheepSkin",num++)).setFolder("tools/").setUnlocalizedName("Sheep Skin").setCreativeTab(TFCTabs.TFCMaterials);
muttonRaw = new ItemTerra(TFC_Settings.getIntFor(config,"item","muttonRaw",num++)).setFolder("food/").setUnlocalizedName("Mutton Raw");
muttonCooked = new ItemTerraFood(TFC_Settings.getIntFor(config,"item","muttonCooked",num++), 40, 0.8F, true, 48).setUnlocalizedName("Mutton Cooked");
FlatLeather = (new ItemFlatLeather(TFC_Settings.getIntFor(config,"items","FlatLeather2",num++)).setFolder("tools/").setUnlocalizedName("Flat Leather"));
TerraLeather = new ItemLeather(TFC_Settings.getIntFor(config,"item","TFCLeather",num++)).setSpecialCraftingType(FlatLeather).setFolder("tools/").setUnlocalizedName("TFC Leather").setCreativeTab(TFCTabs.TFCMaterials);
Straw = new ItemTerra(TFC_Settings.getIntFor(config,"items","Straw",num++)).setFolder("plants/").setUnlocalizedName("Straw");
FlatClay = (new ItemFlatLeather(TFC_Settings.getIntFor(config,"items","FlatClay",num++)).setFolder("pottery/").setMetaNames(new String[]{"clay flat light", "clay flat dark"}).setUnlocalizedName(""));
Item.itemsList[Item.clay.itemID] = null; Item.itemsList[Item.clay.itemID] = (new ItemClay(Item.clay.itemID).setSpecialCraftingType(FlatClay, new ItemStack(FlatClay, 1, 1))).setUnlocalizedName("clay").setCreativeTab(CreativeTabs.tabMaterials);
PotteryJug = new ItemPotteryJug(TFC_Settings.getIntFor(config,"items","PotteryJug",num++)).setUnlocalizedName("Jug");
PotterySmallVessel = new ItemPotterySmallVessel(TFC_Settings.getIntFor(config,"items","PotterySmallVessel",num++)).setUnlocalizedName("Small Vessel");
PotteryLargeVessel = new ItemPotteryLargeVessel(TFC_Settings.getIntFor(config,"items","PotteryLargeVessel",num++)).setUnlocalizedName("Large Vessel");
PotteryPot = new ItemPotteryPot(TFC_Settings.getIntFor(config,"items","PotteryPot",num++)).setUnlocalizedName("Pot");
CeramicMold = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","CeramicMold",16409)).setMetaNames(new String[]{"Clay Mold","Ceramic Mold"}).setUnlocalizedName("Mold");
ClayMoldAxe = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldAxe",num++)).setMetaNames(new String[]{"Clay Mold Axe","Ceramic Mold Axe",
"Ceramic Mold Axe Copper","Ceramic Mold Axe Bronze","Ceramic Mold Axe Bismuth Bronze","Ceramic Mold Axe Black Bronze"}).setUnlocalizedName("Axe Mold");
ClayMoldChisel = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldChisel",num++)).setMetaNames(new String[]{"Clay Mold Chisel","Ceramic Mold Chisel",
"Ceramic Mold Chisel Copper","Ceramic Mold Chisel Bronze","Ceramic Mold Chisel Bismuth Bronze","Ceramic Mold Chisel Black Bronze"}).setUnlocalizedName("Chisel Mold");
ClayMoldHammer = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldHammer",num++)).setMetaNames(new String[]{"Clay Mold Hammer","Ceramic Mold Hammer",
"Ceramic Mold Hammer Copper","Ceramic Mold Hammer Bronze","Ceramic Mold Hammer Bismuth Bronze","Ceramic Mold Hammer Black Bronze"}).setUnlocalizedName("Hammer Mold");
ClayMoldHoe = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldHoe",num++)).setMetaNames(new String[]{"Clay Mold Hoe","Ceramic Mold Hoe",
"Ceramic Mold Hoe Copper","Ceramic Mold Hoe Bronze","Ceramic Mold Hoe Bismuth Bronze","Ceramic Mold Hoe Black Bronze"}).setUnlocalizedName("Hoe Mold");
ClayMoldKnife = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldKnife",num++)).setMetaNames(new String[]{"Clay Mold Knife","Ceramic Mold Knife",
"Ceramic Mold Knife Copper","Ceramic Mold Knife Bronze","Ceramic Mold Knife Bismuth Bronze","Ceramic Mold Knife Black Bronze"}).setUnlocalizedName("Knife Mold");
ClayMoldMace = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldMace",num++)).setMetaNames(new String[]{"Clay Mold Mace","Ceramic Mold Mace",
"Ceramic Mold Mace Copper","Ceramic Mold Mace Bronze","Ceramic Mold Mace Bismuth Bronze","Ceramic Mold Mace Black Bronze"}).setUnlocalizedName("Mace Mold");
ClayMoldPick = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldPick",num++)).setMetaNames(new String[]{"Clay Mold Pick","Ceramic Mold Pick",
"Ceramic Mold Pick Copper","Ceramic Mold Pick Bronze","Ceramic Mold Pick Bismuth Bronze","Ceramic Mold Pick Black Bronze"}).setUnlocalizedName("Pick Mold");
ClayMoldProPick = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldProPick",num++)).setMetaNames(new String[]{"Clay Mold ProPick","Ceramic Mold ProPick",
"Ceramic Mold ProPick Copper","Ceramic Mold ProPick Bronze","Ceramic Mold ProPick Bismuth Bronze","Ceramic Mold ProPick Black Bronze"}).setUnlocalizedName("ProPick Mold");
ClayMoldSaw = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldSaw",num++)).setMetaNames(new String[]{"Clay Mold Saw","Ceramic Mold Saw",
"Ceramic Mold Saw Copper","Ceramic Mold Saw Bronze","Ceramic Mold Saw Bismuth Bronze","Ceramic Mold Saw Black Bronze"}).setUnlocalizedName("Saw Mold");
ClayMoldScythe = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldScythe",num++)).setMetaNames(new String[]{"Clay Mold Scythe","Ceramic Mold Scythe",
"Ceramic Mold Scythe Copper","Ceramic Mold Scythe Bronze","Ceramic Mold Scythe Bismuth Bronze","Ceramic Mold Scythe Black Bronze"}).setUnlocalizedName("Scythe Mold");
ClayMoldShovel = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldShovel",num++)).setMetaNames(new String[]{"Clay Mold Shovel","Ceramic Mold Shovel",
"Ceramic Mold Shovel Copper","Ceramic Mold Shovel Bronze","Ceramic Mold Shovel Bismuth Bronze","Ceramic Mold Shovel Black Bronze"}).setUnlocalizedName("Shovel Mold");
ClayMoldSword = new ItemPotteryMold(TFC_Settings.getIntFor(config,"item","ClayMoldSword",num++)).setMetaNames(new String[]{"Clay Mold Sword","Ceramic Mold Sword",
"Ceramic Mold Sword Copper","Ceramic Mold Sword Bronze","Ceramic Mold Sword Bismuth Bronze","Ceramic Mold Sword Black Bronze"}).setUnlocalizedName("Sword Mold");
/**Plans*/
num = 20000;
SetupPlans(num);
/**Food related items*/
num = 18000;
SetupFood(num);
/**Armor Crafting related items*/
num = 19000;
SetupArmor(num);
Recipes.Doors = new Item[]{DoorOak, DoorAspen, DoorBirch, DoorChestnut, DoorDouglasFir,
DoorHickory, DoorMaple, DoorAsh, DoorPine, DoorSequoia, DoorSpruce, DoorSycamore,
DoorWhiteCedar, DoorWhiteElm, DoorWillow, DoorKapok};
Recipes.Axes = new Item[]{SedAxe,IgInAxe,IgExAxe,MMAxe,
BismuthAxe,BismuthBronzeAxe,BlackBronzeAxe,
BlackSteelAxe,BlueSteelAxe,BronzeAxe,CopperAxe,
WroughtIronAxe,RedSteelAxe,RoseGoldAxe,SteelAxe,
TinAxe,ZincAxe};
Recipes.Chisels = new Item[]{BismuthChisel,BismuthBronzeChisel,BlackBronzeChisel,
BlackSteelChisel,BlueSteelChisel,BronzeChisel,CopperChisel,
WroughtIronChisel,RedSteelChisel,RoseGoldChisel,SteelChisel,
TinChisel,ZincChisel};
Recipes.Saws = new Item[]{BismuthSaw,BismuthBronzeSaw,BlackBronzeSaw,
BlackSteelSaw,BlueSteelSaw,BronzeSaw,CopperSaw,
WroughtIronSaw,RedSteelSaw,RoseGoldSaw,SteelSaw,
TinSaw,ZincSaw};
Recipes.Knives = new Item[]{StoneKnife,BismuthKnife,BismuthBronzeKnife,BlackBronzeKnife,
BlackSteelKnife,BlueSteelKnife,BronzeKnife,CopperKnife,
WroughtIronKnife,RedSteelKnife,RoseGoldKnife,SteelKnife,
TinKnife,ZincKnife};
Recipes.MeltedMetal = new Item[]{BismuthUnshaped, BismuthBronzeUnshaped,BlackBronzeUnshaped,
TFCItems.BlackSteelUnshaped,TFCItems.BlueSteelUnshaped,TFCItems.BrassUnshaped,TFCItems.BronzeUnshaped,
TFCItems.CopperUnshaped,TFCItems.GoldUnshaped,
TFCItems.WroughtIronUnshaped,TFCItems.LeadUnshaped,TFCItems.NickelUnshaped,TFCItems.PigIronUnshaped,
TFCItems.PlatinumUnshaped,TFCItems.RedSteelUnshaped,TFCItems.RoseGoldUnshaped,TFCItems.SilverUnshaped,
TFCItems.SteelUnshaped,TFCItems.SterlingSilverUnshaped,
TFCItems.TinUnshaped,TFCItems.ZincUnshaped, TFCItems.HCSteelUnshaped, TFCItems.WeakSteelUnshaped,
TFCItems.HCBlackSteelUnshaped, TFCItems.HCBlueSteelUnshaped, TFCItems.HCRedSteelUnshaped,
TFCItems.WeakBlueSteelUnshaped, TFCItems.WeakRedSteelUnshaped};
Recipes.Hammers = new Item[]{TFCItems.StoneHammer,TFCItems.BismuthHammer,TFCItems.BismuthBronzeHammer,TFCItems.BlackBronzeHammer,
TFCItems.BlackSteelHammer,TFCItems.BlueSteelHammer,TFCItems.BronzeHammer,TFCItems.CopperHammer,
TFCItems.WroughtIronHammer,TFCItems.RedSteelHammer,TFCItems.RoseGoldHammer,TFCItems.SteelHammer,
TFCItems.TinHammer,TFCItems.ZincHammer};
Recipes.Spindle = new Item[]{TFCItems.Spindle};
Recipes.Gems = new Item[]{TFCItems.GemAgate, TFCItems.GemAmethyst, TFCItems.GemBeryl, TFCItems.GemDiamond, TFCItems.GemEmerald, TFCItems.GemGarnet,
TFCItems.GemJade, TFCItems.GemJasper, TFCItems.GemOpal,TFCItems.GemRuby,TFCItems.GemSapphire,TFCItems.GemTopaz,TFCItems.GemTourmaline};
Meals = new Item[]{MealMoveSpeed, MealDigSpeed, MealDamageBoost, MealJump, MealDamageResist,
MealFireResist, MealWaterBreathing, MealNightVision};
((TFCTabs)TFCTabs.TFCTools).setTabIconItemIndex(TFCItems.SteelHammer.itemID);
((TFCTabs)TFCTabs.TFCMaterials).setTabIconItemIndex(TFCItems.Spindle.itemID);
((TFCTabs)TFCTabs.TFCUnfinished).setTabIconItemIndex(TFCItems.SteelHammerHead.itemID);
((TFCTabs)TFCTabs.TFCArmor).setTabIconItemIndex(TFCItems.SteelHelmet.itemID);
System.out.println(new StringBuilder().append("[TFC] Done Loading Items").toString());
if (config != null) {
config.save();
}
}
|
diff --git a/java/client/src/org/openqa/selenium/internal/seleniumemulation/Type.java b/java/client/src/org/openqa/selenium/internal/seleniumemulation/Type.java
index de87249a4..2cec35888 100644
--- a/java/client/src/org/openqa/selenium/internal/seleniumemulation/Type.java
+++ b/java/client/src/org/openqa/selenium/internal/seleniumemulation/Type.java
@@ -1,81 +1,84 @@
/*
Copyright 2007-2009 WebDriver committers
Copyright 2007-2009 Google Inc.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
package org.openqa.selenium.internal.seleniumemulation;
import com.thoughtworks.selenium.SeleniumException;
import org.openqa.selenium.JavascriptExecutor;
import org.openqa.selenium.WebDriver;
import org.openqa.selenium.WebElement;
import java.util.logging.Logger;
public class Type extends SeleneseCommand<Void> {
private final static Logger log = Logger.getLogger(Type.class.getName());
private final AlertOverride alertOverride;
private final JavascriptLibrary js;
private final ElementFinder finder;
private final KeyState state;
private final String type;
public Type(AlertOverride alertOverride, JavascriptLibrary js, ElementFinder finder,
KeyState state) {
this.alertOverride = alertOverride;
this.js = js;
this.finder = finder;
this.state = state;
type = "return (" + js.getSeleniumScript("type.js") + ").apply(null, arguments);";
}
@Override
protected Void handleSeleneseCommand(WebDriver driver, String locator, String value) {
alertOverride.replaceAlertMethod(driver);
if (state.controlKeyDown || state.altKeyDown || state.metaKeyDown)
throw new SeleniumException(
"type not supported immediately after call to controlKeyDown() or altKeyDown() or metaKeyDown()");
String valueToUse = state.shiftKeyDown ? value.toUpperCase() : value;
WebElement element = finder.findElement(driver, locator);
String tagName = element.getTagName();
String elementType = element.getAttribute("type");
if ("input".equals(tagName.toLowerCase()) &&
elementType != null && "file".equals(elementType.toLowerCase())) {
log.warning("You should be using attachFile to set the value of a file input element");
element.sendKeys(valueToUse);
return null;
}
if (!"input".equals(tagName.toLowerCase())) {
+ if (driver instanceof JavascriptExecutor) {
+ ((JavascriptExecutor) driver).executeScript("arguments[0].value = '';", element);
+ }
element.sendKeys(valueToUse);
return null;
}
if (driver instanceof JavascriptExecutor) {
js.executeScript(driver, type, element, valueToUse);
} else {
element.clear();
element.sendKeys(valueToUse);
}
return null;
}
}
| true | true | protected Void handleSeleneseCommand(WebDriver driver, String locator, String value) {
alertOverride.replaceAlertMethod(driver);
if (state.controlKeyDown || state.altKeyDown || state.metaKeyDown)
throw new SeleniumException(
"type not supported immediately after call to controlKeyDown() or altKeyDown() or metaKeyDown()");
String valueToUse = state.shiftKeyDown ? value.toUpperCase() : value;
WebElement element = finder.findElement(driver, locator);
String tagName = element.getTagName();
String elementType = element.getAttribute("type");
if ("input".equals(tagName.toLowerCase()) &&
elementType != null && "file".equals(elementType.toLowerCase())) {
log.warning("You should be using attachFile to set the value of a file input element");
element.sendKeys(valueToUse);
return null;
}
if (!"input".equals(tagName.toLowerCase())) {
element.sendKeys(valueToUse);
return null;
}
if (driver instanceof JavascriptExecutor) {
js.executeScript(driver, type, element, valueToUse);
} else {
element.clear();
element.sendKeys(valueToUse);
}
return null;
}
| protected Void handleSeleneseCommand(WebDriver driver, String locator, String value) {
alertOverride.replaceAlertMethod(driver);
if (state.controlKeyDown || state.altKeyDown || state.metaKeyDown)
throw new SeleniumException(
"type not supported immediately after call to controlKeyDown() or altKeyDown() or metaKeyDown()");
String valueToUse = state.shiftKeyDown ? value.toUpperCase() : value;
WebElement element = finder.findElement(driver, locator);
String tagName = element.getTagName();
String elementType = element.getAttribute("type");
if ("input".equals(tagName.toLowerCase()) &&
elementType != null && "file".equals(elementType.toLowerCase())) {
log.warning("You should be using attachFile to set the value of a file input element");
element.sendKeys(valueToUse);
return null;
}
if (!"input".equals(tagName.toLowerCase())) {
if (driver instanceof JavascriptExecutor) {
((JavascriptExecutor) driver).executeScript("arguments[0].value = '';", element);
}
element.sendKeys(valueToUse);
return null;
}
if (driver instanceof JavascriptExecutor) {
js.executeScript(driver, type, element, valueToUse);
} else {
element.clear();
element.sendKeys(valueToUse);
}
return null;
}
|
diff --git a/src/main/java/org/rsna/isn/prepcontent/dcm/CStoreHandler.java b/src/main/java/org/rsna/isn/prepcontent/dcm/CStoreHandler.java
index a178d21..990b4ce 100644
--- a/src/main/java/org/rsna/isn/prepcontent/dcm/CStoreHandler.java
+++ b/src/main/java/org/rsna/isn/prepcontent/dcm/CStoreHandler.java
@@ -1,155 +1,159 @@
/* Copyright (c) <2010>, <Radiological Society of North America>
* All rights reserved.
* Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met:
* Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution.
* Neither the name of the <RSNA> nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND
* CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED
* WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A
* PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL
* THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY
* DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
* CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
* PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF
* USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
* CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
* CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
* NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE
* USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY
* OF SUCH DAMAGE.
*/
package org.rsna.isn.prepcontent.dcm;
import java.io.File;
import java.io.IOException;
import java.sql.SQLException;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import org.apache.log4j.Logger;
import org.dcm4che2.data.BasicDicomObject;
import org.dcm4che2.data.DicomObject;
import org.dcm4che2.data.Tag;
import org.dcm4che2.io.DicomOutputStream;
import org.dcm4che2.net.Association;
import org.dcm4che2.net.AssociationAcceptEvent;
import org.dcm4che2.net.AssociationCloseEvent;
import org.dcm4che2.net.AssociationListener;
import org.dcm4che2.net.CommandUtils;
import org.dcm4che2.net.DicomServiceException;
import org.dcm4che2.net.PDVInputStream;
import org.dcm4che2.net.Status;
import org.dcm4che2.net.service.CStoreSCP;
import org.dcm4che2.net.service.DicomService;
import org.rsna.isn.dao.JobDao;
import org.rsna.isn.domain.Job;
import org.rsna.isn.util.Environment;
/**
* Handler for C-STORE requests
*
* @author Wyatt Tellis
* @version 2.1.0
* @since 2.1.0
*/
public class CStoreHandler extends DicomService implements CStoreSCP, AssociationListener
{
private static final Logger logger = Logger.getLogger(CStoreHandler.class);
private static final ThreadLocal<Map<String, List<Job>>> jobsMap = new ThreadLocal();
public final File dcmDir;
public CStoreHandler(String[] sopClasses)
{
super(sopClasses);
this.dcmDir = Environment.getDcmDir();
}
@Override
public void associationAccepted(AssociationAcceptEvent event)
{
jobsMap.set(new HashMap());
}
@Override
public void cstore(Association as, int pcid, DicomObject cmd,
PDVInputStream dataStream, String tsuid) throws DicomServiceException, IOException
{
try
{
DicomObject dcmObj = dataStream.readDataset();
String accNum = dcmObj.getString(Tag.AccessionNumber);
String mrn = dcmObj.getString(Tag.PatientID);
String key = mrn + "/" + accNum;
Map<String, List<Job>> map = jobsMap.get();
List<Job> jobs = map.get(key);
if (jobs == null)
{
JobDao dao = new JobDao();
jobs = dao.findJobs(mrn, accNum, Job.RSNA_STARTED_DICOM_C_MOVE);
if (jobs.isEmpty())
{
logger.warn("No pending jobs associated with: " + mrn + "/" + accNum);
throw new DicomServiceException(cmd, Status.ProcessingFailure,
"No pending jobs associated with this study.");
}
map.put(key, jobs);
}
for (Job job : jobs)
{
int jobId = job.getJobId();
File jobDir = new File(dcmDir, Integer.toString(jobId));
File patDir = new File(jobDir, mrn);
File examDir = new File(patDir, accNum);
examDir.mkdirs();
String instanceUid = dcmObj.getString(Tag.SOPInstanceUID);
String classUid = dcmObj.getString(Tag.SOPClassUID);
BasicDicomObject fmi = new BasicDicomObject();
fmi.initFileMetaInformation(classUid, instanceUid, tsuid);
File dcmFile = new File(examDir, instanceUid + ".dcm");
DicomOutputStream dout = new DicomOutputStream(dcmFile);
dout.writeFileMetaInformation(fmi);
dout.writeDataset(dcmObj, tsuid);
dout.close();
}
as.writeDimseRSP(pcid, CommandUtils.mkRSP(cmd, CommandUtils.SUCCESS));
}
- catch (SQLException ex)
+ catch(IOException ex)
{
- logger.warn("Unable to store object due to database error", ex);
+ throw ex;
+ }
+ catch(Throwable ex)
+ {
+ logger.warn("Unable to store object due to uncaught exception.", ex);
throw new DicomServiceException(cmd, Status.ProcessingFailure, ex.getMessage());
}
}
@Override
public void associationClosed(AssociationCloseEvent event)
{
jobsMap.remove();
}
}
| false | true | public void cstore(Association as, int pcid, DicomObject cmd,
PDVInputStream dataStream, String tsuid) throws DicomServiceException, IOException
{
try
{
DicomObject dcmObj = dataStream.readDataset();
String accNum = dcmObj.getString(Tag.AccessionNumber);
String mrn = dcmObj.getString(Tag.PatientID);
String key = mrn + "/" + accNum;
Map<String, List<Job>> map = jobsMap.get();
List<Job> jobs = map.get(key);
if (jobs == null)
{
JobDao dao = new JobDao();
jobs = dao.findJobs(mrn, accNum, Job.RSNA_STARTED_DICOM_C_MOVE);
if (jobs.isEmpty())
{
logger.warn("No pending jobs associated with: " + mrn + "/" + accNum);
throw new DicomServiceException(cmd, Status.ProcessingFailure,
"No pending jobs associated with this study.");
}
map.put(key, jobs);
}
for (Job job : jobs)
{
int jobId = job.getJobId();
File jobDir = new File(dcmDir, Integer.toString(jobId));
File patDir = new File(jobDir, mrn);
File examDir = new File(patDir, accNum);
examDir.mkdirs();
String instanceUid = dcmObj.getString(Tag.SOPInstanceUID);
String classUid = dcmObj.getString(Tag.SOPClassUID);
BasicDicomObject fmi = new BasicDicomObject();
fmi.initFileMetaInformation(classUid, instanceUid, tsuid);
File dcmFile = new File(examDir, instanceUid + ".dcm");
DicomOutputStream dout = new DicomOutputStream(dcmFile);
dout.writeFileMetaInformation(fmi);
dout.writeDataset(dcmObj, tsuid);
dout.close();
}
as.writeDimseRSP(pcid, CommandUtils.mkRSP(cmd, CommandUtils.SUCCESS));
}
catch (SQLException ex)
{
logger.warn("Unable to store object due to database error", ex);
throw new DicomServiceException(cmd, Status.ProcessingFailure, ex.getMessage());
}
}
| public void cstore(Association as, int pcid, DicomObject cmd,
PDVInputStream dataStream, String tsuid) throws DicomServiceException, IOException
{
try
{
DicomObject dcmObj = dataStream.readDataset();
String accNum = dcmObj.getString(Tag.AccessionNumber);
String mrn = dcmObj.getString(Tag.PatientID);
String key = mrn + "/" + accNum;
Map<String, List<Job>> map = jobsMap.get();
List<Job> jobs = map.get(key);
if (jobs == null)
{
JobDao dao = new JobDao();
jobs = dao.findJobs(mrn, accNum, Job.RSNA_STARTED_DICOM_C_MOVE);
if (jobs.isEmpty())
{
logger.warn("No pending jobs associated with: " + mrn + "/" + accNum);
throw new DicomServiceException(cmd, Status.ProcessingFailure,
"No pending jobs associated with this study.");
}
map.put(key, jobs);
}
for (Job job : jobs)
{
int jobId = job.getJobId();
File jobDir = new File(dcmDir, Integer.toString(jobId));
File patDir = new File(jobDir, mrn);
File examDir = new File(patDir, accNum);
examDir.mkdirs();
String instanceUid = dcmObj.getString(Tag.SOPInstanceUID);
String classUid = dcmObj.getString(Tag.SOPClassUID);
BasicDicomObject fmi = new BasicDicomObject();
fmi.initFileMetaInformation(classUid, instanceUid, tsuid);
File dcmFile = new File(examDir, instanceUid + ".dcm");
DicomOutputStream dout = new DicomOutputStream(dcmFile);
dout.writeFileMetaInformation(fmi);
dout.writeDataset(dcmObj, tsuid);
dout.close();
}
as.writeDimseRSP(pcid, CommandUtils.mkRSP(cmd, CommandUtils.SUCCESS));
}
catch(IOException ex)
{
throw ex;
}
catch(Throwable ex)
{
logger.warn("Unable to store object due to uncaught exception.", ex);
throw new DicomServiceException(cmd, Status.ProcessingFailure, ex.getMessage());
}
}
|
diff --git a/src/main/java/org/apache/jena/fuseki/servlets/SPARQL_Update.java b/src/main/java/org/apache/jena/fuseki/servlets/SPARQL_Update.java
index a1e04fe..ca0f15e 100644
--- a/src/main/java/org/apache/jena/fuseki/servlets/SPARQL_Update.java
+++ b/src/main/java/org/apache/jena/fuseki/servlets/SPARQL_Update.java
@@ -1,247 +1,247 @@
/*
* Licensed to the Apache Software Foundation (ASF) under one
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
* to you under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance
* with the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package org.apache.jena.fuseki.servlets;
import static java.lang.String.format ;
import static org.apache.jena.fuseki.Fuseki.requestLog ;
import static org.apache.jena.fuseki.HttpNames.paramRequest ;
import static org.apache.jena.fuseki.HttpNames.paramUpdate ;
import java.io.IOException ;
import java.io.InputStream ;
import java.util.Enumeration ;
import javax.servlet.ServletException ;
import javax.servlet.http.HttpServletRequest ;
import javax.servlet.http.HttpServletResponse ;
import org.apache.jena.fuseki.FusekiLib ;
import org.apache.jena.fuseki.HttpNames ;
import org.apache.jena.fuseki.http.HttpSC ;
import org.openjena.atlas.io.IO ;
import org.openjena.atlas.lib.Bytes ;
import org.openjena.riot.ContentType ;
import org.openjena.riot.WebContent ;
import com.hp.hpl.jena.query.QueryParseException ;
import com.hp.hpl.jena.query.Syntax ;
import com.hp.hpl.jena.sparql.core.DatasetGraph ;
import com.hp.hpl.jena.update.UpdateAction ;
import com.hp.hpl.jena.update.UpdateException ;
import com.hp.hpl.jena.update.UpdateFactory ;
import com.hp.hpl.jena.update.UpdateRequest ;
public class SPARQL_Update extends SPARQL_Protocol
{
private static String updateParseBase = "http://example/base/" ;
private class HttpActionUpdate extends HttpActionProtocol {
public HttpActionUpdate(long id, DatasetGraph dsg, HttpServletRequest request, HttpServletResponse response, boolean verbose)
{
super(id, dsg, request, response, verbose) ;
}
}
public SPARQL_Update(boolean verbose)
{ super(PlainRequestFlag.REGULAR, verbose) ; }
public SPARQL_Update()
{ this(false) ; }
@Override
protected void doGet(HttpServletRequest request, HttpServletResponse response)
throws ServletException, IOException
{
response.sendError(HttpSC.BAD_REQUEST_400, "Attempt to perform SPARQL update by GET. Use POST") ;
}
@Override
protected void doPost(HttpServletRequest request, HttpServletResponse response)
throws ServletException, IOException
{
doCommon(request, response) ;
}
@Override
protected void doOptions(HttpServletRequest request, HttpServletResponse response)
{
response.setHeader(HttpNames.hAllow, "OPTIONS,POST");
response.setHeader(HttpNames.hContentLengh, "0") ;
}
@Override
protected boolean requestNoQueryString(HttpServletRequest request, HttpServletResponse response)
{
if ( HttpNames.METHOD_POST.equals(request.getMethod().toUpperCase()) )
return true ;
errorOccurred("Bad!") ;
return false ;
}
@Override
protected String mapRequestToDataset(String uri)
{
String uri2 = mapRequestToDataset(uri, HttpNames.ServiceUpdate) ;
return (uri2 != null) ? uri2 : uri ;
}
@Override
protected void perform(long id, DatasetGraph dsg, HttpServletRequest request, HttpServletResponse response)
{
// validate -> action.
validate(request) ;
HttpActionUpdate action = new HttpActionUpdate(id, dsg, request, response, verbose_debug) ;
// WebContent needs to migrate to using ContentType.
String ctStr ;
{
ContentType incoming = FusekiLib.contentType(request) ;
if ( incoming == null )
ctStr = WebContent.contentTypeSPARQLUpdate ;
else
ctStr = incoming.getContentType() ;
}
// ----
if (WebContent.contentTypeSPARQLUpdate.equals(ctStr))
{
executeBody(action) ;
return ;
}
if (WebContent.contentTypeForm.equals(ctStr))
{
executeForm(action) ;
return ;
}
error(HttpSC.UNSUPPORTED_MEDIA_TYPE_415, "Bad content type: " + request.getContentType()) ;
}
private void validate(HttpServletRequest request)
{
// WebContent needs to migrate to using ContentType.
String ctStr ;
{
ContentType incoming = FusekiLib.contentType(request) ;
if ( incoming == null )
ctStr = WebContent.contentTypeSPARQLUpdate ;
else
ctStr = incoming.getContentType() ;
}
// ----
if ( WebContent.contentTypeSPARQLUpdate.equals(ctStr) )
{
// For now, all query string stuff is not allowed.
if ( request.getQueryString() != null )
errorBadRequest("No query string allowed: found: "+request.getQueryString()) ;
// For later...
@SuppressWarnings("unchecked")
Enumeration<String> en = request.getParameterNames() ;
if ( en.hasMoreElements() )
errorBadRequest("No request parameters allowed") ;
String charset = request.getCharacterEncoding() ;
if ( charset != null && ! charset.equalsIgnoreCase(WebContent.charsetUTF8) )
errorBadRequest("Bad charset: "+charset) ;
return ;
}
if ( WebContent.contentTypeForm.equals(ctStr) )
{
String requestStr = request.getParameter(paramUpdate) ;
if ( requestStr == null )
requestStr = request.getParameter(paramRequest) ;
if ( requestStr == null )
errorBadRequest("SPARQL Update: No update= in HTML form") ;
@SuppressWarnings("unchecked")
Enumeration<String> en = request.getParameterNames() ;
for ( ; en.hasMoreElements() ; )
{
String name = en.nextElement() ;
if ( !name.equals(paramRequest) && !name.equals(paramUpdate) )
errorBadRequest("SPARQL Update: Unrecognized update request parameter: "+name) ;
}
return ;
}
- error(HttpSC.UNSUPPORTED_MEDIA_TYPE_415, "Must be "+WebContent.contentTypeSPARQLUpdate+" or "+WebContent.contentTypeForm) ;
+ error(HttpSC.UNSUPPORTED_MEDIA_TYPE_415, "Must be "+WebContent.contentTypeSPARQLUpdate+" or "+WebContent.contentTypeForm+" (got "+ctStr+")") ;
}
private void executeBody(HttpActionUpdate action)
{
InputStream input = null ;
try { input = action.request.getInputStream() ; }
catch (IOException ex) { errorOccurred(ex) ; }
UpdateRequest req ;
try {
if ( action.verbose )
{
// Verbose mode only .... capture request for logging (does not scale).
// Content-Length.
//String requestStr = IO.readWholeFileAsUTF8(action.request.getInputStream()) ;
// (fixed)Bug in atlas.IO
byte[] b = IO.readWholeFile(input) ;
String requestStr = Bytes.bytes2string(b) ;
String requestStrLog = formatForLog(requestStr) ;
requestLog.info(format("[%d] Update = %s", action.id, requestStrLog)) ;
req = UpdateFactory.create(requestStr, Syntax.syntaxARQ) ;
}
else
req = UpdateFactory.read(input, Syntax.syntaxARQ) ;
}
catch (UpdateException ex) { errorBadRequest(ex.getMessage()) ; req = null ; }
catch (QueryParseException ex) { errorBadRequest(messageForQPE(ex)) ; req = null ; }
execute(action, req) ;
successNoContent(action) ;
}
private void executeForm(HttpActionUpdate action)
{
String requestStr = action.request.getParameter(paramUpdate) ;
if ( requestStr == null )
requestStr = action.request.getParameter(paramRequest) ;
if ( action.verbose )
requestLog.info(format("[%d] Form update = %s", action.id, formatForLog(requestStr))) ;
UpdateRequest req ;
try {
req = UpdateFactory.create(requestStr, updateParseBase) ;
}
catch (UpdateException ex) { errorBadRequest(ex.getMessage()) ; req = null ; }
catch (QueryParseException ex) { errorBadRequest(messageForQPE(ex)) ; req = null ; }
execute(action, req) ;
successPage(action,"Update succeeded") ;
}
private void execute(HttpActionUpdate action, UpdateRequest updateRequest)
{
//GraphStore graphStore = GraphStoreFactory.create(action.dsg) ;
action.beginWrite() ;
try {
UpdateAction.execute(updateRequest, action.getActiveDSG()) ;
action.commit() ;
}
catch ( UpdateException ex) { action.abort() ; errorBadRequest(ex.getMessage()) ; }
finally { action.endWrite() ; }
}
}
| true | true | private void validate(HttpServletRequest request)
{
// WebContent needs to migrate to using ContentType.
String ctStr ;
{
ContentType incoming = FusekiLib.contentType(request) ;
if ( incoming == null )
ctStr = WebContent.contentTypeSPARQLUpdate ;
else
ctStr = incoming.getContentType() ;
}
// ----
if ( WebContent.contentTypeSPARQLUpdate.equals(ctStr) )
{
// For now, all query string stuff is not allowed.
if ( request.getQueryString() != null )
errorBadRequest("No query string allowed: found: "+request.getQueryString()) ;
// For later...
@SuppressWarnings("unchecked")
Enumeration<String> en = request.getParameterNames() ;
if ( en.hasMoreElements() )
errorBadRequest("No request parameters allowed") ;
String charset = request.getCharacterEncoding() ;
if ( charset != null && ! charset.equalsIgnoreCase(WebContent.charsetUTF8) )
errorBadRequest("Bad charset: "+charset) ;
return ;
}
if ( WebContent.contentTypeForm.equals(ctStr) )
{
String requestStr = request.getParameter(paramUpdate) ;
if ( requestStr == null )
requestStr = request.getParameter(paramRequest) ;
if ( requestStr == null )
errorBadRequest("SPARQL Update: No update= in HTML form") ;
@SuppressWarnings("unchecked")
Enumeration<String> en = request.getParameterNames() ;
for ( ; en.hasMoreElements() ; )
{
String name = en.nextElement() ;
if ( !name.equals(paramRequest) && !name.equals(paramUpdate) )
errorBadRequest("SPARQL Update: Unrecognized update request parameter: "+name) ;
}
return ;
}
error(HttpSC.UNSUPPORTED_MEDIA_TYPE_415, "Must be "+WebContent.contentTypeSPARQLUpdate+" or "+WebContent.contentTypeForm) ;
}
| private void validate(HttpServletRequest request)
{
// WebContent needs to migrate to using ContentType.
String ctStr ;
{
ContentType incoming = FusekiLib.contentType(request) ;
if ( incoming == null )
ctStr = WebContent.contentTypeSPARQLUpdate ;
else
ctStr = incoming.getContentType() ;
}
// ----
if ( WebContent.contentTypeSPARQLUpdate.equals(ctStr) )
{
// For now, all query string stuff is not allowed.
if ( request.getQueryString() != null )
errorBadRequest("No query string allowed: found: "+request.getQueryString()) ;
// For later...
@SuppressWarnings("unchecked")
Enumeration<String> en = request.getParameterNames() ;
if ( en.hasMoreElements() )
errorBadRequest("No request parameters allowed") ;
String charset = request.getCharacterEncoding() ;
if ( charset != null && ! charset.equalsIgnoreCase(WebContent.charsetUTF8) )
errorBadRequest("Bad charset: "+charset) ;
return ;
}
if ( WebContent.contentTypeForm.equals(ctStr) )
{
String requestStr = request.getParameter(paramUpdate) ;
if ( requestStr == null )
requestStr = request.getParameter(paramRequest) ;
if ( requestStr == null )
errorBadRequest("SPARQL Update: No update= in HTML form") ;
@SuppressWarnings("unchecked")
Enumeration<String> en = request.getParameterNames() ;
for ( ; en.hasMoreElements() ; )
{
String name = en.nextElement() ;
if ( !name.equals(paramRequest) && !name.equals(paramUpdate) )
errorBadRequest("SPARQL Update: Unrecognized update request parameter: "+name) ;
}
return ;
}
error(HttpSC.UNSUPPORTED_MEDIA_TYPE_415, "Must be "+WebContent.contentTypeSPARQLUpdate+" or "+WebContent.contentTypeForm+" (got "+ctStr+")") ;
}
|
diff --git a/nl.dslmeinte.xtext.sgml.test.simplemarkup/src/nl/dslmeinte/xtext/sgml/test/simplemarkup/naming/SimpleMarkupNameProvider.java b/nl.dslmeinte.xtext.sgml.test.simplemarkup/src/nl/dslmeinte/xtext/sgml/test/simplemarkup/naming/SimpleMarkupNameProvider.java
index 6a04f3c..a913d0e 100644
--- a/nl.dslmeinte.xtext.sgml.test.simplemarkup/src/nl/dslmeinte/xtext/sgml/test/simplemarkup/naming/SimpleMarkupNameProvider.java
+++ b/nl.dslmeinte.xtext.sgml.test.simplemarkup/src/nl/dslmeinte/xtext/sgml/test/simplemarkup/naming/SimpleMarkupNameProvider.java
@@ -1,24 +1,25 @@
package nl.dslmeinte.xtext.sgml.test.simplemarkup.naming;
import nl.dslmeinte.xtext.sgml.test.simplemarkup.simplemarkup.Section;
import org.eclipse.emf.ecore.EObject;
import org.eclipse.xtext.naming.QualifiedName;
import org.eclipse.xtext.naming.SimpleNameProvider;
public class SimpleMarkupNameProvider extends SimpleNameProvider {
/**
* The qualified name of {@link Section} is
* {@code this.Section_tagOpen.attributes.name} without surrounding quotes -
* all other {@link EObject}s are delegated to {@link SimpleNameProvider}.
*/
@Override
public QualifiedName getFullyQualifiedName(EObject object) {
if( object instanceof Section ) {
- return QualifiedName.create( ((Section) object).getSection_tagOpen().getAttributes().getName() );
+ String name = ((Section) object).getSection_tagOpen().getAttributes().getName();
+ return name != null ? QualifiedName.create(name) : null;
}
return super.getFullyQualifiedName(object);
}
}
| true | true | public QualifiedName getFullyQualifiedName(EObject object) {
if( object instanceof Section ) {
return QualifiedName.create( ((Section) object).getSection_tagOpen().getAttributes().getName() );
}
return super.getFullyQualifiedName(object);
}
| public QualifiedName getFullyQualifiedName(EObject object) {
if( object instanceof Section ) {
String name = ((Section) object).getSection_tagOpen().getAttributes().getName();
return name != null ? QualifiedName.create(name) : null;
}
return super.getFullyQualifiedName(object);
}
|
diff --git a/bw-calendar-client-webcommon/src/main/java/org/bedework/webcommon/category/FetchCategoriesAction.java b/bw-calendar-client-webcommon/src/main/java/org/bedework/webcommon/category/FetchCategoriesAction.java
index 3aead06..9c49584 100644
--- a/bw-calendar-client-webcommon/src/main/java/org/bedework/webcommon/category/FetchCategoriesAction.java
+++ b/bw-calendar-client-webcommon/src/main/java/org/bedework/webcommon/category/FetchCategoriesAction.java
@@ -1,45 +1,45 @@
/* ********************************************************************
Licensed to Jasig under one or more contributor license
agreements. See the NOTICE file distributed with this work
for additional information regarding copyright ownership.
Jasig licenses this file to you under the Apache License,
Version 2.0 (the "License"); you may not use this file
except in compliance with the License. You may obtain a
copy of the License at:
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing,
software distributed under the License is distributed on
an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
KIND, either express or implied. See the License for the
specific language governing permissions and limitations
under the License.
*/
package org.bedework.webcommon.category;
import org.bedework.webcommon.BwAbstractAction;
import org.bedework.webcommon.BwActionFormBase;
import org.bedework.webcommon.BwRequest;
import org.bedework.webcommon.BwSession;
/** This action fetches all categories and embeds them in the session.
*
* <p>Forwards to:<ul>
* <li>"success" ok.</li>
* </ul>
*
* @author Mike Douglass [email protected]
*/
public class FetchCategoriesAction extends BwAbstractAction {
/* (non-Javadoc)
* @see org.bedework.webcommon.BwAbstractAction#doAction(org.bedework.webcommon.BwRequest, org.bedework.webcommon.BwActionFormBase)
*/
public int doAction(BwRequest request,
BwActionFormBase form) throws Throwable {
- request.getSess().embedCategories(request, false,
+ request.getSess().embedCategories(request, true,
BwSession.editableEntity);
return forwardSuccess;
}
}
| true | true | public int doAction(BwRequest request,
BwActionFormBase form) throws Throwable {
request.getSess().embedCategories(request, false,
BwSession.editableEntity);
return forwardSuccess;
}
| public int doAction(BwRequest request,
BwActionFormBase form) throws Throwable {
request.getSess().embedCategories(request, true,
BwSession.editableEntity);
return forwardSuccess;
}
|
diff --git a/openejb/container/openejb-core/src/main/java/org/apache/openejb/cdi/CdiBuilder.java b/openejb/container/openejb-core/src/main/java/org/apache/openejb/cdi/CdiBuilder.java
index bd3631993..63956baa1 100644
--- a/openejb/container/openejb-core/src/main/java/org/apache/openejb/cdi/CdiBuilder.java
+++ b/openejb/container/openejb-core/src/main/java/org/apache/openejb/cdi/CdiBuilder.java
@@ -1,77 +1,78 @@
/*
* Licensed to the Apache Software Foundation (ASF) under one or more
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
* The ASF licenses this file to You under the Apache License, Version 2.0
* (the "License"); you may not use this file except in compliance with
* the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package org.apache.openejb.cdi;
import java.util.List;
import org.apache.openejb.AppContext;
import org.apache.openejb.BeanContext;
import org.apache.openejb.assembler.classic.AppInfo;
import org.apache.openejb.assembler.classic.EjbJarInfo;
import org.apache.openejb.core.ThreadContext;
import org.apache.openejb.loader.SystemInstance;
import org.apache.webbeans.config.WebBeansContext;
import org.apache.webbeans.config.WebBeansFinder;
import org.apache.webbeans.logger.WebBeansLogger;
/**
* @version $Rev$ $Date$
*/
public class CdiBuilder {
private static final WebBeansLogger logger = WebBeansLogger.getLogger(CdiBuilder.class);
public CdiBuilder() {
}
public void build(AppInfo appInfo, AppContext appContext, List<BeanContext> allDeployments) {
ThreadContext.addThreadContextListener(new RequestScopedThreadContextListener());
ThreadSingletonService singletonService = SystemInstance.get().getComponent(ThreadSingletonService.class);
logger.info("existing thread singleton service in SystemInstance() " + singletonService);
//TODO hack for tests. Currently initialized in OpenEJB line 90. cf alternative in AccessTimeoutTest which would
//presumably have to be replicated in about 70 other tests.
if (singletonService == null) {
singletonService = initializeOWB(getClass().getClassLoader());
}
singletonService.initialize(new StartupObject(appContext, appInfo, allDeployments));
}
private boolean hasBeans(AppInfo appInfo) {
for (EjbJarInfo ejbJar : appInfo.ejbJars) {
if (ejbJar.beans != null) return true;
}
return false;
}
public static ThreadSingletonService initializeOWB(ClassLoader classLoader) {
ThreadSingletonService singletonService = new ThreadSingletonServiceImpl();
logger.info("Created new singletonService " + singletonService);
SystemInstance.get().setComponent(ThreadSingletonService.class, singletonService);
try {
WebBeansFinder.setSingletonService(singletonService);
logger.info("succeeded in installing singleton service");
} catch (Exception e) {
//ignore
- logger.info("Could not install our singleton service", e);
+ // not logging the exception since it is nto an error
+ logger.info("Could not install our singleton service");
}
//TODO there must be a better place to initialize this
ThreadContext.addThreadContextListener(new OWBContextThreadListener());
return singletonService;
}
}
| true | true | public static ThreadSingletonService initializeOWB(ClassLoader classLoader) {
ThreadSingletonService singletonService = new ThreadSingletonServiceImpl();
logger.info("Created new singletonService " + singletonService);
SystemInstance.get().setComponent(ThreadSingletonService.class, singletonService);
try {
WebBeansFinder.setSingletonService(singletonService);
logger.info("succeeded in installing singleton service");
} catch (Exception e) {
//ignore
logger.info("Could not install our singleton service", e);
}
//TODO there must be a better place to initialize this
ThreadContext.addThreadContextListener(new OWBContextThreadListener());
return singletonService;
}
| public static ThreadSingletonService initializeOWB(ClassLoader classLoader) {
ThreadSingletonService singletonService = new ThreadSingletonServiceImpl();
logger.info("Created new singletonService " + singletonService);
SystemInstance.get().setComponent(ThreadSingletonService.class, singletonService);
try {
WebBeansFinder.setSingletonService(singletonService);
logger.info("succeeded in installing singleton service");
} catch (Exception e) {
//ignore
// not logging the exception since it is nto an error
logger.info("Could not install our singleton service");
}
//TODO there must be a better place to initialize this
ThreadContext.addThreadContextListener(new OWBContextThreadListener());
return singletonService;
}
|
diff --git a/src/Core/org/objectweb/proactive/core/util/TimeoutAccounter.java b/src/Core/org/objectweb/proactive/core/util/TimeoutAccounter.java
index 7b381a9b1..82d0dcd90 100644
--- a/src/Core/org/objectweb/proactive/core/util/TimeoutAccounter.java
+++ b/src/Core/org/objectweb/proactive/core/util/TimeoutAccounter.java
@@ -1,51 +1,52 @@
package org.objectweb.proactive.core.util;
/**
* All time are in milliseconds
* We use System.nanoTime() as it tries to be monotonic
*/
public class TimeoutAccounter {
private final long timeout;
private long start;
private static final TimeoutAccounter NO_TIMEOUT = new TimeoutAccounter(0);
private TimeoutAccounter(long timeout) {
if (timeout < 0) {
throw new IllegalArgumentException("Negative timeout: " + timeout);
}
this.timeout = timeout;
if (this.timeout != 0) {
this.start = System.nanoTime() / 1000000;
}
}
public static TimeoutAccounter getAccounter(long timeout) {
if (timeout == 0) {
return NO_TIMEOUT;
}
return new TimeoutAccounter(timeout);
}
public boolean isTimeoutElapsed() {
return (this.timeout != 0) &&
(((System.nanoTime() / 1000000) - this.start) >= this.timeout);
}
/**
* Will never return 0 if a timeout was originally specified,
* that's why you must check isTimeoutElapsed() before.
*/
public long getRemainingTimeout() {
long remainingTimeout = 0;
if (this.timeout != 0) {
- remainingTimeout = (System.nanoTime() / 1000000) - start - timeout;
+ long elapsedTime = (System.nanoTime() / 1000000) - start;
+ remainingTimeout = timeout - elapsedTime;
if (remainingTimeout <= 0) {
/* Returning a timeout of 0 would mean infinite timeout */
remainingTimeout = 1;
}
}
return remainingTimeout;
}
}
| true | true | public long getRemainingTimeout() {
long remainingTimeout = 0;
if (this.timeout != 0) {
remainingTimeout = (System.nanoTime() / 1000000) - start - timeout;
if (remainingTimeout <= 0) {
/* Returning a timeout of 0 would mean infinite timeout */
remainingTimeout = 1;
}
}
return remainingTimeout;
}
| public long getRemainingTimeout() {
long remainingTimeout = 0;
if (this.timeout != 0) {
long elapsedTime = (System.nanoTime() / 1000000) - start;
remainingTimeout = timeout - elapsedTime;
if (remainingTimeout <= 0) {
/* Returning a timeout of 0 would mean infinite timeout */
remainingTimeout = 1;
}
}
return remainingTimeout;
}
|
diff --git a/bugrap-ui/src/main/java/com/vaadin/training/bugrap/view/reports/components/ReportEditLayout.java b/bugrap-ui/src/main/java/com/vaadin/training/bugrap/view/reports/components/ReportEditLayout.java
index 0377be8..49b1cb6 100644
--- a/bugrap-ui/src/main/java/com/vaadin/training/bugrap/view/reports/components/ReportEditLayout.java
+++ b/bugrap-ui/src/main/java/com/vaadin/training/bugrap/view/reports/components/ReportEditLayout.java
@@ -1,190 +1,191 @@
package com.vaadin.training.bugrap.view.reports.components;
import com.vaadin.data.fieldgroup.FieldGroup;
import com.vaadin.data.util.BeanItem;
import com.vaadin.event.ShortcutAction;
import com.vaadin.server.BrowserWindowOpener;
import com.vaadin.training.bugrap.domain.entity.*;
import com.vaadin.training.bugrap.view.reports.ReportsPresenter;
import com.vaadin.ui.*;
public class ReportEditLayout extends VerticalLayout {
private ReportsPresenter presenter;
private FieldGroup fieldGroup;
private final NativeSelect priorityCombobox;
private final NativeSelect typeCombobox;
private final NativeSelect statusCombobox;
private final NativeSelect assignedCombobox;
private final NativeSelect versionCombobox;
private final TextArea descriptionTextArea;
private final Label reportSummaryLabel;
private final Button updateButton;
private final Button newWindowButton;
private final TextField reportSummaryField;
public void setPresenter(ReportsPresenter presenter) {
this.presenter = presenter;
}
public ReportEditLayout() {
setSizeFull();
setMargin(true);
HorizontalLayout headerLayout = new HorizontalLayout();
headerLayout.setSpacing(true);
headerLayout.setWidth("100%");
newWindowButton = new Button("New window", new Button.ClickListener() {
@Override
public void buttonClick(Button.ClickEvent event) {
presenter.newWindowReportButtonClicked();
}
});
headerLayout.addComponent(newWindowButton);
reportSummaryLabel = new Label();
reportSummaryLabel.setWidth("100%");
headerLayout.addComponent(reportSummaryLabel);
+ headerLayout.setComponentAlignment(reportSummaryLabel, Alignment.MIDDLE_CENTER);
headerLayout.setExpandRatio(reportSummaryLabel, 1.0f);
reportSummaryField = new TextField();
reportSummaryField.setNullRepresentation("");
reportSummaryField.setVisible(false);
reportSummaryField.setWidth("100%");
headerLayout.addComponent(reportSummaryField);
addComponent(headerLayout);
HorizontalLayout reportFormLayout = new HorizontalLayout();
reportFormLayout.setSpacing(true);
priorityCombobox = new NativeSelect("Priority");
priorityCombobox.setNullSelectionAllowed(false);
for (ReportPriority priority : ReportPriority.values()) {
priorityCombobox.addItem(priority);
StringBuilder builder = new StringBuilder();
for (int i = ReportPriority.values().length; i >= priority.ordinal(); i--) {
builder.append("I");
}
priorityCombobox.setItemCaption(priority, builder.toString());
}
reportFormLayout.addComponent(priorityCombobox);
priorityCombobox.setNullSelectionAllowed(false);
typeCombobox = new NativeSelect("Type");
typeCombobox.setNullSelectionAllowed(false);
for (ReportType reportType : ReportType.values()) {
typeCombobox.addItem(reportType);
typeCombobox.setItemCaption(reportType, reportType.toString());
}
reportFormLayout.addComponent(typeCombobox);
statusCombobox = new NativeSelect("Status");
statusCombobox.setNullSelectionAllowed(false);
for (ReportStatus reportStatus : ReportStatus.values()) {
statusCombobox.addItem(reportStatus);
statusCombobox.setItemCaption(reportStatus, reportStatus.toString());
}
reportFormLayout.addComponent(statusCombobox);
assignedCombobox = new NativeSelect("Assigned to");
assignedCombobox.setNullSelectionAllowed(false);
reportFormLayout.addComponent(assignedCombobox);
versionCombobox = new NativeSelect("Version");
versionCombobox.setNullSelectionAllowed(false);
reportFormLayout.addComponent(versionCombobox);
updateButton = new Button("Update", new Button.ClickListener() {
@Override
public void buttonClick(Button.ClickEvent event) {
try {
fieldGroup.commit();
presenter.reportUpdated();
} catch (FieldGroup.CommitException e) {
Notification.show("Can't save the report", Notification.Type.ERROR_MESSAGE);
}
}
});
reportFormLayout.addComponent(updateButton);
reportFormLayout.setComponentAlignment(updateButton, Alignment.BOTTOM_CENTER);
Button revertButton = new Button("Revert", new Button.ClickListener() {
@Override
public void buttonClick(Button.ClickEvent event) {
fieldGroup.discard();
}
});
reportFormLayout.addComponent(revertButton);
reportFormLayout.setComponentAlignment(revertButton, Alignment.BOTTOM_CENTER);
addComponent(reportFormLayout);
descriptionTextArea = new TextArea();
descriptionTextArea.setSizeFull();
descriptionTextArea.setNullRepresentation("");
addComponent(descriptionTextArea);
setExpandRatio(descriptionTextArea, 1.0f);
setSpacing(true);
}
public void showReport(Report report) {
fieldGroup = new FieldGroup(new BeanItem<Report>(report));
fieldGroup.bind(reportSummaryField, "summary");
fieldGroup.bind(priorityCombobox, "priority");
fieldGroup.bind(typeCombobox, "type");
fieldGroup.bind(statusCombobox, "status");
fieldGroup.bind(assignedCombobox, "assigned");
fieldGroup.bind(versionCombobox, "projectVersion");
fieldGroup.bind(descriptionTextArea, "description");
if (report.getProjectVersion() != null) {
Project project = report.getProjectVersion().getProject();
populateDataFromProject(project);
}
reportSummaryLabel.setValue(report.getSummary());
priorityCombobox.setValue(report.getPriority());
typeCombobox.setValue(report.getType());
statusCombobox.setValue(report.getStatus());
versionCombobox.setValue(report.getProjectVersion());
assignedCombobox.setValue(report.getAssigned());
descriptionTextArea.setValue(report.getDescription());
updateButton.setClickShortcut(ShortcutAction.KeyCode.ENTER);
updateButton.focus();
}
public void hideNewWindowButton() {
newWindowButton.setVisible(false);
}
public void populateDataFromProject(Project project) {
versionCombobox.removeAllItems();
for (ProjectVersion projectVersion : project.getProjectVersions()) {
versionCombobox.addItem(projectVersion);
versionCombobox.setItemCaption(projectVersion, projectVersion.getVersion());
}
assignedCombobox.removeAllItems();
for (User user : project.getParticipants()) {
assignedCombobox.addItem(user);
assignedCombobox.setItemCaption(user, user.getName());
}
}
public void enableEditableSummary() {
reportSummaryLabel.setVisible(false);
reportSummaryField.setVisible(true);
}
}
| true | true | public ReportEditLayout() {
setSizeFull();
setMargin(true);
HorizontalLayout headerLayout = new HorizontalLayout();
headerLayout.setSpacing(true);
headerLayout.setWidth("100%");
newWindowButton = new Button("New window", new Button.ClickListener() {
@Override
public void buttonClick(Button.ClickEvent event) {
presenter.newWindowReportButtonClicked();
}
});
headerLayout.addComponent(newWindowButton);
reportSummaryLabel = new Label();
reportSummaryLabel.setWidth("100%");
headerLayout.addComponent(reportSummaryLabel);
headerLayout.setExpandRatio(reportSummaryLabel, 1.0f);
reportSummaryField = new TextField();
reportSummaryField.setNullRepresentation("");
reportSummaryField.setVisible(false);
reportSummaryField.setWidth("100%");
headerLayout.addComponent(reportSummaryField);
addComponent(headerLayout);
HorizontalLayout reportFormLayout = new HorizontalLayout();
reportFormLayout.setSpacing(true);
priorityCombobox = new NativeSelect("Priority");
priorityCombobox.setNullSelectionAllowed(false);
for (ReportPriority priority : ReportPriority.values()) {
priorityCombobox.addItem(priority);
StringBuilder builder = new StringBuilder();
for (int i = ReportPriority.values().length; i >= priority.ordinal(); i--) {
builder.append("I");
}
priorityCombobox.setItemCaption(priority, builder.toString());
}
reportFormLayout.addComponent(priorityCombobox);
priorityCombobox.setNullSelectionAllowed(false);
typeCombobox = new NativeSelect("Type");
typeCombobox.setNullSelectionAllowed(false);
for (ReportType reportType : ReportType.values()) {
typeCombobox.addItem(reportType);
typeCombobox.setItemCaption(reportType, reportType.toString());
}
reportFormLayout.addComponent(typeCombobox);
statusCombobox = new NativeSelect("Status");
statusCombobox.setNullSelectionAllowed(false);
for (ReportStatus reportStatus : ReportStatus.values()) {
statusCombobox.addItem(reportStatus);
statusCombobox.setItemCaption(reportStatus, reportStatus.toString());
}
reportFormLayout.addComponent(statusCombobox);
assignedCombobox = new NativeSelect("Assigned to");
assignedCombobox.setNullSelectionAllowed(false);
reportFormLayout.addComponent(assignedCombobox);
versionCombobox = new NativeSelect("Version");
versionCombobox.setNullSelectionAllowed(false);
reportFormLayout.addComponent(versionCombobox);
updateButton = new Button("Update", new Button.ClickListener() {
@Override
public void buttonClick(Button.ClickEvent event) {
try {
fieldGroup.commit();
presenter.reportUpdated();
} catch (FieldGroup.CommitException e) {
Notification.show("Can't save the report", Notification.Type.ERROR_MESSAGE);
}
}
});
reportFormLayout.addComponent(updateButton);
reportFormLayout.setComponentAlignment(updateButton, Alignment.BOTTOM_CENTER);
Button revertButton = new Button("Revert", new Button.ClickListener() {
@Override
public void buttonClick(Button.ClickEvent event) {
fieldGroup.discard();
}
});
reportFormLayout.addComponent(revertButton);
reportFormLayout.setComponentAlignment(revertButton, Alignment.BOTTOM_CENTER);
addComponent(reportFormLayout);
descriptionTextArea = new TextArea();
descriptionTextArea.setSizeFull();
descriptionTextArea.setNullRepresentation("");
addComponent(descriptionTextArea);
setExpandRatio(descriptionTextArea, 1.0f);
setSpacing(true);
}
| public ReportEditLayout() {
setSizeFull();
setMargin(true);
HorizontalLayout headerLayout = new HorizontalLayout();
headerLayout.setSpacing(true);
headerLayout.setWidth("100%");
newWindowButton = new Button("New window", new Button.ClickListener() {
@Override
public void buttonClick(Button.ClickEvent event) {
presenter.newWindowReportButtonClicked();
}
});
headerLayout.addComponent(newWindowButton);
reportSummaryLabel = new Label();
reportSummaryLabel.setWidth("100%");
headerLayout.addComponent(reportSummaryLabel);
headerLayout.setComponentAlignment(reportSummaryLabel, Alignment.MIDDLE_CENTER);
headerLayout.setExpandRatio(reportSummaryLabel, 1.0f);
reportSummaryField = new TextField();
reportSummaryField.setNullRepresentation("");
reportSummaryField.setVisible(false);
reportSummaryField.setWidth("100%");
headerLayout.addComponent(reportSummaryField);
addComponent(headerLayout);
HorizontalLayout reportFormLayout = new HorizontalLayout();
reportFormLayout.setSpacing(true);
priorityCombobox = new NativeSelect("Priority");
priorityCombobox.setNullSelectionAllowed(false);
for (ReportPriority priority : ReportPriority.values()) {
priorityCombobox.addItem(priority);
StringBuilder builder = new StringBuilder();
for (int i = ReportPriority.values().length; i >= priority.ordinal(); i--) {
builder.append("I");
}
priorityCombobox.setItemCaption(priority, builder.toString());
}
reportFormLayout.addComponent(priorityCombobox);
priorityCombobox.setNullSelectionAllowed(false);
typeCombobox = new NativeSelect("Type");
typeCombobox.setNullSelectionAllowed(false);
for (ReportType reportType : ReportType.values()) {
typeCombobox.addItem(reportType);
typeCombobox.setItemCaption(reportType, reportType.toString());
}
reportFormLayout.addComponent(typeCombobox);
statusCombobox = new NativeSelect("Status");
statusCombobox.setNullSelectionAllowed(false);
for (ReportStatus reportStatus : ReportStatus.values()) {
statusCombobox.addItem(reportStatus);
statusCombobox.setItemCaption(reportStatus, reportStatus.toString());
}
reportFormLayout.addComponent(statusCombobox);
assignedCombobox = new NativeSelect("Assigned to");
assignedCombobox.setNullSelectionAllowed(false);
reportFormLayout.addComponent(assignedCombobox);
versionCombobox = new NativeSelect("Version");
versionCombobox.setNullSelectionAllowed(false);
reportFormLayout.addComponent(versionCombobox);
updateButton = new Button("Update", new Button.ClickListener() {
@Override
public void buttonClick(Button.ClickEvent event) {
try {
fieldGroup.commit();
presenter.reportUpdated();
} catch (FieldGroup.CommitException e) {
Notification.show("Can't save the report", Notification.Type.ERROR_MESSAGE);
}
}
});
reportFormLayout.addComponent(updateButton);
reportFormLayout.setComponentAlignment(updateButton, Alignment.BOTTOM_CENTER);
Button revertButton = new Button("Revert", new Button.ClickListener() {
@Override
public void buttonClick(Button.ClickEvent event) {
fieldGroup.discard();
}
});
reportFormLayout.addComponent(revertButton);
reportFormLayout.setComponentAlignment(revertButton, Alignment.BOTTOM_CENTER);
addComponent(reportFormLayout);
descriptionTextArea = new TextArea();
descriptionTextArea.setSizeFull();
descriptionTextArea.setNullRepresentation("");
addComponent(descriptionTextArea);
setExpandRatio(descriptionTextArea, 1.0f);
setSpacing(true);
}
|
diff --git a/src/game/util/IO/Net/GameClientListeners.java b/src/game/util/IO/Net/GameClientListeners.java
index 717096e..a60cbca 100644
--- a/src/game/util/IO/Net/GameClientListeners.java
+++ b/src/game/util/IO/Net/GameClientListeners.java
@@ -1,66 +1,66 @@
package game.util.IO.Net;
import java.util.Iterator;
import game.client.Entity.Character;
import game.client.Entity.Spell.ProjectileSpell;
import game.client.Entity.Spell.Spell;
import game.client.Game.MainGame;
import static game.client.Game.MainGame.*;
import game.util.IO.Net.Network.CastProjectileSpell;
import game.util.IO.Net.Network.EntityInfo;
import game.util.IO.Net.Network.KillSpell;
import game.util.IO.Net.Network.RemovePlayer;
import game.util.IO.Net.Network.UpdatePlayer;
import com.esotericsoftware.kryonet.Connection;
import com.esotericsoftware.kryonet.Listener;
import com.esotericsoftware.kryonet.Listener.ThreadedListener;
public class GameClientListeners {
public static void createListeners() {
client.addListener(new ThreadedListener(new Listener() {
public void connected (Connection connection) {
}
public void received (Connection connection, Object object) {
if (object instanceof UpdatePlayer) {
UpdatePlayer up = (UpdatePlayer)object;
if (up.playerInfo.player == null)
return;
if (up.playerInfo.player.equals(player.getPlayerID())) {
player.setEntityInfo(up.playerInfo.entityInfo);
return;
} else if (!players.containsKey(up.playerInfo.player)) {
players.put(up.playerInfo.player, new Character(up.playerInfo.entityInfo));
} else {
EntityInfo ci = players.get(up.playerInfo.player).getEntityInfo();
if (ci.deltaX != up.playerInfo.entityInfo.deltaX ||
ci.deltaY != up.playerInfo.entityInfo.deltaY)
players.get(up.playerInfo.player).setEntityInfo(up.playerInfo.entityInfo);
}
}
if (object instanceof RemovePlayer) {
players.remove(((RemovePlayer)object).username);
}
if (object instanceof CastProjectileSpell) {
- ProjectileSpell s = new ProjectileSpell(((CastProjectileSpell)object).type, true);
+ ProjectileSpell s = new ProjectileSpell(((CastProjectileSpell)object).type, true, ((CastProjectileSpell)object).id);
s.setProjectileSpellInfo(((CastProjectileSpell)object).entityInfo);
MainGame.spells.add(s);
}
if (object instanceof KillSpell) {
synchronized (spells) {
Iterator<Spell> it = spells.iterator();
while (it.hasNext()) {
Spell s = it.next();
if (s.getId() == ((KillSpell)object).id)
s.die();
}
}
}
}
public void disconnected (Connection connection) {
}
}));
}
}
| true | true | public static void createListeners() {
client.addListener(new ThreadedListener(new Listener() {
public void connected (Connection connection) {
}
public void received (Connection connection, Object object) {
if (object instanceof UpdatePlayer) {
UpdatePlayer up = (UpdatePlayer)object;
if (up.playerInfo.player == null)
return;
if (up.playerInfo.player.equals(player.getPlayerID())) {
player.setEntityInfo(up.playerInfo.entityInfo);
return;
} else if (!players.containsKey(up.playerInfo.player)) {
players.put(up.playerInfo.player, new Character(up.playerInfo.entityInfo));
} else {
EntityInfo ci = players.get(up.playerInfo.player).getEntityInfo();
if (ci.deltaX != up.playerInfo.entityInfo.deltaX ||
ci.deltaY != up.playerInfo.entityInfo.deltaY)
players.get(up.playerInfo.player).setEntityInfo(up.playerInfo.entityInfo);
}
}
if (object instanceof RemovePlayer) {
players.remove(((RemovePlayer)object).username);
}
if (object instanceof CastProjectileSpell) {
ProjectileSpell s = new ProjectileSpell(((CastProjectileSpell)object).type, true);
s.setProjectileSpellInfo(((CastProjectileSpell)object).entityInfo);
MainGame.spells.add(s);
}
if (object instanceof KillSpell) {
synchronized (spells) {
Iterator<Spell> it = spells.iterator();
while (it.hasNext()) {
Spell s = it.next();
if (s.getId() == ((KillSpell)object).id)
s.die();
}
}
}
}
public void disconnected (Connection connection) {
}
}));
}
| public static void createListeners() {
client.addListener(new ThreadedListener(new Listener() {
public void connected (Connection connection) {
}
public void received (Connection connection, Object object) {
if (object instanceof UpdatePlayer) {
UpdatePlayer up = (UpdatePlayer)object;
if (up.playerInfo.player == null)
return;
if (up.playerInfo.player.equals(player.getPlayerID())) {
player.setEntityInfo(up.playerInfo.entityInfo);
return;
} else if (!players.containsKey(up.playerInfo.player)) {
players.put(up.playerInfo.player, new Character(up.playerInfo.entityInfo));
} else {
EntityInfo ci = players.get(up.playerInfo.player).getEntityInfo();
if (ci.deltaX != up.playerInfo.entityInfo.deltaX ||
ci.deltaY != up.playerInfo.entityInfo.deltaY)
players.get(up.playerInfo.player).setEntityInfo(up.playerInfo.entityInfo);
}
}
if (object instanceof RemovePlayer) {
players.remove(((RemovePlayer)object).username);
}
if (object instanceof CastProjectileSpell) {
ProjectileSpell s = new ProjectileSpell(((CastProjectileSpell)object).type, true, ((CastProjectileSpell)object).id);
s.setProjectileSpellInfo(((CastProjectileSpell)object).entityInfo);
MainGame.spells.add(s);
}
if (object instanceof KillSpell) {
synchronized (spells) {
Iterator<Spell> it = spells.iterator();
while (it.hasNext()) {
Spell s = it.next();
if (s.getId() == ((KillSpell)object).id)
s.die();
}
}
}
}
public void disconnected (Connection connection) {
}
}));
}
|
diff --git a/src/com/sk89q/worldguard/bukkit/WorldGuardWorldConfiguration.java b/src/com/sk89q/worldguard/bukkit/WorldGuardWorldConfiguration.java
index c1b582ea..49b20259 100644
--- a/src/com/sk89q/worldguard/bukkit/WorldGuardWorldConfiguration.java
+++ b/src/com/sk89q/worldguard/bukkit/WorldGuardWorldConfiguration.java
@@ -1,314 +1,315 @@
// $Id$
/*
* WorldGuard
* Copyright (C) 2010 sk89q <http://www.sk89q.com>
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package com.sk89q.worldguard.bukkit;
import com.sk89q.worldguard.blacklist.Blacklist;
import com.sk89q.worldguard.blacklist.BlacklistLogger;
import com.sk89q.worldguard.blacklist.loggers.ConsoleLoggerHandler;
import com.sk89q.worldguard.blacklist.loggers.DatabaseLoggerHandler;
import com.sk89q.worldguard.blacklist.loggers.FileLoggerHandler;
import com.sk89q.worldguard.protection.GlobalFlags;
import java.io.File;
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.InputStream;
import java.util.HashSet;
import java.util.Set;
import java.util.logging.Level;
import java.util.logging.Logger;
import org.bukkit.util.config.Configuration;
/**
*
* @author Michael
*/
public class WorldGuardWorldConfiguration {
private static final Logger logger = Logger.getLogger("Minecraft.WorldGuard");
private WorldGuardPlugin wp;
private String worldName;
private File configFile;
private File blacklistFile;
private Blacklist blacklist;
/* Configuration data start */
public boolean fireSpreadDisableToggle;
public boolean enforceOneSession;
public boolean itemDurability;
public boolean classicWater;
public boolean simulateSponge;
public int spongeRadius;
public boolean redstoneSponges;
public boolean noPhysicsGravel;
public boolean noPhysicsSand;
public boolean allowPortalAnywhere;
public Set<Integer> preventWaterDamage;
public boolean blockTNT;
public boolean blockLighter;
public boolean disableFireSpread;
public Set<Integer> disableFireSpreadBlocks;
public boolean preventLavaFire;
public Set<Integer> allowedLavaSpreadOver;
public boolean blockCreeperExplosions;
public boolean blockCreeperBlockDamage;
public int loginProtection;
public int spawnProtection;
public boolean kickOnDeath;
public boolean exactRespawn;
public boolean teleportToHome;
public boolean disableContactDamage;
public boolean disableFallDamage;
public boolean disableLavaDamage;
public boolean disableFireDamage;
public boolean disableDrowningDamage;
public boolean disableSuffocationDamage;
public boolean teleportOnSuffocation;
public boolean useRegions;
public int regionWand = 287;
public String blockCreatureSpawn;
public boolean useiConomy;
public boolean buyOnClaim;
public int buyOnClaimPrice;
/* Configuration data end */
public WorldGuardWorldConfiguration(WorldGuardPlugin wp, String worldName, File configFile, File blacklistFile)
{
this.wp = wp;
this.worldName = worldName;
this.configFile = configFile;
this.blacklistFile = blacklistFile;
createDefaultConfiguration(configFile, "config.yml");
createDefaultConfiguration(blacklistFile, "blacklist.txt");
loadConfiguration();
}
/**
* Create a default configuration file from the .jar.
*
* @param name
*/
public static void createDefaultConfiguration(File actual, String defaultName) {
if (!actual.exists()) {
InputStream input =
WorldGuardPlugin.class.getResourceAsStream("/defaults/" + defaultName);
if (input != null) {
FileOutputStream output = null;
try {
output = new FileOutputStream(actual);
byte[] buf = new byte[8192];
int length = 0;
while ((length = input.read(buf)) > 0) {
output.write(buf, 0, length);
}
logger.info("WorldGuard: Default configuration file written: " + defaultName);
} catch (IOException e) {
e.printStackTrace();
} finally {
try {
if (input != null) {
input.close();
}
} catch (IOException e) {
}
try {
if (output != null) {
output.close();
}
} catch (IOException e) {
}
}
}
}
}
/**
* Load the configuration.
*/
private void loadConfiguration() {
Configuration config = new Configuration(this.configFile);
config.load();
enforceOneSession = config.getBoolean("protection.enforce-single-session", true);
itemDurability = config.getBoolean("protection.item-durability", true);
classicWater = config.getBoolean("simulation.classic-water", false);
simulateSponge = config.getBoolean("simulation.sponge.enable", true);
spongeRadius = Math.max(1, config.getInt("simulation.sponge.radius", 3)) - 1;
redstoneSponges = config.getBoolean("simulation.sponge.redstone", false);
noPhysicsGravel = config.getBoolean("physics.no-physics-gravel", false);
noPhysicsSand = config.getBoolean("physics.no-physics-sand", false);
allowPortalAnywhere = config.getBoolean("physics.allow-portal-anywhere", false);
preventWaterDamage = new HashSet<Integer>(config.getIntList("physics.disable-water-damage-blocks", null));
blockTNT = config.getBoolean("ignition.block-tnt", false);
blockLighter = config.getBoolean("ignition.block-lighter", false);
preventLavaFire = config.getBoolean("fire.disable-lava-fire-spread", true);
disableFireSpread = config.getBoolean("fire.disable-all-fire-spread", false);
disableFireSpreadBlocks = new HashSet<Integer>(config.getIntList("fire.disable-fire-spread-blocks", null));
allowedLavaSpreadOver = new HashSet<Integer>(config.getIntList("fire.lava-spread-blocks", null));
blockCreeperExplosions = config.getBoolean("mobs.block-creeper-explosions", false);
blockCreeperBlockDamage = config.getBoolean("mobs.block-creeper-block-damage", false);
loginProtection = config.getInt("spawn.login-protection", 3);
spawnProtection = config.getInt("spawn.spawn-protection", 0);
kickOnDeath = config.getBoolean("spawn.kick-on-death", false);
exactRespawn = config.getBoolean("spawn.exact-respawn", false);
teleportToHome = config.getBoolean("spawn.teleport-to-home-on-death", false);
disableFallDamage = config.getBoolean("player-damage.disable-fall-damage", false);
disableLavaDamage = config.getBoolean("player-damage.disable-lava-damage", false);
disableFireDamage = config.getBoolean("player-damage.disable-fire-damage", false);
disableDrowningDamage = config.getBoolean("player-damage.disable-drowning-damage", false);
disableSuffocationDamage = config.getBoolean("player-damage.disable-suffocation-damage", false);
disableContactDamage = config.getBoolean("player-damage.disable-contact-damage", false);
teleportOnSuffocation = config.getBoolean("player-damage.teleport-on-suffocation", false);
useRegions = config.getBoolean("regions.enable", true);
regionWand = config.getInt("regions.wand", 287);
useiConomy = config.getBoolean("iconomy.enable", false);
buyOnClaim = config.getBoolean("iconomy.buy-on-claim", false);
buyOnClaimPrice = config.getInt("iconomy.buy-on-claim-price", 1);
+ blockCreatureSpawn = "";
for (String creature : config.getStringList("mobs.block-creature-spawn", null)) {
blockCreatureSpawn += creature.toLowerCase() + " ";
}
GlobalFlags globalFlags = new GlobalFlags();
globalFlags.canBuild = config.getBoolean("regions.default.build", true);
globalFlags.canAccessChests = config.getBoolean("regions.default.chest-access", false);
globalFlags.canPvP = config.getBoolean("regions.default.pvp", true);
globalFlags.canLighter = config.getBoolean("regions.default.lighter", true);
globalFlags.canTnt = config.getBoolean("regions.default.tnt", true);
globalFlags.allowCreeper = config.getBoolean("regions.default.creeper", true);
globalFlags.allowMobDamage = config.getBoolean("regions.default.mobdamage", true);
wp.getGlobalRegionManager().setGlobalFlags(worldName, globalFlags);
// Console log configuration
boolean logConsole = config.getBoolean("blacklist.logging.console.enable", true);
// Database log configuration
boolean logDatabase = config.getBoolean("blacklist.logging.database.enable", false);
String dsn = config.getString("blacklist.logging.database.dsn", "jdbc:mysql://localhost:3306/minecraft");
String user = config.getString("blacklist.logging.database.user", "root");
String pass = config.getString("blacklist.logging.database.pass", "");
String table = config.getString("blacklist.logging.database.table", "blacklist_events");
// File log configuration
boolean logFile = config.getBoolean("blacklist.logging.file.enable", false);
String logFilePattern = config.getString("blacklist.logging.file.path", "worldguard/logs/%Y-%m-%d.log");
int logFileCacheSize = Math.max(1, config.getInt("blacklist.logging.file.open-files", 10));
// Load the blacklist
try {
// If there was an existing blacklist, close loggers
if (blacklist != null) {
blacklist.getLogger().close();
}
// First load the blacklist data from worldguard-blacklist.txt
Blacklist blist = new BukkitBlacklist(wp);
blist.load(blacklistFile);
// If the blacklist is empty, then set the field to null
// and save some resources
if (blist.isEmpty()) {
this.blacklist = null;
} else {
this.blacklist = blist;
logger.log(Level.INFO, "WorldGuard: Blacklist loaded.");
BlacklistLogger blacklistLogger = blist.getLogger();
if (logDatabase) {
blacklistLogger.addHandler(new DatabaseLoggerHandler(dsn, user, pass, table, worldName));
}
if (logConsole) {
blacklistLogger.addHandler(new ConsoleLoggerHandler(worldName));
}
if (logFile) {
FileLoggerHandler handler =
new FileLoggerHandler(logFilePattern, logFileCacheSize, worldName);
blacklistLogger.addHandler(handler);
}
}
} catch (FileNotFoundException e) {
logger.log(Level.WARNING, "WorldGuard blacklist does not exist.");
} catch (IOException e) {
logger.log(Level.WARNING, "Could not load WorldGuard blacklist: "
+ e.getMessage());
}
// Print an overview of settings
if (config.getBoolean("summary-on-start", true)) {
logger.log(Level.INFO, "=============== WorldGuard configuration for world " + worldName + " ===============");
logger.log(Level.INFO, enforceOneSession ? "WorldGuard: Single session is enforced."
: "WorldGuard: Single session is NOT ENFORCED.");
logger.log(Level.INFO, blockTNT ? "WorldGuard: TNT ignition is blocked."
: "WorldGuard: TNT ignition is PERMITTED.");
logger.log(Level.INFO, blockLighter ? "WorldGuard: Lighters are blocked."
: "WorldGuard: Lighters are PERMITTED.");
logger.log(Level.INFO, preventLavaFire ? "WorldGuard: Lava fire is blocked."
: "WorldGuard: Lava fire is PERMITTED.");
if (disableFireSpread) {
logger.log(Level.INFO, "WorldGuard: All fire spread is disabled.");
} else {
if (disableFireSpreadBlocks.size() > 0) {
logger.log(Level.INFO, "WorldGuard: Fire spread is limited to "
+ disableFireSpreadBlocks.size() + " block types.");
} else {
logger.log(Level.INFO, "WorldGuard: Fire spread is UNRESTRICTED.");
}
}
}
}
public Blacklist getBlacklist()
{
return this.blacklist;
}
public String getWorldName()
{
return this.worldName;
}
}
| true | true | private void loadConfiguration() {
Configuration config = new Configuration(this.configFile);
config.load();
enforceOneSession = config.getBoolean("protection.enforce-single-session", true);
itemDurability = config.getBoolean("protection.item-durability", true);
classicWater = config.getBoolean("simulation.classic-water", false);
simulateSponge = config.getBoolean("simulation.sponge.enable", true);
spongeRadius = Math.max(1, config.getInt("simulation.sponge.radius", 3)) - 1;
redstoneSponges = config.getBoolean("simulation.sponge.redstone", false);
noPhysicsGravel = config.getBoolean("physics.no-physics-gravel", false);
noPhysicsSand = config.getBoolean("physics.no-physics-sand", false);
allowPortalAnywhere = config.getBoolean("physics.allow-portal-anywhere", false);
preventWaterDamage = new HashSet<Integer>(config.getIntList("physics.disable-water-damage-blocks", null));
blockTNT = config.getBoolean("ignition.block-tnt", false);
blockLighter = config.getBoolean("ignition.block-lighter", false);
preventLavaFire = config.getBoolean("fire.disable-lava-fire-spread", true);
disableFireSpread = config.getBoolean("fire.disable-all-fire-spread", false);
disableFireSpreadBlocks = new HashSet<Integer>(config.getIntList("fire.disable-fire-spread-blocks", null));
allowedLavaSpreadOver = new HashSet<Integer>(config.getIntList("fire.lava-spread-blocks", null));
blockCreeperExplosions = config.getBoolean("mobs.block-creeper-explosions", false);
blockCreeperBlockDamage = config.getBoolean("mobs.block-creeper-block-damage", false);
loginProtection = config.getInt("spawn.login-protection", 3);
spawnProtection = config.getInt("spawn.spawn-protection", 0);
kickOnDeath = config.getBoolean("spawn.kick-on-death", false);
exactRespawn = config.getBoolean("spawn.exact-respawn", false);
teleportToHome = config.getBoolean("spawn.teleport-to-home-on-death", false);
disableFallDamage = config.getBoolean("player-damage.disable-fall-damage", false);
disableLavaDamage = config.getBoolean("player-damage.disable-lava-damage", false);
disableFireDamage = config.getBoolean("player-damage.disable-fire-damage", false);
disableDrowningDamage = config.getBoolean("player-damage.disable-drowning-damage", false);
disableSuffocationDamage = config.getBoolean("player-damage.disable-suffocation-damage", false);
disableContactDamage = config.getBoolean("player-damage.disable-contact-damage", false);
teleportOnSuffocation = config.getBoolean("player-damage.teleport-on-suffocation", false);
useRegions = config.getBoolean("regions.enable", true);
regionWand = config.getInt("regions.wand", 287);
useiConomy = config.getBoolean("iconomy.enable", false);
buyOnClaim = config.getBoolean("iconomy.buy-on-claim", false);
buyOnClaimPrice = config.getInt("iconomy.buy-on-claim-price", 1);
for (String creature : config.getStringList("mobs.block-creature-spawn", null)) {
blockCreatureSpawn += creature.toLowerCase() + " ";
}
GlobalFlags globalFlags = new GlobalFlags();
globalFlags.canBuild = config.getBoolean("regions.default.build", true);
globalFlags.canAccessChests = config.getBoolean("regions.default.chest-access", false);
globalFlags.canPvP = config.getBoolean("regions.default.pvp", true);
globalFlags.canLighter = config.getBoolean("regions.default.lighter", true);
globalFlags.canTnt = config.getBoolean("regions.default.tnt", true);
globalFlags.allowCreeper = config.getBoolean("regions.default.creeper", true);
globalFlags.allowMobDamage = config.getBoolean("regions.default.mobdamage", true);
wp.getGlobalRegionManager().setGlobalFlags(worldName, globalFlags);
// Console log configuration
boolean logConsole = config.getBoolean("blacklist.logging.console.enable", true);
// Database log configuration
boolean logDatabase = config.getBoolean("blacklist.logging.database.enable", false);
String dsn = config.getString("blacklist.logging.database.dsn", "jdbc:mysql://localhost:3306/minecraft");
String user = config.getString("blacklist.logging.database.user", "root");
String pass = config.getString("blacklist.logging.database.pass", "");
String table = config.getString("blacklist.logging.database.table", "blacklist_events");
// File log configuration
boolean logFile = config.getBoolean("blacklist.logging.file.enable", false);
String logFilePattern = config.getString("blacklist.logging.file.path", "worldguard/logs/%Y-%m-%d.log");
int logFileCacheSize = Math.max(1, config.getInt("blacklist.logging.file.open-files", 10));
// Load the blacklist
try {
// If there was an existing blacklist, close loggers
if (blacklist != null) {
blacklist.getLogger().close();
}
// First load the blacklist data from worldguard-blacklist.txt
Blacklist blist = new BukkitBlacklist(wp);
blist.load(blacklistFile);
// If the blacklist is empty, then set the field to null
// and save some resources
if (blist.isEmpty()) {
this.blacklist = null;
} else {
this.blacklist = blist;
logger.log(Level.INFO, "WorldGuard: Blacklist loaded.");
BlacklistLogger blacklistLogger = blist.getLogger();
if (logDatabase) {
blacklistLogger.addHandler(new DatabaseLoggerHandler(dsn, user, pass, table, worldName));
}
if (logConsole) {
blacklistLogger.addHandler(new ConsoleLoggerHandler(worldName));
}
if (logFile) {
FileLoggerHandler handler =
new FileLoggerHandler(logFilePattern, logFileCacheSize, worldName);
blacklistLogger.addHandler(handler);
}
}
} catch (FileNotFoundException e) {
logger.log(Level.WARNING, "WorldGuard blacklist does not exist.");
} catch (IOException e) {
logger.log(Level.WARNING, "Could not load WorldGuard blacklist: "
+ e.getMessage());
}
// Print an overview of settings
if (config.getBoolean("summary-on-start", true)) {
logger.log(Level.INFO, "=============== WorldGuard configuration for world " + worldName + " ===============");
logger.log(Level.INFO, enforceOneSession ? "WorldGuard: Single session is enforced."
: "WorldGuard: Single session is NOT ENFORCED.");
logger.log(Level.INFO, blockTNT ? "WorldGuard: TNT ignition is blocked."
: "WorldGuard: TNT ignition is PERMITTED.");
logger.log(Level.INFO, blockLighter ? "WorldGuard: Lighters are blocked."
: "WorldGuard: Lighters are PERMITTED.");
logger.log(Level.INFO, preventLavaFire ? "WorldGuard: Lava fire is blocked."
: "WorldGuard: Lava fire is PERMITTED.");
if (disableFireSpread) {
logger.log(Level.INFO, "WorldGuard: All fire spread is disabled.");
} else {
if (disableFireSpreadBlocks.size() > 0) {
logger.log(Level.INFO, "WorldGuard: Fire spread is limited to "
+ disableFireSpreadBlocks.size() + " block types.");
} else {
logger.log(Level.INFO, "WorldGuard: Fire spread is UNRESTRICTED.");
}
}
}
}
| private void loadConfiguration() {
Configuration config = new Configuration(this.configFile);
config.load();
enforceOneSession = config.getBoolean("protection.enforce-single-session", true);
itemDurability = config.getBoolean("protection.item-durability", true);
classicWater = config.getBoolean("simulation.classic-water", false);
simulateSponge = config.getBoolean("simulation.sponge.enable", true);
spongeRadius = Math.max(1, config.getInt("simulation.sponge.radius", 3)) - 1;
redstoneSponges = config.getBoolean("simulation.sponge.redstone", false);
noPhysicsGravel = config.getBoolean("physics.no-physics-gravel", false);
noPhysicsSand = config.getBoolean("physics.no-physics-sand", false);
allowPortalAnywhere = config.getBoolean("physics.allow-portal-anywhere", false);
preventWaterDamage = new HashSet<Integer>(config.getIntList("physics.disable-water-damage-blocks", null));
blockTNT = config.getBoolean("ignition.block-tnt", false);
blockLighter = config.getBoolean("ignition.block-lighter", false);
preventLavaFire = config.getBoolean("fire.disable-lava-fire-spread", true);
disableFireSpread = config.getBoolean("fire.disable-all-fire-spread", false);
disableFireSpreadBlocks = new HashSet<Integer>(config.getIntList("fire.disable-fire-spread-blocks", null));
allowedLavaSpreadOver = new HashSet<Integer>(config.getIntList("fire.lava-spread-blocks", null));
blockCreeperExplosions = config.getBoolean("mobs.block-creeper-explosions", false);
blockCreeperBlockDamage = config.getBoolean("mobs.block-creeper-block-damage", false);
loginProtection = config.getInt("spawn.login-protection", 3);
spawnProtection = config.getInt("spawn.spawn-protection", 0);
kickOnDeath = config.getBoolean("spawn.kick-on-death", false);
exactRespawn = config.getBoolean("spawn.exact-respawn", false);
teleportToHome = config.getBoolean("spawn.teleport-to-home-on-death", false);
disableFallDamage = config.getBoolean("player-damage.disable-fall-damage", false);
disableLavaDamage = config.getBoolean("player-damage.disable-lava-damage", false);
disableFireDamage = config.getBoolean("player-damage.disable-fire-damage", false);
disableDrowningDamage = config.getBoolean("player-damage.disable-drowning-damage", false);
disableSuffocationDamage = config.getBoolean("player-damage.disable-suffocation-damage", false);
disableContactDamage = config.getBoolean("player-damage.disable-contact-damage", false);
teleportOnSuffocation = config.getBoolean("player-damage.teleport-on-suffocation", false);
useRegions = config.getBoolean("regions.enable", true);
regionWand = config.getInt("regions.wand", 287);
useiConomy = config.getBoolean("iconomy.enable", false);
buyOnClaim = config.getBoolean("iconomy.buy-on-claim", false);
buyOnClaimPrice = config.getInt("iconomy.buy-on-claim-price", 1);
blockCreatureSpawn = "";
for (String creature : config.getStringList("mobs.block-creature-spawn", null)) {
blockCreatureSpawn += creature.toLowerCase() + " ";
}
GlobalFlags globalFlags = new GlobalFlags();
globalFlags.canBuild = config.getBoolean("regions.default.build", true);
globalFlags.canAccessChests = config.getBoolean("regions.default.chest-access", false);
globalFlags.canPvP = config.getBoolean("regions.default.pvp", true);
globalFlags.canLighter = config.getBoolean("regions.default.lighter", true);
globalFlags.canTnt = config.getBoolean("regions.default.tnt", true);
globalFlags.allowCreeper = config.getBoolean("regions.default.creeper", true);
globalFlags.allowMobDamage = config.getBoolean("regions.default.mobdamage", true);
wp.getGlobalRegionManager().setGlobalFlags(worldName, globalFlags);
// Console log configuration
boolean logConsole = config.getBoolean("blacklist.logging.console.enable", true);
// Database log configuration
boolean logDatabase = config.getBoolean("blacklist.logging.database.enable", false);
String dsn = config.getString("blacklist.logging.database.dsn", "jdbc:mysql://localhost:3306/minecraft");
String user = config.getString("blacklist.logging.database.user", "root");
String pass = config.getString("blacklist.logging.database.pass", "");
String table = config.getString("blacklist.logging.database.table", "blacklist_events");
// File log configuration
boolean logFile = config.getBoolean("blacklist.logging.file.enable", false);
String logFilePattern = config.getString("blacklist.logging.file.path", "worldguard/logs/%Y-%m-%d.log");
int logFileCacheSize = Math.max(1, config.getInt("blacklist.logging.file.open-files", 10));
// Load the blacklist
try {
// If there was an existing blacklist, close loggers
if (blacklist != null) {
blacklist.getLogger().close();
}
// First load the blacklist data from worldguard-blacklist.txt
Blacklist blist = new BukkitBlacklist(wp);
blist.load(blacklistFile);
// If the blacklist is empty, then set the field to null
// and save some resources
if (blist.isEmpty()) {
this.blacklist = null;
} else {
this.blacklist = blist;
logger.log(Level.INFO, "WorldGuard: Blacklist loaded.");
BlacklistLogger blacklistLogger = blist.getLogger();
if (logDatabase) {
blacklistLogger.addHandler(new DatabaseLoggerHandler(dsn, user, pass, table, worldName));
}
if (logConsole) {
blacklistLogger.addHandler(new ConsoleLoggerHandler(worldName));
}
if (logFile) {
FileLoggerHandler handler =
new FileLoggerHandler(logFilePattern, logFileCacheSize, worldName);
blacklistLogger.addHandler(handler);
}
}
} catch (FileNotFoundException e) {
logger.log(Level.WARNING, "WorldGuard blacklist does not exist.");
} catch (IOException e) {
logger.log(Level.WARNING, "Could not load WorldGuard blacklist: "
+ e.getMessage());
}
// Print an overview of settings
if (config.getBoolean("summary-on-start", true)) {
logger.log(Level.INFO, "=============== WorldGuard configuration for world " + worldName + " ===============");
logger.log(Level.INFO, enforceOneSession ? "WorldGuard: Single session is enforced."
: "WorldGuard: Single session is NOT ENFORCED.");
logger.log(Level.INFO, blockTNT ? "WorldGuard: TNT ignition is blocked."
: "WorldGuard: TNT ignition is PERMITTED.");
logger.log(Level.INFO, blockLighter ? "WorldGuard: Lighters are blocked."
: "WorldGuard: Lighters are PERMITTED.");
logger.log(Level.INFO, preventLavaFire ? "WorldGuard: Lava fire is blocked."
: "WorldGuard: Lava fire is PERMITTED.");
if (disableFireSpread) {
logger.log(Level.INFO, "WorldGuard: All fire spread is disabled.");
} else {
if (disableFireSpreadBlocks.size() > 0) {
logger.log(Level.INFO, "WorldGuard: Fire spread is limited to "
+ disableFireSpreadBlocks.size() + " block types.");
} else {
logger.log(Level.INFO, "WorldGuard: Fire spread is UNRESTRICTED.");
}
}
}
}
|
diff --git a/NewsBlurPlus/src/com/asafge/newsblurplus/SubsStruct.java b/NewsBlurPlus/src/com/asafge/newsblurplus/SubsStruct.java
index 1a2488d..2360350 100644
--- a/NewsBlurPlus/src/com/asafge/newsblurplus/SubsStruct.java
+++ b/NewsBlurPlus/src/com/asafge/newsblurplus/SubsStruct.java
@@ -1,123 +1,131 @@
package com.asafge.newsblurplus;
import java.util.ArrayList;
import java.util.Calendar;
import java.util.Iterator;
import java.util.List;
import org.json.JSONArray;
import org.json.JSONException;
import org.json.JSONObject;
import android.content.Context;
import android.text.TextUtils;
import android.util.Log;
import com.noinnion.android.reader.api.ReaderException;
import com.noinnion.android.reader.api.provider.ISubscription;
import com.noinnion.android.reader.api.provider.ITag;
public class SubsStruct {
private static SubsStruct _instance = null;
private Context _context;
private Calendar _lastSync;
public List<ISubscription> Subs;
public List<ITag> Tags;
public boolean IsPremium;
// Constructor
protected SubsStruct(Context c) throws ReaderException {
_context = c;
this.Refresh();
}
// Singleton instance
public static SubsStruct Instance(Context c) throws ReaderException {
if(_instance == null)
_instance = new SubsStruct(c);
return _instance;
}
// Singleton instance
public static SubsStruct InstanceRefresh(Context c) throws ReaderException {
if(_instance == null)
_instance = new SubsStruct(c);
else
_instance.Refresh();
return _instance;
}
// Call for a structure refresh
public synchronized boolean Refresh() throws ReaderException {
IsPremium = getIsPremiumAccount();
return getFoldersAndFeeds();
}
// Get all the folders and feeds in a flat structure
private boolean getFoldersAndFeeds() throws ReaderException {
try {
if (_lastSync != null) {
Calendar tmp = Calendar.getInstance();
tmp.setTimeInMillis(_lastSync.getTimeInMillis());
tmp.add(Calendar.SECOND, 10);
if (tmp.after(Calendar.getInstance()))
return true;
}
APICall ac = new APICall(APICall.API_URL_FOLDERS_AND_FEEDS, _context);
Tags = new ArrayList<ITag>();
Subs = new ArrayList<ISubscription>();
ac.sync();
JSONObject json_feeds = ac.Json.getJSONObject("feeds");
JSONObject json_folders = ac.Json.getJSONObject("flat_folders");
Iterator<?> keys = json_folders.keys();
if (keys.hasNext())
Tags.add(StarredTag.get());
while (keys.hasNext()) {
String catName = ((String)keys.next());
JSONArray feedsPerFolder = json_folders.getJSONArray(catName);
catName = catName.trim();
ITag cat = APIHelper.createTag(catName, false);
if (!TextUtils.isEmpty(catName))
Tags.add(cat);
// Add all feeds in this category
for (int i=0; i<feedsPerFolder.length(); i++) {
String feedID = feedsPerFolder.getString(i);
- JSONObject f = json_feeds.getJSONObject(feedID);
+ JSONObject f;
+ try {
+ f = json_feeds.getJSONObject(feedID);
+ }
+ catch (JSONException e) {
+ // Sometimes NewsBlue's API returns old feeds
+ Log.w("NewsBlur+ Debug", "JSONException: " + e.getMessage());
+ continue;
+ }
if (f.getBoolean("active")) {
ISubscription sub = new ISubscription();
Calendar updateTime = Calendar.getInstance();
updateTime.add(Calendar.SECOND, (-1) * f.getInt("updated_seconds_ago"));
sub.newestItemTime = updateTime.getTimeInMillis() / 1000;
sub.uid = APIHelper.getFeedUrlFromFeedId(feedID);
sub.title = f.getString("feed_title");
sub.htmlUrl = f.getString("feed_link");
sub.unreadCount = f.getInt("nt") + f.getInt("ps");
if (!TextUtils.isEmpty(catName))
sub.addTag(cat.uid);
Subs.add(sub);
}
}
}
_lastSync = Calendar.getInstance();
return (Subs.size() > 0);
}
catch (JSONException e) {
Log.e("NewsBlur+ Debug", "JSONException: " + e.getMessage());
throw new ReaderException("Feeds structure parse error", e);
}
}
// Check if this is a premium user's account
private boolean getIsPremiumAccount() throws ReaderException {
try {
APICall ac = new APICall(APICall.API_URL_RIVER, _context);
ac.sync();
return (!ac.Json.getString("message").startsWith("The full River of News is a premium feature."));
}
catch (JSONException e) {
Log.e("NewsBlur+ Debug", "JSONException: " + e.getMessage());
throw new ReaderException("IsPremiumAccount parse error", e);
}
}
}
| true | true | private boolean getFoldersAndFeeds() throws ReaderException {
try {
if (_lastSync != null) {
Calendar tmp = Calendar.getInstance();
tmp.setTimeInMillis(_lastSync.getTimeInMillis());
tmp.add(Calendar.SECOND, 10);
if (tmp.after(Calendar.getInstance()))
return true;
}
APICall ac = new APICall(APICall.API_URL_FOLDERS_AND_FEEDS, _context);
Tags = new ArrayList<ITag>();
Subs = new ArrayList<ISubscription>();
ac.sync();
JSONObject json_feeds = ac.Json.getJSONObject("feeds");
JSONObject json_folders = ac.Json.getJSONObject("flat_folders");
Iterator<?> keys = json_folders.keys();
if (keys.hasNext())
Tags.add(StarredTag.get());
while (keys.hasNext()) {
String catName = ((String)keys.next());
JSONArray feedsPerFolder = json_folders.getJSONArray(catName);
catName = catName.trim();
ITag cat = APIHelper.createTag(catName, false);
if (!TextUtils.isEmpty(catName))
Tags.add(cat);
// Add all feeds in this category
for (int i=0; i<feedsPerFolder.length(); i++) {
String feedID = feedsPerFolder.getString(i);
JSONObject f = json_feeds.getJSONObject(feedID);
if (f.getBoolean("active")) {
ISubscription sub = new ISubscription();
Calendar updateTime = Calendar.getInstance();
updateTime.add(Calendar.SECOND, (-1) * f.getInt("updated_seconds_ago"));
sub.newestItemTime = updateTime.getTimeInMillis() / 1000;
sub.uid = APIHelper.getFeedUrlFromFeedId(feedID);
sub.title = f.getString("feed_title");
sub.htmlUrl = f.getString("feed_link");
sub.unreadCount = f.getInt("nt") + f.getInt("ps");
if (!TextUtils.isEmpty(catName))
sub.addTag(cat.uid);
Subs.add(sub);
}
}
}
_lastSync = Calendar.getInstance();
return (Subs.size() > 0);
}
catch (JSONException e) {
Log.e("NewsBlur+ Debug", "JSONException: " + e.getMessage());
throw new ReaderException("Feeds structure parse error", e);
}
}
| private boolean getFoldersAndFeeds() throws ReaderException {
try {
if (_lastSync != null) {
Calendar tmp = Calendar.getInstance();
tmp.setTimeInMillis(_lastSync.getTimeInMillis());
tmp.add(Calendar.SECOND, 10);
if (tmp.after(Calendar.getInstance()))
return true;
}
APICall ac = new APICall(APICall.API_URL_FOLDERS_AND_FEEDS, _context);
Tags = new ArrayList<ITag>();
Subs = new ArrayList<ISubscription>();
ac.sync();
JSONObject json_feeds = ac.Json.getJSONObject("feeds");
JSONObject json_folders = ac.Json.getJSONObject("flat_folders");
Iterator<?> keys = json_folders.keys();
if (keys.hasNext())
Tags.add(StarredTag.get());
while (keys.hasNext()) {
String catName = ((String)keys.next());
JSONArray feedsPerFolder = json_folders.getJSONArray(catName);
catName = catName.trim();
ITag cat = APIHelper.createTag(catName, false);
if (!TextUtils.isEmpty(catName))
Tags.add(cat);
// Add all feeds in this category
for (int i=0; i<feedsPerFolder.length(); i++) {
String feedID = feedsPerFolder.getString(i);
JSONObject f;
try {
f = json_feeds.getJSONObject(feedID);
}
catch (JSONException e) {
// Sometimes NewsBlue's API returns old feeds
Log.w("NewsBlur+ Debug", "JSONException: " + e.getMessage());
continue;
}
if (f.getBoolean("active")) {
ISubscription sub = new ISubscription();
Calendar updateTime = Calendar.getInstance();
updateTime.add(Calendar.SECOND, (-1) * f.getInt("updated_seconds_ago"));
sub.newestItemTime = updateTime.getTimeInMillis() / 1000;
sub.uid = APIHelper.getFeedUrlFromFeedId(feedID);
sub.title = f.getString("feed_title");
sub.htmlUrl = f.getString("feed_link");
sub.unreadCount = f.getInt("nt") + f.getInt("ps");
if (!TextUtils.isEmpty(catName))
sub.addTag(cat.uid);
Subs.add(sub);
}
}
}
_lastSync = Calendar.getInstance();
return (Subs.size() > 0);
}
catch (JSONException e) {
Log.e("NewsBlur+ Debug", "JSONException: " + e.getMessage());
throw new ReaderException("Feeds structure parse error", e);
}
}
|
diff --git a/JsTestDriver/src/com/google/jstestdriver/output/FileNameFormatter.java b/JsTestDriver/src/com/google/jstestdriver/output/FileNameFormatter.java
index 2bf4a940..3e69aabd 100644
--- a/JsTestDriver/src/com/google/jstestdriver/output/FileNameFormatter.java
+++ b/JsTestDriver/src/com/google/jstestdriver/output/FileNameFormatter.java
@@ -1,43 +1,42 @@
/*
* Copyright 2011 Google Inc.
*
* Licensed under the Apache License, Version 2.0 (the "License"); you may not
* use this file except in compliance with the License. You may obtain a copy of
* the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
* WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
* License for the specific language governing permissions and limitations under
* the License.
*/
package com.google.jstestdriver.output;
/**
* Escapes and formats a filename.
*
* @author Cory Smith ([email protected])
*/
public class FileNameFormatter {
public String format(String path, String format) {
String escaped = path
.replace('/', 'a')
.replace('\\', 'a')
.replace(">", "a")
- .replace(".", "a")
.replace(":", "a")
.replace(":", "a")
.replace(";", "a")
.replace("+", "a")
.replace(",", "a")
.replace("<", "a")
.replace("?", "a")
.replace("*", "a")
.replace(" ", "a");
return String.format(format, escaped.length() > 200 ? escaped.substring(0, 200) : escaped);
}
}
| true | true | public String format(String path, String format) {
String escaped = path
.replace('/', 'a')
.replace('\\', 'a')
.replace(">", "a")
.replace(".", "a")
.replace(":", "a")
.replace(":", "a")
.replace(";", "a")
.replace("+", "a")
.replace(",", "a")
.replace("<", "a")
.replace("?", "a")
.replace("*", "a")
.replace(" ", "a");
return String.format(format, escaped.length() > 200 ? escaped.substring(0, 200) : escaped);
}
| public String format(String path, String format) {
String escaped = path
.replace('/', 'a')
.replace('\\', 'a')
.replace(">", "a")
.replace(":", "a")
.replace(":", "a")
.replace(";", "a")
.replace("+", "a")
.replace(",", "a")
.replace("<", "a")
.replace("?", "a")
.replace("*", "a")
.replace(" ", "a");
return String.format(format, escaped.length() > 200 ? escaped.substring(0, 200) : escaped);
}
|
diff --git a/yp-hibernate-equals/src/main/java/com/github/snd297/yp/hibernateequals/model/FixedGetClassCar.java b/yp-hibernate-equals/src/main/java/com/github/snd297/yp/hibernateequals/model/FixedGetClassCar.java
index ef44d77..ae95af0 100644
--- a/yp-hibernate-equals/src/main/java/com/github/snd297/yp/hibernateequals/model/FixedGetClassCar.java
+++ b/yp-hibernate-equals/src/main/java/com/github/snd297/yp/hibernateequals/model/FixedGetClassCar.java
@@ -1,77 +1,77 @@
/*
* Copyright 2013 Sam Donnelly
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.github.snd297.yp.hibernateequals.model;
import static com.google.common.base.Preconditions.checkNotNull;
import javax.annotation.Nullable;
import javax.persistence.Entity;
import javax.validation.constraints.NotNull;
import org.hibernate.Hibernate;
import org.hibernate.annotations.NaturalId;
import com.github.snd297.yp.utils.hibernate.LongIdAndVersion;
import com.google.common.base.Objects;
@Entity
public class FixedGetClassCar extends LongIdAndVersion {
private String vin;
/** For JPA. */
FixedGetClassCar() {}
public FixedGetClassCar(String vin) {
this.vin = checkNotNull(vin);
}
@Override
public boolean equals(@Nullable Object obj) {
if (this == obj) {
return true;
}
if (obj == null) {
return false;
}
- if (!Hibernate.getClass(obj).equals(FixedGetClassCar.class)) {
+ if (Hibernate.getClass(this) != Hibernate.getClass(obj)) {
return false;
}
FixedGetClassCar other = (FixedGetClassCar) obj;
if (!Objects.equal(this.vin, other.getVin())) {
return false;
}
return true;
}
@NaturalId
@NotNull
public String getVin() {
return vin;
}
@Override
public int hashCode() {
final int prime = 31;
int result = 1;
result = prime * result + ((vin == null) ? 0 : vin.hashCode());
return result;
}
@SuppressWarnings("unused")
private void setVin(String vin) {
this.vin = vin;
}
}
| true | true | public boolean equals(@Nullable Object obj) {
if (this == obj) {
return true;
}
if (obj == null) {
return false;
}
if (!Hibernate.getClass(obj).equals(FixedGetClassCar.class)) {
return false;
}
FixedGetClassCar other = (FixedGetClassCar) obj;
if (!Objects.equal(this.vin, other.getVin())) {
return false;
}
return true;
}
| public boolean equals(@Nullable Object obj) {
if (this == obj) {
return true;
}
if (obj == null) {
return false;
}
if (Hibernate.getClass(this) != Hibernate.getClass(obj)) {
return false;
}
FixedGetClassCar other = (FixedGetClassCar) obj;
if (!Objects.equal(this.vin, other.getVin())) {
return false;
}
return true;
}
|
diff --git a/org.amanzi.awe.afp/src/org/amanzi/awe/afp/wizards/AfpWizardPage.java b/org.amanzi.awe.afp/src/org/amanzi/awe/afp/wizards/AfpWizardPage.java
index 94f94b1d1..c8fff7bab 100644
--- a/org.amanzi.awe.afp/src/org/amanzi/awe/afp/wizards/AfpWizardPage.java
+++ b/org.amanzi.awe.afp/src/org/amanzi/awe/afp/wizards/AfpWizardPage.java
@@ -1,469 +1,469 @@
package org.amanzi.awe.afp.wizards;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.HashMap;
import java.util.HashSet;
import java.util.Set;
import org.amanzi.awe.afp.filters.AfpTRXFilter;
import org.amanzi.awe.afp.models.AfpModel;
import org.eclipse.jface.viewers.TableViewer;
import org.eclipse.jface.viewers.TableViewerColumn;
import org.eclipse.jface.wizard.WizardPage;
import org.eclipse.swt.SWT;
import org.eclipse.swt.events.MouseAdapter;
import org.eclipse.swt.events.MouseEvent;
import org.eclipse.swt.events.MouseListener;
import org.eclipse.swt.events.SelectionAdapter;
import org.eclipse.swt.events.SelectionEvent;
import org.eclipse.swt.events.SelectionListener;
import org.eclipse.swt.graphics.Point;
import org.eclipse.swt.graphics.Rectangle;
import org.eclipse.swt.layout.GridData;
import org.eclipse.swt.layout.GridLayout;
import org.eclipse.swt.widgets.Button;
import org.eclipse.swt.widgets.Composite;
import org.eclipse.swt.widgets.Event;
import org.eclipse.swt.widgets.Group;
import org.eclipse.swt.widgets.Label;
import org.eclipse.swt.widgets.Listener;
import org.eclipse.swt.widgets.Shell;
import org.eclipse.swt.widgets.Table;
import org.eclipse.swt.widgets.TableColumn;
import org.eclipse.swt.widgets.TableItem;
import org.eclipse.swt.widgets.Tree;
import org.eclipse.swt.widgets.TreeItem;
import org.neo4j.graphdb.Node;
public class AfpWizardPage extends WizardPage implements SelectionListener {
public static final String ASSIGN = "assign";
public static final String CLEAR = "clear";
public static final String LOAD = "load";
private Label filterInfoLabel;
private Group trxFilterGroup;
private Label siteFilterInfoLabel;
private Group siteTrxFilterGroup;
protected AfpModel model;
private TableViewer viewer;
private AfpTRXFilter filter;
private FilterListener listener;
protected Button assignButton;
protected HashMap<String,Set<Object>> uniqueSitePropertyValues = new HashMap<String,Set<Object>>();
protected HashMap<String,Set<Object>> uniqueSectorPropertyValues = new HashMap<String,Set<Object>>();
protected HashMap<String,Set<Object>> uniqueTrxPropertyValues = new HashMap<String,Set<Object>>();
protected AfpWizardPage(String pageName) {
super(pageName);
for(String p: AfpModel.sitePropertiesName) {
uniqueSitePropertyValues.put(p, new HashSet<Object>());
}
for(String p: AfpModel.sectorPropertiesName) {
uniqueSectorPropertyValues.put(p, new HashSet<Object>());
}
for(String p: AfpModel.trxPropertiesName) {
uniqueTrxPropertyValues.put(p, new HashSet<Object>());
}
}
protected AfpWizardPage(String pageName, AfpModel model) {
super(pageName);
this.model = model;
for(String p: AfpModel.sitePropertiesName) {
uniqueSitePropertyValues.put(p, new HashSet<Object>());
}
for(String p: AfpModel.sectorPropertiesName) {
uniqueSectorPropertyValues.put(p, new HashSet<Object>());
}
for(String p: AfpModel.trxPropertiesName) {
uniqueTrxPropertyValues.put(p, new HashSet<Object>());
}
}
@Override
public void createControl(Composite parent) {
// TODO Auto-generated method stub
}
public void refreshPage() {
if (this instanceof AfpSeparationRulesPage){
updateSectorFilterLabel(model.getTotalSectors(), model.getTotalSectors());
updateSiteFilterLabel(model.getTotalSites(), model.getTotalSites());
}
else if(this instanceof AfpSYHoppingMALsPage){
// updateTRXFilterLabel(0, model.getTotalRemainingMalTRX());
}
else{
updateTRXFilterLabel(model.getTotalTRX(),model.getTotalRemainingTRX());
}
}
public void updateTRXFilterLabel(int selected, int total){
filterInfoLabel.setText(String.format("Filter Status: %d Trxs selected out of %d", selected, total));
trxFilterGroup.layout();
}
public void updateSectorFilterLabel(int selected, int total){
filterInfoLabel.setText(String.format("Filter Status: %d sectors selected out of %d", selected, total));
trxFilterGroup.layout();
}
public void updateSiteFilterLabel(int selected, int total){
siteFilterInfoLabel.setText(String.format("Filter Status: %d sites selected out of %d", selected, total));
siteTrxFilterGroup.layout();
}
protected Table addTRXFilterGroup(Group main, String[] headers, int emptyrows, boolean isSite, FilterListener listener, String[] noListenerHeaders){
final Shell parentShell = main.getShell();
this.listener = listener;
Arrays.sort(noListenerHeaders);
parentShell.addMouseListener(new MouseListener(){
@Override
public void mouseDoubleClick(MouseEvent e) {
// TODO Auto-generated method stub
}
@Override
public void mouseDown(MouseEvent e) {
// TODO Auto-generated method stub
}
@Override
public void mouseUp(MouseEvent e) {
// TODO Auto-generated method stub
}
});
/** Create TRXs Filters Group */
Group trxFilterGroup = new Group(main, SWT.NONE);
trxFilterGroup.setLayout(new GridLayout(4, false));
trxFilterGroup.setLayoutData(new GridData(GridData.FILL, GridData.FILL, true, false,1 ,2));
trxFilterGroup.setText("TRXs Filter");
Label filterInfoLabel = new Label(trxFilterGroup, SWT.LEFT);
if (isSite){
this.siteTrxFilterGroup = trxFilterGroup;
this.siteFilterInfoLabel = filterInfoLabel;
}
else {
this.trxFilterGroup = trxFilterGroup;
this.filterInfoLabel = filterInfoLabel;
}
Button loadButton = new Button(trxFilterGroup, SWT.RIGHT);
loadButton.setLayoutData(new GridData(GridData.END, GridData.BEGINNING, true, false, 1 , 1));
loadButton.setText("Load");
loadButton.setData(LOAD);
loadButton.setEnabled(false);
loadButton.addSelectionListener(this);
Button clearButton = new Button(trxFilterGroup, SWT.RIGHT);
clearButton.setLayoutData(new GridData(GridData.END, GridData.BEGINNING, false, false, 1 , 1));
clearButton.setText("Clear");
clearButton.setData(CLEAR);
clearButton.addSelectionListener(this);
assignButton = new Button(trxFilterGroup, SWT.RIGHT);
assignButton.setLayoutData(new GridData(GridData.END, GridData.BEGINNING, false, false, 1 , 1));
assignButton.setText("Assign");
assignButton.setData(ASSIGN);
assignButton.addSelectionListener(this);
viewer = new TableViewer(trxFilterGroup, SWT.H_SCROLL | SWT.V_SCROLL);
Table filterTable = viewer.getTable();
filterTable.setHeaderVisible(true);
filterTable.setLinesVisible(true);
// filter = new AfpTRXFilter();
// viewer.addFilter(filter);
for (String item : headers) {
TableViewerColumn viewerColumn = new TableViewerColumn(viewer, SWT.NONE);
TableColumn column = viewerColumn.getColumn();
column.setText(item);
column.setData(item);
column.setResizable(true);
if (Arrays.binarySearch(noListenerHeaders, item) < 0)
column.addListener(SWT.Selection, new ColumnFilterListener(parentShell));
}
// Table filterTable = new Table(trxFilterGroup, SWT.VIRTUAL | SWT.MULTI);
// filterTable.setHeaderVisible(true);
- GridData tableGrid = new GridData(GridData.FILL, GridData.CENTER, false, false, 4 ,1);
+ GridData tableGrid = new GridData(GridData.FILL, GridData.CENTER, true, true, 4 ,1);
filterTable.setLayoutData(tableGrid);
// for (String item : headers) {
// TableColumn column = new TableColumn(filterTable, SWT.NONE);
// column.setText(item);
// }
for (int i=0;i<emptyrows;i++) {
TableItem item = new TableItem(filterTable, SWT.NONE);
for (int j = 0; j < headers.length; j++){
item.setText(j, "");
}
}
for (int i = 0; i < headers.length; i++) {
filterTable.getColumn(i).pack();
}
return filterTable;
}
@Override
public void widgetDefaultSelected(SelectionEvent e) {
// TODO Auto-generated method stub
}
@Override
public void widgetSelected(SelectionEvent e) {
// TODO Auto-generated method stub
}
/**
*
* @param colName
* @return unique values for the column
*/
protected Object[] getColumnUniqueValues(String colName){
return null;
}
class ColumnFilterListener implements Listener{
Shell parentShell;
public ColumnFilterListener(final Shell subShell) {
super();
this.parentShell = subShell;
}
@Override
public void handleEvent(Event event) {
final ArrayList<String> selectedValues = new ArrayList<String>();
final Shell subShell = new Shell(parentShell, SWT.PRIMARY_MODAL);
subShell.setLayout(new GridLayout(2, false));
Point location = subShell.getDisplay().getCursorLocation();
subShell.setLocation(location);
/*subShell.addMouseListener(new MouseAdapter(){
@Override
public void mouseDown(MouseEvent e) {
// TODO Auto-generated method stub
System.out.println("Yeah, I can listen it");
super.mouseDown(e);
System.out.println("Yeah, I can listen it");
}
@Override
public void mouseUp(MouseEvent e) {
// TODO Auto-generated method stub
System.out.println("Yeah, I can listen it");
super.mouseUp(e);
System.out.println("Yeah, I can listen it");
}
}
new MouseListener(){
@Override
public void mouseDoubleClick(MouseEvent e) {
// TODO Auto-generated method stub
}
@Override
public void mouseDown(MouseEvent e) {
Point location = subShell.getDisplay().getCursorLocation();
Rectangle bounds = subShell.getBounds();
if (!(bounds.contains(location)))
subShell.dispose();
}
@Override
public void mouseUp(MouseEvent e) {
Point location = subShell.getDisplay().getCursorLocation();
Rectangle bounds = subShell.getBounds();
if (!(bounds.contains(location)))
subShell.dispose();
}
});*/
// subShell.setLayoutData(gridData);
// subShell.setSize(100, 200);
// subShell.setBounds(50, 50, 100, 200);
//subShell.setLocation(300, 200);
// subShell.setText("Filter");
final String col = (String)event.widget.getData();
Group filterGroup = new Group(subShell, SWT.NONE | SWT.SCROLL_PAGE);
filterGroup.setLayout(new GridLayout(2, false));
filterGroup.setLayoutData(new GridData(GridData.FILL, GridData.CENTER, false, false,2 ,1));
Object[] values = getColumnUniqueValues(col);
if(values == null) {
subShell.dispose();
return;
}
if(values.length == 0) {
subShell.dispose();
return;
}
final Tree tree = new Tree(filterGroup, SWT.CHECK | SWT.BORDER|SWT.V_SCROLL);
GridData gridData = new GridData(GridData.FILL, GridData.FILL, true, false, 2, 1);
gridData.heightHint = 200;
tree.setLayoutData(gridData);
for (Object value : values){
TreeItem item = new TreeItem(tree, 0);
item.setText(value.toString());
}
Button cacelButton = new Button(filterGroup, SWT.PUSH);
cacelButton.setLayoutData(new GridData(SWT.LEFT, SWT.FILL, true, true, 1, 1));
cacelButton.setText("Cancel");
cacelButton.addSelectionListener(new SelectionAdapter(){
@Override
public void widgetSelected(SelectionEvent e) {
subShell.dispose();
}
});
Button applyButton = new Button(filterGroup, SWT.PUSH);
applyButton.setLayoutData(new GridData(SWT.RIGHT, SWT.FILL, true, true, 1, 1));
applyButton.setText("Apply");
applyButton.addSelectionListener(new SelectionAdapter(){
@Override
public void widgetSelected(SelectionEvent e) {
for (TreeItem item : tree.getItems()){
if (item.getChecked()){
selectedValues.add(item.getText());
}
}
listener.onFilterSelected(col, selectedValues);
// filter.setEqualityText("900");
// viewer.refresh(true);
subShell.dispose();
}
});
subShell.pack();
subShell.open();
}//end handle event
}
protected void addSiteUniqueProperties(Node node) {
// add to unique properties
for(String p:AfpModel.sitePropertiesName ) {
Object oVal = node.getProperty(p,null);
if(oVal != null) {
Set<Object> s = uniqueSitePropertyValues.get(p);
if(s != null) {
s.add(oVal);
}
}
}
}
protected void addSectorUniqueProperties(Node node) {
// add to unique properties
for(String p:AfpModel.sectorPropertiesName ) {
Object oVal = node.getProperty(p,null);
if(oVal != null) {
Set<Object> s = uniqueSectorPropertyValues.get(p);
if(s != null) {
s.add(oVal);
}
}
}
}
protected void addTrxUniqueProperties(Node node) {
// add to unique properties
for(String p:AfpModel.trxPropertiesName ) {
Object oVal = node.getProperty(p,null);
if(oVal != null) {
Set<Object> s= uniqueTrxPropertyValues.get(p);
if(s != null) {
s.add(oVal);
}
}
}
}
public Object[] getSiteUniqueValuesForProperty(String prop) {
Set<Object> s = this.uniqueSitePropertyValues.get(prop);
if(s!= null) {
if(s.size() >0) {
return s.toArray(new Object[0]);
}
}
return null;
}
public Object[] getSectorUniqueValuesForProperty(String prop) {
Set<Object> s = this.uniqueSectorPropertyValues.get(prop);
if(s!= null) {
if(s.size() >0) {
return s.toArray(new Object[0]);
}
}
return null;
}
public Object[] getTrxUniqueValuesForProperty(String prop) {
Set<Object> s = this.uniqueTrxPropertyValues.get(prop);
if(s!= null) {
if(s.size() >0) {
return s.toArray(new Object[0]);
}
}
return null;
}
protected void clearAllUniqueValuesForProperty() {
for(Set s: this.uniqueSectorPropertyValues.values()) {
s.clear();
}
for(Set s: this.uniqueSitePropertyValues.values()) {
s.clear();
}
for(Set s: this.uniqueTrxPropertyValues.values()) {
s.clear();
}
}
}
| true | true | protected Table addTRXFilterGroup(Group main, String[] headers, int emptyrows, boolean isSite, FilterListener listener, String[] noListenerHeaders){
final Shell parentShell = main.getShell();
this.listener = listener;
Arrays.sort(noListenerHeaders);
parentShell.addMouseListener(new MouseListener(){
@Override
public void mouseDoubleClick(MouseEvent e) {
// TODO Auto-generated method stub
}
@Override
public void mouseDown(MouseEvent e) {
// TODO Auto-generated method stub
}
@Override
public void mouseUp(MouseEvent e) {
// TODO Auto-generated method stub
}
});
/** Create TRXs Filters Group */
Group trxFilterGroup = new Group(main, SWT.NONE);
trxFilterGroup.setLayout(new GridLayout(4, false));
trxFilterGroup.setLayoutData(new GridData(GridData.FILL, GridData.FILL, true, false,1 ,2));
trxFilterGroup.setText("TRXs Filter");
Label filterInfoLabel = new Label(trxFilterGroup, SWT.LEFT);
if (isSite){
this.siteTrxFilterGroup = trxFilterGroup;
this.siteFilterInfoLabel = filterInfoLabel;
}
else {
this.trxFilterGroup = trxFilterGroup;
this.filterInfoLabel = filterInfoLabel;
}
Button loadButton = new Button(trxFilterGroup, SWT.RIGHT);
loadButton.setLayoutData(new GridData(GridData.END, GridData.BEGINNING, true, false, 1 , 1));
loadButton.setText("Load");
loadButton.setData(LOAD);
loadButton.setEnabled(false);
loadButton.addSelectionListener(this);
Button clearButton = new Button(trxFilterGroup, SWT.RIGHT);
clearButton.setLayoutData(new GridData(GridData.END, GridData.BEGINNING, false, false, 1 , 1));
clearButton.setText("Clear");
clearButton.setData(CLEAR);
clearButton.addSelectionListener(this);
assignButton = new Button(trxFilterGroup, SWT.RIGHT);
assignButton.setLayoutData(new GridData(GridData.END, GridData.BEGINNING, false, false, 1 , 1));
assignButton.setText("Assign");
assignButton.setData(ASSIGN);
assignButton.addSelectionListener(this);
viewer = new TableViewer(trxFilterGroup, SWT.H_SCROLL | SWT.V_SCROLL);
Table filterTable = viewer.getTable();
filterTable.setHeaderVisible(true);
filterTable.setLinesVisible(true);
// filter = new AfpTRXFilter();
// viewer.addFilter(filter);
for (String item : headers) {
TableViewerColumn viewerColumn = new TableViewerColumn(viewer, SWT.NONE);
TableColumn column = viewerColumn.getColumn();
column.setText(item);
column.setData(item);
column.setResizable(true);
if (Arrays.binarySearch(noListenerHeaders, item) < 0)
column.addListener(SWT.Selection, new ColumnFilterListener(parentShell));
}
// Table filterTable = new Table(trxFilterGroup, SWT.VIRTUAL | SWT.MULTI);
// filterTable.setHeaderVisible(true);
GridData tableGrid = new GridData(GridData.FILL, GridData.CENTER, false, false, 4 ,1);
filterTable.setLayoutData(tableGrid);
// for (String item : headers) {
// TableColumn column = new TableColumn(filterTable, SWT.NONE);
// column.setText(item);
// }
for (int i=0;i<emptyrows;i++) {
TableItem item = new TableItem(filterTable, SWT.NONE);
for (int j = 0; j < headers.length; j++){
item.setText(j, "");
}
}
for (int i = 0; i < headers.length; i++) {
filterTable.getColumn(i).pack();
}
return filterTable;
}
| protected Table addTRXFilterGroup(Group main, String[] headers, int emptyrows, boolean isSite, FilterListener listener, String[] noListenerHeaders){
final Shell parentShell = main.getShell();
this.listener = listener;
Arrays.sort(noListenerHeaders);
parentShell.addMouseListener(new MouseListener(){
@Override
public void mouseDoubleClick(MouseEvent e) {
// TODO Auto-generated method stub
}
@Override
public void mouseDown(MouseEvent e) {
// TODO Auto-generated method stub
}
@Override
public void mouseUp(MouseEvent e) {
// TODO Auto-generated method stub
}
});
/** Create TRXs Filters Group */
Group trxFilterGroup = new Group(main, SWT.NONE);
trxFilterGroup.setLayout(new GridLayout(4, false));
trxFilterGroup.setLayoutData(new GridData(GridData.FILL, GridData.FILL, true, false,1 ,2));
trxFilterGroup.setText("TRXs Filter");
Label filterInfoLabel = new Label(trxFilterGroup, SWT.LEFT);
if (isSite){
this.siteTrxFilterGroup = trxFilterGroup;
this.siteFilterInfoLabel = filterInfoLabel;
}
else {
this.trxFilterGroup = trxFilterGroup;
this.filterInfoLabel = filterInfoLabel;
}
Button loadButton = new Button(trxFilterGroup, SWT.RIGHT);
loadButton.setLayoutData(new GridData(GridData.END, GridData.BEGINNING, true, false, 1 , 1));
loadButton.setText("Load");
loadButton.setData(LOAD);
loadButton.setEnabled(false);
loadButton.addSelectionListener(this);
Button clearButton = new Button(trxFilterGroup, SWT.RIGHT);
clearButton.setLayoutData(new GridData(GridData.END, GridData.BEGINNING, false, false, 1 , 1));
clearButton.setText("Clear");
clearButton.setData(CLEAR);
clearButton.addSelectionListener(this);
assignButton = new Button(trxFilterGroup, SWT.RIGHT);
assignButton.setLayoutData(new GridData(GridData.END, GridData.BEGINNING, false, false, 1 , 1));
assignButton.setText("Assign");
assignButton.setData(ASSIGN);
assignButton.addSelectionListener(this);
viewer = new TableViewer(trxFilterGroup, SWT.H_SCROLL | SWT.V_SCROLL);
Table filterTable = viewer.getTable();
filterTable.setHeaderVisible(true);
filterTable.setLinesVisible(true);
// filter = new AfpTRXFilter();
// viewer.addFilter(filter);
for (String item : headers) {
TableViewerColumn viewerColumn = new TableViewerColumn(viewer, SWT.NONE);
TableColumn column = viewerColumn.getColumn();
column.setText(item);
column.setData(item);
column.setResizable(true);
if (Arrays.binarySearch(noListenerHeaders, item) < 0)
column.addListener(SWT.Selection, new ColumnFilterListener(parentShell));
}
// Table filterTable = new Table(trxFilterGroup, SWT.VIRTUAL | SWT.MULTI);
// filterTable.setHeaderVisible(true);
GridData tableGrid = new GridData(GridData.FILL, GridData.CENTER, true, true, 4 ,1);
filterTable.setLayoutData(tableGrid);
// for (String item : headers) {
// TableColumn column = new TableColumn(filterTable, SWT.NONE);
// column.setText(item);
// }
for (int i=0;i<emptyrows;i++) {
TableItem item = new TableItem(filterTable, SWT.NONE);
for (int j = 0; j < headers.length; j++){
item.setText(j, "");
}
}
for (int i = 0; i < headers.length; i++) {
filterTable.getColumn(i).pack();
}
return filterTable;
}
|
diff --git a/src/main/java/com/bubble/db/subscription/JdbcSubsRepository.java b/src/main/java/com/bubble/db/subscription/JdbcSubsRepository.java
index 9e9778f..d24d597 100644
--- a/src/main/java/com/bubble/db/subscription/JdbcSubsRepository.java
+++ b/src/main/java/com/bubble/db/subscription/JdbcSubsRepository.java
@@ -1,48 +1,49 @@
package com.bubble.db.subscription;
import javax.inject.Inject;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.dao.DuplicateKeyException;
import org.springframework.dao.EmptyResultDataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.stereotype.Repository;
@Repository
public class JdbcSubsRepository implements SubsRepository {
private final static Logger logger = LoggerFactory.getLogger(SubsRepository.class);
private final JdbcTemplate jdbcTemplate;
@Inject
public
JdbcSubsRepository(JdbcTemplate jdbcTemplate) {
this.jdbcTemplate = jdbcTemplate;
}
public void createSubscription(int topic, String user, boolean subscribed){
- jdbcTemplate.update("update subscriptions set subscribed=? and datecreated=now() " +
+ System.out.println("top"+topic + " " + "user" + user + " " + "subscr" + subscribed);
+ jdbcTemplate.update("update subscriptions set subscribed=?, datecreated=now() " +
"where userid=? and topic=?;",
subscribed, user, topic);
try {
jdbcTemplate.update(
"insert into subscriptions (topic, userid, subscribed) " +
"select ?, ?, ? where (?,?) not in (select topic, user from subscriptions);",
topic, user, subscribed, topic, user);
} catch (DuplicateKeyException e) {}
logger.debug(user + "subscribed/unsubcribed to/from the topic with id " + topic);
}
public boolean isSubscribed(String user, int topic) {
Boolean subscribed;
try {
subscribed = jdbcTemplate.queryForObject("SELECT subscribed FROM subscriptions " +
"WHERE userid = ? and topic=?;",
Boolean.class, user, topic);
} catch (EmptyResultDataAccessException e) {
return false;
}
return (boolean) subscribed;
}
}
| true | true | public void createSubscription(int topic, String user, boolean subscribed){
jdbcTemplate.update("update subscriptions set subscribed=? and datecreated=now() " +
"where userid=? and topic=?;",
subscribed, user, topic);
try {
jdbcTemplate.update(
"insert into subscriptions (topic, userid, subscribed) " +
"select ?, ?, ? where (?,?) not in (select topic, user from subscriptions);",
topic, user, subscribed, topic, user);
} catch (DuplicateKeyException e) {}
logger.debug(user + "subscribed/unsubcribed to/from the topic with id " + topic);
}
| public void createSubscription(int topic, String user, boolean subscribed){
System.out.println("top"+topic + " " + "user" + user + " " + "subscr" + subscribed);
jdbcTemplate.update("update subscriptions set subscribed=?, datecreated=now() " +
"where userid=? and topic=?;",
subscribed, user, topic);
try {
jdbcTemplate.update(
"insert into subscriptions (topic, userid, subscribed) " +
"select ?, ?, ? where (?,?) not in (select topic, user from subscriptions);",
topic, user, subscribed, topic, user);
} catch (DuplicateKeyException e) {}
logger.debug(user + "subscribed/unsubcribed to/from the topic with id " + topic);
}
|
diff --git a/src/com/herocraftonline/dev/heroes/persistence/Hero.java b/src/com/herocraftonline/dev/heroes/persistence/Hero.java
index 9b9eb2ec..e8109cd4 100644
--- a/src/com/herocraftonline/dev/heroes/persistence/Hero.java
+++ b/src/com/herocraftonline/dev/heroes/persistence/Hero.java
@@ -1,472 +1,472 @@
package com.herocraftonline.dev.heroes.persistence;
import java.text.DecimalFormat;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.HashSet;
import java.util.Iterator;
import java.util.List;
import java.util.Map;
import java.util.Map.Entry;
import java.util.Set;
import org.bukkit.ChatColor;
import org.bukkit.Location;
import org.bukkit.Material;
import org.bukkit.entity.Creature;
import org.bukkit.entity.Player;
import org.bukkit.inventory.ItemStack;
import org.bukkit.util.config.Configuration;
import org.bukkit.util.config.ConfigurationNode;
import com.herocraftonline.dev.heroes.Heroes;
import com.herocraftonline.dev.heroes.api.ExperienceChangeEvent;
import com.herocraftonline.dev.heroes.api.HeroLevelEvent;
import com.herocraftonline.dev.heroes.classes.HeroClass;
import com.herocraftonline.dev.heroes.classes.HeroClass.ExperienceType;
import com.herocraftonline.dev.heroes.effects.Effect;
import com.herocraftonline.dev.heroes.party.HeroParty;
import com.herocraftonline.dev.heroes.skill.Skill;
import com.herocraftonline.dev.heroes.util.Messaging;
import com.herocraftonline.dev.heroes.util.Properties;
public class Hero {
private static final DecimalFormat decFormat = new DecimalFormat("#0.##");
protected final Heroes plugin;
protected Player player;
protected HeroClass heroClass;
protected int mana = 0;
protected HeroParty party = null;
protected boolean verbose = true;
protected Set<Effect> effects = new HashSet<Effect>();
protected Map<String, Double> experience = new HashMap<String, Double>();
protected Map<String, Long> cooldowns = new HashMap<String, Long>();
protected Set<Creature> summons = new HashSet<Creature>();
protected Map<Material, String[]> binds = new HashMap<Material, String[]>();
protected List<ItemStack> itemRecovery = new ArrayList<ItemStack>();
protected Set<String> suppressedSkills = new HashSet<String>();
protected Map<String, Map<String, String>> skillSettings = new HashMap<String, Map<String, String>>();
private Map<String, ConfigurationNode> skills = new HashMap<String, ConfigurationNode>();
protected double health;
public Hero(Heroes plugin, Player player, HeroClass heroClass) {
this.plugin = plugin;
this.player = player;
this.heroClass = heroClass;
}
public void syncHealth() {
getPlayer().setHealth((int) (health / getMaxHealth() * 20));
}
public void addEffect(Effect effect) {
effects.add(effect);
effect.apply(this);
}
public void addRecoveryItem(ItemStack item) {
this.itemRecovery.add(item);
}
public void bind(Material material, String[] skillName) {
binds.put(material, skillName);
}
public void changeHeroClass(HeroClass heroClass) {
setHeroClass(heroClass);
binds.clear();
}
@Override
public boolean equals(Object obj) {
if (this == obj) {
return true;
}
if (obj == null) {
return false;
}
if (getClass() != obj.getClass()) {
return false;
}
Hero other = (Hero) obj;
if (player == null) {
if (other.player != null) {
return false;
}
} else if (!player.getName().equals(other.player.getName())) {
return false;
}
return true;
}
public void gainExp(double expGain, ExperienceType source) {
gainExp(expGain, source, true);
}
public void gainExp(double expChange, ExperienceType source, boolean distributeToParty) {
Properties prop = plugin.getConfigManager().getProperties();
if (prop.disabledWorlds.contains(player.getWorld().getName()))
return;
if (distributeToParty && party != null && party.getExp() && expChange > 0) {
Location location = getPlayer().getLocation();
Set<Hero> partyMembers = party.getMembers();
Set<Hero> inRangeMembers = new HashSet<Hero>();
for (Hero partyMember : partyMembers) {
if (!location.getWorld().equals(partyMember.getPlayer().getLocation().getWorld()))
continue;
if (location.distanceSquared(partyMember.getPlayer().getLocation()) <= 2500) {
inRangeMembers.add(partyMember);
}
}
int partySize = inRangeMembers.size();
double sharedExpGain = expChange / partySize * ((partySize - 1) * prop.partyBonus + 1.0);
for (Hero partyMember : inRangeMembers) {
partyMember.gainExp(sharedExpGain, source, false);
}
return;
}
double exp = getExperience();
// adjust exp using the class modifier if it's positive
if (expChange > 0) {
expChange *= heroClass.getExpModifier();
} else if (expChange < 0 && !prop.levelsViaExpLoss){
double currentLevelExp = prop.getExperience(getLevel());
if (exp + expChange < currentLevelExp) {
exp = currentLevelExp;
}
}
int currentLevel = prop.getLevel(exp);
int newLevel = prop.getLevel(exp + expChange);
if (currentLevel >= prop.maxLevel) {
expChange = 0;
} else if (currentLevel > newLevel && !prop.levelsViaExpLoss) {
expChange = (exp + expChange) - prop.getExperience(currentLevel);
}
// add the experience
exp += expChange;
//If we went negative lets reset our values so that we would hit 0
if (exp < 0) {
expChange = expChange - exp;
exp = 0;
}
// call event
ExperienceChangeEvent expEvent;
if (newLevel == currentLevel) {
expEvent = new ExperienceChangeEvent(this, expChange, source);
} else {
expEvent = new HeroLevelEvent(this, expChange, currentLevel, newLevel, source);
}
plugin.getServer().getPluginManager().callEvent(expEvent);
if (expEvent.isCancelled()) {
// undo the experience gain
exp -= expChange;
return;
}
// undo the previous gain to make sure we use the updated value
exp -= expChange;
expChange = expEvent.getExpChange();
// add the updated experience
exp += expChange;
// Track if the Hero leveled for persisting
boolean changedLevel = false;
// notify the user
if (expChange != 0) {
if (verbose && expChange > 0) {
Messaging.send(player, "$1: Gained $2 Exp", heroClass.getName(), decFormat.format(expChange));
} else if ( verbose && expChange < 0) {
- Messaging.send(player, "$1: Lost $2 Exp", heroClass.getName(), decFormat.format(expChange));
+ Messaging.send(player, "$1: Lost $2 Exp", heroClass.getName(), decFormat.format(-expChange));
}
if (newLevel != currentLevel) {
changedLevel = true;
setHealth(getMaxHealth());
syncHealth();
if (newLevel >= prop.maxLevel) {
exp = prop.getExperience(prop.maxLevel);
Messaging.broadcast(plugin, "$1 has become a master $2!", player.getName(), heroClass.getName());
plugin.getHeroManager().saveHero(player);
}
if (newLevel > currentLevel) {
plugin.getSpoutUI().sendPlayerNotification(player, ChatColor.GOLD + "Level Up!", ChatColor.DARK_RED + "Level - " + String.valueOf(newLevel), Material.DIAMOND_HELMET);
Messaging.send(player, "You leveled up! (Lvl $1 $2)", String.valueOf(newLevel), heroClass.getName());
} else {
plugin.getSpoutUI().sendPlayerNotification(player, ChatColor.GOLD + "Level Lost!", ChatColor.DARK_RED + "Level - " + String.valueOf(newLevel), Material.DIAMOND_HELMET);
Messaging.send(player, "You lost a level up! (Lvl $1 $2)", String.valueOf(newLevel), heroClass.getName());
}
}
}
setExperience(exp);
// Save the hero file when the Hero levels to prevent rollback issues
if (changedLevel)
plugin.getHeroManager().saveHero(getPlayer());
}
public Map<Material, String[]> getBinds() {
return binds;
}
public Map<String, Long> getCooldowns() {
return cooldowns;
}
public Effect getEffect(String name) {
for (Effect effect : effects) {
if (effect.getName().equalsIgnoreCase(name)) {
return effect;
}
}
return null;
}
public Set<Effect> getEffects() {
return new HashSet<Effect>(effects);
}
public double getExperience() {
return getExperience(heroClass);
}
public double getExperience(HeroClass heroClass) {
Double exp = experience.get(heroClass.getName());
return exp == null ? 0 : exp;
}
public HeroClass getHeroClass() {
return heroClass;
}
public int getLevel() {
return plugin.getConfigManager().getProperties().getLevel(getExperience());
}
public double getHealth() {
return health;
}
public double getMaxHealth() {
int level = plugin.getConfigManager().getProperties().getLevel(getExperience());
return heroClass.getBaseMaxHealth() + (level - 1) * heroClass.getMaxHealthPerLevel();
}
public int getMana() {
return mana;
}
public HeroParty getParty() {
return party;
}
public Player getPlayer() {
Player servPlayer = plugin.getServer().getPlayer(player.getName());
if (servPlayer != null && player != servPlayer) {
player = servPlayer;
}
return player;
}
public List<ItemStack> getRecoveryItems() {
return this.itemRecovery;
}
public Set<Creature> getSummons() {
return summons;
}
public void clearSummons() {
for (Creature summon : summons) {
summon.remove();
}
summons.clear();
}
public Set<String> getSuppressedSkills() {
return new HashSet<String>(suppressedSkills);
}
public boolean hasEffect(String name) {
for (Effect effect : effects) {
if (effect.getName().equalsIgnoreCase(name)) {
return true;
}
}
return false;
}
@Override
public int hashCode() {
return player == null ? 0 : player.getName().hashCode();
}
public boolean hasParty() {
return party != null;
}
public boolean isMaster() {
return isMaster(heroClass);
}
public boolean isMaster(HeroClass heroClass) {
int maxExp = plugin.getConfigManager().getProperties().maxExp;
return getExperience(heroClass) >= maxExp || getExperience(heroClass) - maxExp > 0;
}
public boolean isSuppressing(Skill skill) {
return suppressedSkills.contains(skill.getName());
}
public boolean isVerbose() {
return verbose;
}
/**
* Iterates over the effects this Hero has and removes them
*
*/
public void clearEffects() {
Iterator<Effect> iter = effects.iterator();
while (iter.hasNext()) {
iter.next().remove(this);
iter.remove();
}
}
/**
* This method can NOT be called from an iteration over the effect set
*
* @param effect
*/
public void removeEffect(Effect effect) {
effects.remove(effect);
if (effect != null) {
effect.remove(this);
}
}
public void setExperience(double experience) {
setExperience(heroClass, experience);
}
public void setExperience(HeroClass heroClass, double experience) {
this.experience.put(heroClass.getName(), experience);
}
public void clearExperience() {
for (Entry<String, Double> entry : experience.entrySet()) {
entry.setValue(0.0);
}
}
public void setHeroClass(HeroClass heroClass) {
double currentMaxHP = getMaxHealth();
this.heroClass = heroClass;
double newMaxHP = getMaxHealth();
health *= newMaxHP / currentMaxHP;
if (health > newMaxHP) {
health = newMaxHP;
}
// Check the Players inventory now that they have changed class.
this.plugin.getInventoryChecker().checkInventory(getPlayer());
}
public void setMana(int mana) {
if (mana > 100) {
mana = 100;
} else if (mana < 0) {
mana = 0;
}
this.mana = mana;
}
public void setParty(HeroParty party) {
this.party = party;
}
public void setRecoveryItems(List<ItemStack> items) {
this.itemRecovery = items;
}
public void setSuppressed(Skill skill, boolean suppressed) {
if (suppressed) {
suppressedSkills.add(skill.getName());
} else {
suppressedSkills.remove(skill.getName());
}
}
public Map<String, String> getSkillSettings(Skill skill) {
return skill == null ? null : getSkillSettings(skill.getName());
}
public Map<String, String> getSkillSettings(String skillName) {
if (!heroClass.hasSkill(skillName)) {
return null;
}
return skillSettings.get(skillName.toLowerCase());
}
public void setSkillSetting(Skill skill, String node, Object val) {
setSkillSetting(skill.getName(), node, val);
}
public void setSkillSetting(String skillName, String node, Object val) {
Map<String, String> settings = skillSettings.get(skillName.toLowerCase());
if (settings == null) {
settings = new HashMap<String, String>();
skillSettings.put(skillName.toLowerCase(), settings);
}
settings.put(node, val.toString());
}
public void setVerbose(boolean verbose) {
this.verbose = verbose;
}
public void unbind(Material material) {
binds.remove(material);
}
public void setHealth(Double health) {
double maxHealth = getMaxHealth();
if (health > maxHealth) {
this.health = maxHealth;
} else if (health < 0) {
this.health = 0;
} else {
this.health = health;
}
}
public boolean hasSkill(String skill) {
return skills.containsKey(skill);
}
public Map<String, ConfigurationNode> getSkills() {
return skills;
}
public void addSkill(String skill) {
skills.put(skill, Configuration.getEmptyNode());
}
}
| true | true | public void gainExp(double expChange, ExperienceType source, boolean distributeToParty) {
Properties prop = plugin.getConfigManager().getProperties();
if (prop.disabledWorlds.contains(player.getWorld().getName()))
return;
if (distributeToParty && party != null && party.getExp() && expChange > 0) {
Location location = getPlayer().getLocation();
Set<Hero> partyMembers = party.getMembers();
Set<Hero> inRangeMembers = new HashSet<Hero>();
for (Hero partyMember : partyMembers) {
if (!location.getWorld().equals(partyMember.getPlayer().getLocation().getWorld()))
continue;
if (location.distanceSquared(partyMember.getPlayer().getLocation()) <= 2500) {
inRangeMembers.add(partyMember);
}
}
int partySize = inRangeMembers.size();
double sharedExpGain = expChange / partySize * ((partySize - 1) * prop.partyBonus + 1.0);
for (Hero partyMember : inRangeMembers) {
partyMember.gainExp(sharedExpGain, source, false);
}
return;
}
double exp = getExperience();
// adjust exp using the class modifier if it's positive
if (expChange > 0) {
expChange *= heroClass.getExpModifier();
} else if (expChange < 0 && !prop.levelsViaExpLoss){
double currentLevelExp = prop.getExperience(getLevel());
if (exp + expChange < currentLevelExp) {
exp = currentLevelExp;
}
}
int currentLevel = prop.getLevel(exp);
int newLevel = prop.getLevel(exp + expChange);
if (currentLevel >= prop.maxLevel) {
expChange = 0;
} else if (currentLevel > newLevel && !prop.levelsViaExpLoss) {
expChange = (exp + expChange) - prop.getExperience(currentLevel);
}
// add the experience
exp += expChange;
//If we went negative lets reset our values so that we would hit 0
if (exp < 0) {
expChange = expChange - exp;
exp = 0;
}
// call event
ExperienceChangeEvent expEvent;
if (newLevel == currentLevel) {
expEvent = new ExperienceChangeEvent(this, expChange, source);
} else {
expEvent = new HeroLevelEvent(this, expChange, currentLevel, newLevel, source);
}
plugin.getServer().getPluginManager().callEvent(expEvent);
if (expEvent.isCancelled()) {
// undo the experience gain
exp -= expChange;
return;
}
// undo the previous gain to make sure we use the updated value
exp -= expChange;
expChange = expEvent.getExpChange();
// add the updated experience
exp += expChange;
// Track if the Hero leveled for persisting
boolean changedLevel = false;
// notify the user
if (expChange != 0) {
if (verbose && expChange > 0) {
Messaging.send(player, "$1: Gained $2 Exp", heroClass.getName(), decFormat.format(expChange));
} else if ( verbose && expChange < 0) {
Messaging.send(player, "$1: Lost $2 Exp", heroClass.getName(), decFormat.format(expChange));
}
if (newLevel != currentLevel) {
changedLevel = true;
setHealth(getMaxHealth());
syncHealth();
if (newLevel >= prop.maxLevel) {
exp = prop.getExperience(prop.maxLevel);
Messaging.broadcast(plugin, "$1 has become a master $2!", player.getName(), heroClass.getName());
plugin.getHeroManager().saveHero(player);
}
if (newLevel > currentLevel) {
plugin.getSpoutUI().sendPlayerNotification(player, ChatColor.GOLD + "Level Up!", ChatColor.DARK_RED + "Level - " + String.valueOf(newLevel), Material.DIAMOND_HELMET);
Messaging.send(player, "You leveled up! (Lvl $1 $2)", String.valueOf(newLevel), heroClass.getName());
} else {
plugin.getSpoutUI().sendPlayerNotification(player, ChatColor.GOLD + "Level Lost!", ChatColor.DARK_RED + "Level - " + String.valueOf(newLevel), Material.DIAMOND_HELMET);
Messaging.send(player, "You lost a level up! (Lvl $1 $2)", String.valueOf(newLevel), heroClass.getName());
}
}
}
setExperience(exp);
// Save the hero file when the Hero levels to prevent rollback issues
if (changedLevel)
plugin.getHeroManager().saveHero(getPlayer());
}
| public void gainExp(double expChange, ExperienceType source, boolean distributeToParty) {
Properties prop = plugin.getConfigManager().getProperties();
if (prop.disabledWorlds.contains(player.getWorld().getName()))
return;
if (distributeToParty && party != null && party.getExp() && expChange > 0) {
Location location = getPlayer().getLocation();
Set<Hero> partyMembers = party.getMembers();
Set<Hero> inRangeMembers = new HashSet<Hero>();
for (Hero partyMember : partyMembers) {
if (!location.getWorld().equals(partyMember.getPlayer().getLocation().getWorld()))
continue;
if (location.distanceSquared(partyMember.getPlayer().getLocation()) <= 2500) {
inRangeMembers.add(partyMember);
}
}
int partySize = inRangeMembers.size();
double sharedExpGain = expChange / partySize * ((partySize - 1) * prop.partyBonus + 1.0);
for (Hero partyMember : inRangeMembers) {
partyMember.gainExp(sharedExpGain, source, false);
}
return;
}
double exp = getExperience();
// adjust exp using the class modifier if it's positive
if (expChange > 0) {
expChange *= heroClass.getExpModifier();
} else if (expChange < 0 && !prop.levelsViaExpLoss){
double currentLevelExp = prop.getExperience(getLevel());
if (exp + expChange < currentLevelExp) {
exp = currentLevelExp;
}
}
int currentLevel = prop.getLevel(exp);
int newLevel = prop.getLevel(exp + expChange);
if (currentLevel >= prop.maxLevel) {
expChange = 0;
} else if (currentLevel > newLevel && !prop.levelsViaExpLoss) {
expChange = (exp + expChange) - prop.getExperience(currentLevel);
}
// add the experience
exp += expChange;
//If we went negative lets reset our values so that we would hit 0
if (exp < 0) {
expChange = expChange - exp;
exp = 0;
}
// call event
ExperienceChangeEvent expEvent;
if (newLevel == currentLevel) {
expEvent = new ExperienceChangeEvent(this, expChange, source);
} else {
expEvent = new HeroLevelEvent(this, expChange, currentLevel, newLevel, source);
}
plugin.getServer().getPluginManager().callEvent(expEvent);
if (expEvent.isCancelled()) {
// undo the experience gain
exp -= expChange;
return;
}
// undo the previous gain to make sure we use the updated value
exp -= expChange;
expChange = expEvent.getExpChange();
// add the updated experience
exp += expChange;
// Track if the Hero leveled for persisting
boolean changedLevel = false;
// notify the user
if (expChange != 0) {
if (verbose && expChange > 0) {
Messaging.send(player, "$1: Gained $2 Exp", heroClass.getName(), decFormat.format(expChange));
} else if ( verbose && expChange < 0) {
Messaging.send(player, "$1: Lost $2 Exp", heroClass.getName(), decFormat.format(-expChange));
}
if (newLevel != currentLevel) {
changedLevel = true;
setHealth(getMaxHealth());
syncHealth();
if (newLevel >= prop.maxLevel) {
exp = prop.getExperience(prop.maxLevel);
Messaging.broadcast(plugin, "$1 has become a master $2!", player.getName(), heroClass.getName());
plugin.getHeroManager().saveHero(player);
}
if (newLevel > currentLevel) {
plugin.getSpoutUI().sendPlayerNotification(player, ChatColor.GOLD + "Level Up!", ChatColor.DARK_RED + "Level - " + String.valueOf(newLevel), Material.DIAMOND_HELMET);
Messaging.send(player, "You leveled up! (Lvl $1 $2)", String.valueOf(newLevel), heroClass.getName());
} else {
plugin.getSpoutUI().sendPlayerNotification(player, ChatColor.GOLD + "Level Lost!", ChatColor.DARK_RED + "Level - " + String.valueOf(newLevel), Material.DIAMOND_HELMET);
Messaging.send(player, "You lost a level up! (Lvl $1 $2)", String.valueOf(newLevel), heroClass.getName());
}
}
}
setExperience(exp);
// Save the hero file when the Hero levels to prevent rollback issues
if (changedLevel)
plugin.getHeroManager().saveHero(getPlayer());
}
|
diff --git a/org.springsource.ide.eclipse.commons.livexp/src/org/springsource/ide/eclipse/commons/livexp/ui/StringFieldSection.java b/org.springsource.ide.eclipse.commons.livexp/src/org/springsource/ide/eclipse/commons/livexp/ui/StringFieldSection.java
index a72bd226..ed919777 100644
--- a/org.springsource.ide.eclipse.commons.livexp/src/org/springsource/ide/eclipse/commons/livexp/ui/StringFieldSection.java
+++ b/org.springsource.ide.eclipse.commons.livexp/src/org/springsource/ide/eclipse/commons/livexp/ui/StringFieldSection.java
@@ -1,117 +1,120 @@
/*******************************************************************************
* Copyright (c) 2013 GoPivotal, Inc.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* GoPivotal, Inc. - initial API and implementation
*******************************************************************************/
package org.springsource.ide.eclipse.commons.livexp.ui;
import static org.springsource.ide.eclipse.commons.livexp.ui.UIConstants.FIELD_LABEL_WIDTH_HINT;
import org.eclipse.jface.layout.GridDataFactory;
import org.eclipse.swt.SWT;
import org.eclipse.swt.events.ModifyEvent;
import org.eclipse.swt.events.ModifyListener;
import org.eclipse.swt.layout.GridData;
import org.eclipse.swt.layout.GridLayout;
import org.eclipse.swt.widgets.Composite;
import org.eclipse.swt.widgets.Label;
import org.eclipse.swt.widgets.Text;
import org.springsource.ide.eclipse.commons.livexp.core.FieldModel;
import org.springsource.ide.eclipse.commons.livexp.core.LiveExpression;
import org.springsource.ide.eclipse.commons.livexp.core.LiveVariable;
import org.springsource.ide.eclipse.commons.livexp.core.ValidationResult;
import org.springsource.ide.eclipse.commons.livexp.core.ValueListener;
public class StringFieldSection extends WizardPageSection {
/// options
private String labelText; //what text to use for the label of the field
private String tooltip = null; // what text to use for tooltip
/// model elements
private final LiveVariable<String> variable;
private final LiveExpression<ValidationResult> validator;
/// UI elements
private Text text;
//////////////////////////////
public StringFieldSection(IPageWithSections owner,
String labelText,
LiveVariable<String> variable,
LiveExpression<ValidationResult> validator) {
super(owner);
this.labelText = labelText;
this.variable = variable;
this.validator = validator;
}
public StringFieldSection(IPageWithSections owner, FieldModel<String> f) {
this(owner, f.getLabel(), f.getVariable(), f.getValidator());
}
@Override
public LiveExpression<ValidationResult> getValidator() {
return validator;
}
@Override
public void createContents(Composite page) {
// project specification group
Composite projectGroup = new Composite(page, SWT.NONE);
GridLayout layout = new GridLayout();
layout.numColumns = 2;
// layout.marginBottom = 0;
// layout.marginTop = 0;
// layout.marginLeft = 0;
// layout.marginRight = 0;
layout.marginWidth = 0;
projectGroup.setLayout(layout);
projectGroup.setLayoutData(new GridData(GridData.FILL_HORIZONTAL));
Label label = new Label(projectGroup, SWT.NONE);
label.setText(labelText);
GridDataFactory.fillDefaults()
.hint(FIELD_LABEL_WIDTH_HINT, SWT.DEFAULT)
.align(SWT.BEGINNING, SWT.CENTER)
.applyTo(label);
text = new Text(projectGroup, SWT.BORDER);
GridData data = new GridData(GridData.FILL_HORIZONTAL);
data.widthHint = UIConstants.FIELD_TEXT_AREA_WIDTH;
text.setLayoutData(data);
text.addModifyListener(new ModifyListener() {
public void modifyText(ModifyEvent e) {
variable.setValue(text.getText());
}
});
variable.addListener(new ValueListener<String>() {
public void gotValue(LiveExpression<String> exp, String value) {
if (text!=null && !text.isDisposed()) {
if (value==null) {
value = "";
}
- text.setText(value);
+ String oldText = text.getText();
+ if (!oldText.equals(value)) {
+ text.setText(value);
+ }
}
}
});
if (tooltip!=null) {
label.setToolTipText(tooltip);
text.setToolTipText(tooltip);
}
}
public StringFieldSection tooltip(String string) {
this.tooltip = string;
return this;
}
}
| true | true | public void createContents(Composite page) {
// project specification group
Composite projectGroup = new Composite(page, SWT.NONE);
GridLayout layout = new GridLayout();
layout.numColumns = 2;
// layout.marginBottom = 0;
// layout.marginTop = 0;
// layout.marginLeft = 0;
// layout.marginRight = 0;
layout.marginWidth = 0;
projectGroup.setLayout(layout);
projectGroup.setLayoutData(new GridData(GridData.FILL_HORIZONTAL));
Label label = new Label(projectGroup, SWT.NONE);
label.setText(labelText);
GridDataFactory.fillDefaults()
.hint(FIELD_LABEL_WIDTH_HINT, SWT.DEFAULT)
.align(SWT.BEGINNING, SWT.CENTER)
.applyTo(label);
text = new Text(projectGroup, SWT.BORDER);
GridData data = new GridData(GridData.FILL_HORIZONTAL);
data.widthHint = UIConstants.FIELD_TEXT_AREA_WIDTH;
text.setLayoutData(data);
text.addModifyListener(new ModifyListener() {
public void modifyText(ModifyEvent e) {
variable.setValue(text.getText());
}
});
variable.addListener(new ValueListener<String>() {
public void gotValue(LiveExpression<String> exp, String value) {
if (text!=null && !text.isDisposed()) {
if (value==null) {
value = "";
}
text.setText(value);
}
}
});
if (tooltip!=null) {
label.setToolTipText(tooltip);
text.setToolTipText(tooltip);
}
}
| public void createContents(Composite page) {
// project specification group
Composite projectGroup = new Composite(page, SWT.NONE);
GridLayout layout = new GridLayout();
layout.numColumns = 2;
// layout.marginBottom = 0;
// layout.marginTop = 0;
// layout.marginLeft = 0;
// layout.marginRight = 0;
layout.marginWidth = 0;
projectGroup.setLayout(layout);
projectGroup.setLayoutData(new GridData(GridData.FILL_HORIZONTAL));
Label label = new Label(projectGroup, SWT.NONE);
label.setText(labelText);
GridDataFactory.fillDefaults()
.hint(FIELD_LABEL_WIDTH_HINT, SWT.DEFAULT)
.align(SWT.BEGINNING, SWT.CENTER)
.applyTo(label);
text = new Text(projectGroup, SWT.BORDER);
GridData data = new GridData(GridData.FILL_HORIZONTAL);
data.widthHint = UIConstants.FIELD_TEXT_AREA_WIDTH;
text.setLayoutData(data);
text.addModifyListener(new ModifyListener() {
public void modifyText(ModifyEvent e) {
variable.setValue(text.getText());
}
});
variable.addListener(new ValueListener<String>() {
public void gotValue(LiveExpression<String> exp, String value) {
if (text!=null && !text.isDisposed()) {
if (value==null) {
value = "";
}
String oldText = text.getText();
if (!oldText.equals(value)) {
text.setText(value);
}
}
}
});
if (tooltip!=null) {
label.setToolTipText(tooltip);
text.setToolTipText(tooltip);
}
}
|
diff --git a/src/com/codisimus/plugins/buttonwarp/SaveSystem.java b/src/com/codisimus/plugins/buttonwarp/SaveSystem.java
index deda374..db14ff9 100644
--- a/src/com/codisimus/plugins/buttonwarp/SaveSystem.java
+++ b/src/com/codisimus/plugins/buttonwarp/SaveSystem.java
@@ -1,240 +1,241 @@
package com.codisimus.plugins.buttonwarp;
import java.io.BufferedReader;
import java.io.BufferedWriter;
import java.io.File;
import java.io.FileReader;
import java.io.FileWriter;
import java.util.Arrays;
import java.util.LinkedList;
import org.bukkit.block.Block;
/**
* Holds ButtonWarp data and is used to load/save data
*
* @author Codisimus
*/
public class SaveSystem {
public static LinkedList<Warp> warps = new LinkedList<Warp>();
public static boolean save = true;
public static int currentVersion = 1;
/**
* Loads Warps from file
*
*/
public static void load() {
String line = "";
try {
//Open save file in BufferedReader
new File("plugins/ButtonWarp").mkdir();
new File("plugins/ButtonWarp/warps.save").createNewFile();
BufferedReader bReader = new BufferedReader(new FileReader("plugins/ButtonWarp/warps.save"));
//Check the Version of the save file
line = bReader.readLine();
if (line == null || Integer.parseInt(line.substring(8)) != currentVersion) {
loadOld();
return;
}
//Convert each line into data until all lines are read
while ((line = bReader.readLine()) != null) {
String[] warpData = line.split(";");
Warp warp = new Warp(warpData[0], warpData[1], Double.parseDouble(warpData[2]), warpData[3]);
//Load the location data of the Warp if it exists
- if (!(warpData[4] = warpData[4].substring(1, warpData[4].length() - 1)).isEmpty()) {
+ String locationData = warpData[4].substring(1, warpData[4].length() - 1);
+ if (!locationData.isEmpty()) {
String[] location = warpData[4].split(".");
warp.world = location[0];
warp.x = Double.parseDouble(location[1]);
warp.y = Double.parseDouble(location[2]);
warp.z = Double.parseDouble(location[3]);
warp.pitch = Float.parseFloat(location[4]);
warp.yaw = Float.parseFloat(location[5]);
}
//Load the time data of the Warp
String[] time = (warpData[5].substring(1, warpData[5].length() - 1)).split("'");
warp.days = Integer.parseInt(time[0]);
warp.hours = Integer.parseInt(time[1]);
warp.minutes = Integer.parseInt(time[2]);
warp.seconds = Integer.parseInt(time[3]);
warp.global = Boolean.parseBoolean(warpData[6]);
//Load the access groups of the Warp
String[] groups = (warpData[7].substring(1, warpData[7].length() - 1)).split(", ");
warp.access.addAll(Arrays.asList(groups));
//Load the Buttons of the Warp
int index, x, y, z;
String[] buttons = (warpData[8].substring(1, warpData[8].length() - 1)).split(", ");
for (String buttonData: buttons) {
index = buttonData.indexOf('{');
//Load the Block Location data of the Button
String[] blockData = buttonData.substring(0, index - 1).split(".");
x = Integer.parseInt(blockData[1]);
y = Integer.parseInt(blockData[1]);
z = Integer.parseInt(blockData[1]);
Button button = new Button(blockData[0], x, y, z);
//Load the HashMap of Users of the Button
String[] users = (buttonData.substring(index, buttonData.length() - 1)).split(", ");
for (String user: users) {
index = user.indexOf('=');
button.users.put(user.substring(0, index - 1), user.substring(index));
}
warp.buttons.add(button);
}
warps.add(warp);
}
bReader.close();
}
catch (Exception loadFailed) {
save = false;
System.err.println("[ButtonWarp] Load failed, saving turned off to prevent loss of data");
System.err.println("[ButtonWarp] Errored line: "+line);
loadFailed.printStackTrace();
}
}
/**
* Loads Warps from outdated save file
*
*/
public static void loadOld() {
String line = "";
try {
System.out.println("[ButtonWarp] Updating old save file");
//Open save file in BufferedReader
new File("plugins/ButtonWarp").mkdir();
new File("plugins/ButtonWarp/ButtonWarp.save").createNewFile();
BufferedReader bReader = new BufferedReader(new FileReader("plugins/ButtonWarp/ButtonWarp.save"));
//Convert each line into data until all lines are read
while ((line = bReader.readLine()) != null) {
String[] data = line.split(";");
Warp warp = new Warp(data[0], null);
warp.msg = data[1];
warp.amount = Double.parseDouble(data[2]);
warp.source = data[3];
if (!data[10].equals("none")) {
String[] time = data[10].split("'");
warp.days = Integer.parseInt(time[0]);
warp.hours = Integer.parseInt(time[1]);
warp.minutes = Integer.parseInt(time[2]);
warp.seconds = Integer.parseInt(time[3]);
}
if (data[11].equals("user"))
warp.global = false;
else if (data[11].equals("global"))
warp.global = true;
if (data.length > 12)
warp.setButtons(data[12]);
//Update outdated save files
if (data[4].endsWith("~NETHER"))
data[4].replace("~NETHER", "");
//Load the location data if the World is loaded
warp.world = data[4];
warp.x = Double.parseDouble(data[5]);
warp.y = Double.parseDouble(data[6]);
warp.z = Double.parseDouble(data[7]);
warp.pitch = Float.parseFloat(data[8]);
warp.yaw = Float.parseFloat(data[9]);
warps.add(warp);
}
bReader.close();
save();
}
catch (Exception loadFailed) {
save = false;
System.err.println("[ButtonWarp] Load failed, saving turned off to prevent loss of data");
System.err.println("[ButtonWarp] Errored line: "+line);
loadFailed.printStackTrace();
}
}
/**
* Writes Serializable object to save file
* Old file is overwritten
*/
public static void save() {
try {
//Cancel if saving is turned off
if (!save) {
System.out.println("[ButtonWarp] Warning! Data is not being saved.");
return;
}
//Open save file for writing data
BufferedWriter bWriter = new BufferedWriter(new FileWriter("plugins/ButtonWarp/warps.save"));
//Write the current save file version on the first line
bWriter.write("Version="+currentVersion);
bWriter.newLine();
//Write each Warp data on its own line
for (Warp warp: warps) {
bWriter.write(warp.toString());
bWriter.newLine();
}
bWriter.close();
}
catch (Exception saveFailed) {
System.err.println("[ButtonWarp] Save Failed!");
saveFailed.printStackTrace();
}
}
/**
* Returns the Warp with the given name
*
* @param name The name of the Warp you wish to find
* @return The Warp with the given name or null if not found
*/
public static Warp findWarp(String name) {
//Iterate through all Warps to find the one with the given Name
for(Warp warp : warps)
if (warp.name.equals(name))
return warp;
//Return null because the Warp does not exist
return null;
}
/**
* Returns the Warp that contains the given Block
*
* @param button The Block that is part of the Warp
* @return The Warp that contains the given Block or null if not found
*/
public static Warp findWarp(Block block) {
//Iterate through all Warps to find the one with the given Block
for(Warp warp : warps)
for (Button button: warp.buttons)
if (button.isBlock(block))
return warp;
//Return null because the Warp does not exist
return null;
}
}
| true | true | public static void load() {
String line = "";
try {
//Open save file in BufferedReader
new File("plugins/ButtonWarp").mkdir();
new File("plugins/ButtonWarp/warps.save").createNewFile();
BufferedReader bReader = new BufferedReader(new FileReader("plugins/ButtonWarp/warps.save"));
//Check the Version of the save file
line = bReader.readLine();
if (line == null || Integer.parseInt(line.substring(8)) != currentVersion) {
loadOld();
return;
}
//Convert each line into data until all lines are read
while ((line = bReader.readLine()) != null) {
String[] warpData = line.split(";");
Warp warp = new Warp(warpData[0], warpData[1], Double.parseDouble(warpData[2]), warpData[3]);
//Load the location data of the Warp if it exists
if (!(warpData[4] = warpData[4].substring(1, warpData[4].length() - 1)).isEmpty()) {
String[] location = warpData[4].split(".");
warp.world = location[0];
warp.x = Double.parseDouble(location[1]);
warp.y = Double.parseDouble(location[2]);
warp.z = Double.parseDouble(location[3]);
warp.pitch = Float.parseFloat(location[4]);
warp.yaw = Float.parseFloat(location[5]);
}
//Load the time data of the Warp
String[] time = (warpData[5].substring(1, warpData[5].length() - 1)).split("'");
warp.days = Integer.parseInt(time[0]);
warp.hours = Integer.parseInt(time[1]);
warp.minutes = Integer.parseInt(time[2]);
warp.seconds = Integer.parseInt(time[3]);
warp.global = Boolean.parseBoolean(warpData[6]);
//Load the access groups of the Warp
String[] groups = (warpData[7].substring(1, warpData[7].length() - 1)).split(", ");
warp.access.addAll(Arrays.asList(groups));
//Load the Buttons of the Warp
int index, x, y, z;
String[] buttons = (warpData[8].substring(1, warpData[8].length() - 1)).split(", ");
for (String buttonData: buttons) {
index = buttonData.indexOf('{');
//Load the Block Location data of the Button
String[] blockData = buttonData.substring(0, index - 1).split(".");
x = Integer.parseInt(blockData[1]);
y = Integer.parseInt(blockData[1]);
z = Integer.parseInt(blockData[1]);
Button button = new Button(blockData[0], x, y, z);
//Load the HashMap of Users of the Button
String[] users = (buttonData.substring(index, buttonData.length() - 1)).split(", ");
for (String user: users) {
index = user.indexOf('=');
button.users.put(user.substring(0, index - 1), user.substring(index));
}
warp.buttons.add(button);
}
warps.add(warp);
}
bReader.close();
}
catch (Exception loadFailed) {
save = false;
System.err.println("[ButtonWarp] Load failed, saving turned off to prevent loss of data");
System.err.println("[ButtonWarp] Errored line: "+line);
loadFailed.printStackTrace();
}
}
| public static void load() {
String line = "";
try {
//Open save file in BufferedReader
new File("plugins/ButtonWarp").mkdir();
new File("plugins/ButtonWarp/warps.save").createNewFile();
BufferedReader bReader = new BufferedReader(new FileReader("plugins/ButtonWarp/warps.save"));
//Check the Version of the save file
line = bReader.readLine();
if (line == null || Integer.parseInt(line.substring(8)) != currentVersion) {
loadOld();
return;
}
//Convert each line into data until all lines are read
while ((line = bReader.readLine()) != null) {
String[] warpData = line.split(";");
Warp warp = new Warp(warpData[0], warpData[1], Double.parseDouble(warpData[2]), warpData[3]);
//Load the location data of the Warp if it exists
String locationData = warpData[4].substring(1, warpData[4].length() - 1);
if (!locationData.isEmpty()) {
String[] location = warpData[4].split(".");
warp.world = location[0];
warp.x = Double.parseDouble(location[1]);
warp.y = Double.parseDouble(location[2]);
warp.z = Double.parseDouble(location[3]);
warp.pitch = Float.parseFloat(location[4]);
warp.yaw = Float.parseFloat(location[5]);
}
//Load the time data of the Warp
String[] time = (warpData[5].substring(1, warpData[5].length() - 1)).split("'");
warp.days = Integer.parseInt(time[0]);
warp.hours = Integer.parseInt(time[1]);
warp.minutes = Integer.parseInt(time[2]);
warp.seconds = Integer.parseInt(time[3]);
warp.global = Boolean.parseBoolean(warpData[6]);
//Load the access groups of the Warp
String[] groups = (warpData[7].substring(1, warpData[7].length() - 1)).split(", ");
warp.access.addAll(Arrays.asList(groups));
//Load the Buttons of the Warp
int index, x, y, z;
String[] buttons = (warpData[8].substring(1, warpData[8].length() - 1)).split(", ");
for (String buttonData: buttons) {
index = buttonData.indexOf('{');
//Load the Block Location data of the Button
String[] blockData = buttonData.substring(0, index - 1).split(".");
x = Integer.parseInt(blockData[1]);
y = Integer.parseInt(blockData[1]);
z = Integer.parseInt(blockData[1]);
Button button = new Button(blockData[0], x, y, z);
//Load the HashMap of Users of the Button
String[] users = (buttonData.substring(index, buttonData.length() - 1)).split(", ");
for (String user: users) {
index = user.indexOf('=');
button.users.put(user.substring(0, index - 1), user.substring(index));
}
warp.buttons.add(button);
}
warps.add(warp);
}
bReader.close();
}
catch (Exception loadFailed) {
save = false;
System.err.println("[ButtonWarp] Load failed, saving turned off to prevent loss of data");
System.err.println("[ButtonWarp] Errored line: "+line);
loadFailed.printStackTrace();
}
}
|
diff --git a/src/org/jruby/util/Sprintf.java b/src/org/jruby/util/Sprintf.java
index 4e2ba7381..e64769825 100644
--- a/src/org/jruby/util/Sprintf.java
+++ b/src/org/jruby/util/Sprintf.java
@@ -1,1418 +1,1418 @@
/***** BEGIN LICENSE BLOCK *****
* Version: CPL 1.0/GPL 2.0/LGPL 2.1
*
* The contents of this file are subject to the Common Public
* License Version 1.0 (the "License"); you may not use this file
* except in compliance with the License. You may obtain a copy of
* the License at http://www.eclipse.org/legal/cpl-v10.html
*
* Software distributed under the License is distributed on an "AS
* IS" basis, WITHOUT WARRANTY OF ANY KIND, either express or
* implied. See the License for the specific language governing
* rights and limitations under the License.
*
* Copyright (C) 2007 William N Dortch <[email protected]>
*
* Alternatively, the contents of this file may be used under the terms of
* either of the GNU General Public License Version 2 or later (the "GPL"),
* or the GNU Lesser General Public License Version 2.1 or later (the "LGPL"),
* in which case the provisions of the GPL or the LGPL are applicable instead
* of those above. If you wish to allow use of your version of this file only
* under the terms of either the GPL or the LGPL, and not to allow others to
* use your version of this file under the terms of the CPL, indicate your
* decision by deleting the provisions above and replace them with the notice
* and other provisions required by the GPL or the LGPL. If you do not delete
* the provisions above, a recipient may use your version of this file under
* the terms of any one of the CPL, the GPL or the LGPL.
***** END LICENSE BLOCK *****/
package org.jruby.util;
import java.math.BigInteger;
import java.text.DecimalFormatSymbols;
import java.util.Locale;
import org.jruby.Ruby;
import org.jruby.RubyArray;
import org.jruby.RubyBignum;
import org.jruby.RubyFixnum;
import org.jruby.RubyFloat;
import org.jruby.RubyInteger;
import org.jruby.RubyKernel;
import org.jruby.RubyNumeric;
import org.jruby.RubyString;
import org.jruby.common.IRubyWarnings.ID;
import org.jruby.runtime.ClassIndex;
import org.jruby.runtime.builtin.IRubyObject;
/**
* @author Bill Dortch
*
*/
public class Sprintf {
private static final int FLAG_NONE = 0;
private static final int FLAG_SPACE = 1 << 0;
private static final int FLAG_ZERO = 1 << 1;
private static final int FLAG_PLUS = 1 << 2;
private static final int FLAG_MINUS = 1 << 3;
private static final int FLAG_SHARP = 1 << 4;
private static final int FLAG_WIDTH = 1 << 5;
private static final int FLAG_PRECISION = 1 << 6;
private static final byte[] PREFIX_OCTAL = {'0'};
private static final byte[] PREFIX_HEX_LC = {'0','x'};
private static final byte[] PREFIX_HEX_UC = {'0','X'};
private static final byte[] PREFIX_BINARY_LC = {'0','b'};
private static final byte[] PREFIX_BINARY_UC = {'0','B'};
private static final byte[] PREFIX_NEGATIVE = {'.','.'};
private static final byte[] NAN_VALUE = {'N','a','N'};
private static final byte[] INFINITY_VALUE = {'I','n','f'};
private static final BigInteger BIG_32 = BigInteger.valueOf(((long)Integer.MAX_VALUE + 1L) << 1);
private static final BigInteger BIG_64 = BIG_32.shiftLeft(32);
private static final BigInteger BIG_MINUS_32 = BigInteger.valueOf((long)Integer.MIN_VALUE << 1);
private static final BigInteger BIG_MINUS_64 = BIG_MINUS_32.shiftLeft(32);
private static final String ERR_MALFORMED_FORMAT = "malformed format string";
private static final String ERR_MALFORMED_NUM = "malformed format string - %[0-9]";
private static final String ERR_MALFORMED_DOT_NUM = "malformed format string - %.[0-9]";
private static final String ERR_MALFORMED_STAR_NUM = "malformed format string - %*[0-9]";
private static final String ERR_ILLEGAL_FORMAT_CHAR = "illegal format character - %";
private static final class Args {
private final Ruby runtime;
private final Locale locale;
private final IRubyObject rubyObject;
private final RubyArray rubyArray;
private final int length;
private int unnumbered; // last index (+1) accessed by next()
private int numbered; // last index (+1) accessed by get()
Args(Locale locale, IRubyObject rubyObject) {
if (rubyObject == null) throw new IllegalArgumentException("null IRubyObject passed to sprintf");
this.locale = locale == null ? Locale.getDefault() : locale;
this.rubyObject = rubyObject;
if (rubyObject instanceof RubyArray) {
this.rubyArray = ((RubyArray)rubyObject);
this.length = rubyArray.size();
} else {
this.length = 1;
this.rubyArray = null;
}
this.runtime = rubyObject.getRuntime();
}
Args(IRubyObject rubyObject) {
this(Locale.getDefault(),rubyObject);
}
// temporary hack to handle non-Ruby values
// will come up with better solution shortly
Args(Ruby runtime, long value) {
this(RubyFixnum.newFixnum(runtime,value));
}
void raiseArgumentError(String message) {
throw runtime.newArgumentError(message);
}
void warn(ID id, String message) {
runtime.getWarnings().warn(id, message);
}
void warning(ID id, String message) {
if (runtime.isVerbose()) runtime.getWarnings().warning(id, message);
}
IRubyObject next() {
// this is the order in which MRI does these two tests
if (numbered > 0) raiseArgumentError("unnumbered" + (unnumbered + 1) + "mixed with numbered");
if (unnumbered >= length) raiseArgumentError("too few arguments");
IRubyObject object = rubyArray == null ? rubyObject : rubyArray.eltInternal(unnumbered);
unnumbered++;
return object;
}
IRubyObject get(int index) {
// this is the order in which MRI does these tests
if (unnumbered > 0) raiseArgumentError("numbered("+numbered+") after unnumbered("+unnumbered+")");
if (index < 0) raiseArgumentError("invalid index - " + (index + 1) + '$');
if (index >= length) raiseArgumentError("too few arguments");
numbered = index + 1;
return rubyArray == null ? rubyObject : rubyArray.eltInternal(index);
}
IRubyObject getNth(int formatIndex) {
return get(formatIndex - 1);
}
int nextInt() {
return intValue(next());
}
int getInt(int index) {
return intValue(get(index));
}
int getNthInt(int formatIndex) {
return intValue(get(formatIndex - 1));
}
int intValue(IRubyObject obj) {
if (obj instanceof RubyNumeric) return (int)((RubyNumeric)obj).getLongValue();
// basically just forcing a TypeError here to match MRI
obj = TypeConverter.convertToType(obj, obj.getRuntime().getFixnum(), "to_int", true);
return (int)((RubyFixnum)obj).getLongValue();
}
byte getDecimalSeparator() {
// not saving DFS instance, as it will only be used once (at most) per call
return (byte)new DecimalFormatSymbols(locale).getDecimalSeparator();
}
} // Args
// static methods only
private Sprintf () {}
// Special form of sprintf that returns a RubyString and handles
// tainted strings correctly.
public static boolean sprintf(ByteList to, Locale locale, CharSequence format, IRubyObject args) {
return rubySprintfToBuffer(to, format, new Args(locale, args));
}
// Special form of sprintf that returns a RubyString and handles
// tainted strings correctly. Version for 1.9.
public static boolean sprintf1_9(ByteList to, Locale locale, CharSequence format, IRubyObject args) {
return rubySprintfToBuffer(to, format, new Args(locale, args), false);
}
public static boolean sprintf(ByteList to, CharSequence format, IRubyObject args) {
return rubySprintf(to, format, new Args(args));
}
public static boolean sprintf(Ruby runtime, ByteList to, CharSequence format, int arg) {
return rubySprintf(to, format, new Args(runtime, (long)arg));
}
public static boolean sprintf(ByteList to, RubyString format, IRubyObject args) {
return rubySprintf(to, format.getByteList(), new Args(args));
}
private static boolean rubySprintf(ByteList to, CharSequence charFormat, Args args) {
return rubySprintfToBuffer(to, charFormat, args);
}
private static boolean rubySprintfToBuffer(ByteList buf, CharSequence charFormat, Args args) {
return rubySprintfToBuffer(buf, charFormat, args, true);
}
private static boolean rubySprintfToBuffer(ByteList buf, CharSequence charFormat, Args args, boolean usePrefixForZero) {
boolean tainted = false;
final byte[] format;
int offset;
int length;
int start;
int mark;
if (charFormat instanceof ByteList) {
ByteList list = (ByteList)charFormat;
format = list.unsafeBytes();
int begin = list.begin();
offset = begin;
length = begin + list.length();
start = begin;
mark = begin;
} else {
format = stringToBytes(charFormat, false);
offset = 0;
length = charFormat.length();
start = 0;
mark = 0;
}
while (offset < length) {
start = offset;
for ( ; offset < length && format[offset] != '%'; offset++) ;
if (offset > start) {
buf.append(format,start,offset-start);
start = offset;
}
if (offset++ >= length) break;
IRubyObject arg = null;
int flags = 0;
int width = 0;
int precision = 0;
int number = 0;
byte fchar = 0;
boolean incomplete = true;
for ( ; incomplete && offset < length ; ) {
switch (fchar = format[offset]) {
default:
if (fchar == '\0' && flags == FLAG_NONE) {
// MRI 1.8.6 behavior: null byte after '%'
// leads to "%" string. Null byte in
// other places, like "%5\0", leads to error.
buf.append('%');
buf.append(fchar);
incomplete = false;
offset++;
break;
} else if (isPrintable(fchar)) {
raiseArgumentError(args,"malformed format string - %" + (char)fchar);
} else {
raiseArgumentError(args,ERR_MALFORMED_FORMAT);
}
break;
case ' ':
flags |= FLAG_SPACE;
offset++;
break;
case '0':
flags |= FLAG_ZERO;
offset++;
break;
case '+':
flags |= FLAG_PLUS;
offset++;
break;
case '-':
flags |= FLAG_MINUS;
offset++;
break;
case '#':
flags |= FLAG_SHARP;
offset++;
break;
case '1':case '2':case '3':case '4':case '5':
case '6':case '7':case '8':case '9':
// MRI doesn't flag it as an error if width is given multiple
// times as a number (but it does for *)
number = 0;
for ( ; offset < length && isDigit(fchar = format[offset]); offset++) {
number = extendWidth(args, number, fchar);
}
checkOffset(args,offset,length,ERR_MALFORMED_NUM);
if (fchar == '$') {
if (arg != null) {
raiseArgumentError(args,"value given twice - " + number + "$");
}
arg = args.getNth(number);
offset++;
} else {
width = number;
flags |= FLAG_WIDTH;
}
break;
case '*':
if ((flags & FLAG_WIDTH) != 0) {
raiseArgumentError(args,"width given twice");
}
flags |= FLAG_WIDTH;
// TODO: factor this chunk as in MRI/YARV GETASTER
checkOffset(args,++offset,length,ERR_MALFORMED_STAR_NUM);
mark = offset;
number = 0;
for ( ; offset < length && isDigit(fchar = format[offset]); offset++) {
number = extendWidth(args,number,fchar);
}
checkOffset(args,offset,length,ERR_MALFORMED_STAR_NUM);
if (fchar == '$') {
width = args.getNthInt(number);
if (width < 0) {
flags |= FLAG_MINUS;
width = -width;
}
offset++;
} else {
width = args.nextInt();
if (width < 0) {
flags |= FLAG_MINUS;
width = -width;
}
// let the width (if any), get processed in the next loop,
// so any leading 0 gets treated correctly
offset = mark;
}
break;
case '.':
if ((flags & FLAG_PRECISION) != 0) {
raiseArgumentError(args,"precision given twice");
}
flags |= FLAG_PRECISION;
checkOffset(args,++offset,length,ERR_MALFORMED_DOT_NUM);
fchar = format[offset];
if (fchar == '*') {
// TODO: factor this chunk as in MRI/YARV GETASTER
checkOffset(args,++offset,length,ERR_MALFORMED_STAR_NUM);
mark = offset;
number = 0;
for ( ; offset < length && isDigit(fchar = format[offset]); offset++) {
number = extendWidth(args,number,fchar);
}
checkOffset(args,offset,length,ERR_MALFORMED_STAR_NUM);
if (fchar == '$') {
precision = args.getNthInt(number);
if (precision < 0) {
flags &= ~FLAG_PRECISION;
}
offset++;
} else {
precision = args.nextInt();
if (precision < 0) {
flags &= ~FLAG_PRECISION;
}
// let the width (if any), get processed in the next loop,
// so any leading 0 gets treated correctly
offset = mark;
}
} else {
number = 0;
for ( ; offset < length && isDigit(fchar = format[offset]); offset++) {
number = extendWidth(args,number,fchar);
}
checkOffset(args,offset,length,ERR_MALFORMED_DOT_NUM);
precision = number;
}
break;
case '\n':
offset--;
case '%':
if (flags != FLAG_NONE) {
raiseArgumentError(args,ERR_ILLEGAL_FORMAT_CHAR);
}
buf.append('%');
offset++;
incomplete = false;
break;
case 'c': {
if (arg == null) arg = args.next();
int c = 0;
// MRI 1.8.5-p12 doesn't support 1-char strings, but
// YARV 0.4.1 does. I don't think it hurts to include
// this; sprintf('%c','a') is nicer than sprintf('%c','a'[0])
if (arg instanceof RubyString) {
ByteList bytes = ((RubyString)arg).getByteList();
if (bytes.length() == 1) {
c = bytes.unsafeBytes()[bytes.begin()];
} else {
raiseArgumentError(args,"%c requires a character");
}
} else {
c = args.intValue(arg);
}
if ((flags & FLAG_WIDTH) != 0 && width > 1) {
if ((flags & FLAG_MINUS) != 0) {
buf.append(c);
buf.fill(' ', width-1);
} else {
buf.fill(' ',width-1);
buf.append(c);
}
} else {
buf.append(c);
}
offset++;
incomplete = false;
break;
}
case 'p':
case 's': {
if (arg == null) arg = args.next();
if (fchar == 'p') {
arg = arg.callMethod(arg.getRuntime().getCurrentContext(),"inspect");
}
ByteList bytes = arg.asString().getByteList();
int len = bytes.length();
if (arg.isTaint()) tainted = true;
if ((flags & FLAG_PRECISION) != 0 && precision < len) {
len = precision;
}
// TODO: adjust length so it won't fall in the middle
// of a multi-byte character. MRI's sprintf.c uses tables
// in a modified version of regex.c, which assume some
// particular encoding for a given installation/application.
// (See regex.c#re_mbcinit in ruby-1.8.5-p12)
//
// This is only an issue if the user specifies a precision
// that causes the string to be truncated. The same issue
// would arise taking a substring of a ByteList-backed RubyString.
if ((flags & FLAG_WIDTH) != 0 && width > len) {
width -= len;
if ((flags & FLAG_MINUS) != 0) {
buf.append(bytes.unsafeBytes(),bytes.begin(),len);
buf.fill(' ',width);
} else {
buf.fill(' ',width);
buf.append(bytes.unsafeBytes(),bytes.begin(),len);
}
} else {
buf.append(bytes.unsafeBytes(),bytes.begin(),len);
}
offset++;
incomplete = false;
break;
}
case 'd':
case 'i':
case 'o':
case 'x':
case 'X':
case 'b':
case 'B':
case 'u': {
if (arg == null) arg = args.next();
int type = arg.getMetaClass().index;
if (type != ClassIndex.FIXNUM && type != ClassIndex.BIGNUM) {
switch(type) {
case ClassIndex.FLOAT:
arg = RubyNumeric.dbl2num(arg.getRuntime(),((RubyFloat)arg).getValue());
break;
case ClassIndex.STRING:
arg = RubyNumeric.str2inum(arg.getRuntime(),(RubyString)arg,0,true);
break;
default:
if (arg.respondsTo("to_int")) {
arg = TypeConverter.convertToType(arg, arg.getRuntime().getInteger(), "to_int", true);
} else {
arg = TypeConverter.convertToType(arg, arg.getRuntime().getInteger(), "to_i", true);
}
break;
}
type = arg.getMetaClass().index;
}
byte[] bytes = null;
int first = 0;
byte[] prefix = null;
boolean sign;
boolean negative;
byte signChar = 0;
byte leadChar = 0;
int base;
// 'd' and 'i' are the same
if (fchar == 'i') fchar = 'd';
// 'u' with space or plus flags is same as 'd'
if (fchar == 'u' && (flags & (FLAG_SPACE | FLAG_PLUS)) != 0) {
fchar = 'd';
}
sign = (fchar == 'd' || (flags & (FLAG_SPACE | FLAG_PLUS)) != 0);
switch (fchar) {
case 'o':
base = 8; break;
case 'x':
case 'X':
base = 16; break;
case 'b':
case 'B':
base = 2; break;
case 'u':
case 'd':
default:
base = 10; break;
}
// We depart here from strict adherence to MRI code, as MRI
// uses C-sprintf, in part, to format numeric output, while
// we'll use Java's numeric formatting code (and our own).
boolean zero;
if (type == ClassIndex.FIXNUM) {
negative = ((RubyFixnum)arg).getLongValue() < 0;
zero = ((RubyFixnum)arg).getLongValue() == 0;
if (negative && fchar == 'u') {
bytes = getUnsignedNegativeBytes((RubyFixnum)arg);
} else {
bytes = getFixnumBytes((RubyFixnum)arg,base,sign,fchar=='X');
}
} else {
negative = ((RubyBignum)arg).getValue().signum() < 0;
- zero = ((RubyFixnum)arg).getLongValue() == 0;
+ zero = ((RubyBignum)arg).getValue().equals(BigInteger.ZERO);
if (negative && fchar == 'u') {
bytes = getUnsignedNegativeBytes((RubyBignum)arg);
} else {
bytes = getBignumBytes((RubyBignum)arg,base,sign,fchar=='X');
}
}
if ((flags & FLAG_SHARP) != 0) {
if (!zero || usePrefixForZero) {
switch (fchar) {
case 'o': prefix = PREFIX_OCTAL; break;
case 'x': prefix = PREFIX_HEX_LC; break;
case 'X': prefix = PREFIX_HEX_UC; break;
case 'b': prefix = PREFIX_BINARY_LC; break;
case 'B': prefix = PREFIX_BINARY_UC; break;
}
}
if (prefix != null) width -= prefix.length;
}
int len = 0;
if (sign) {
if (negative) {
signChar = '-';
width--;
first = 1; // skip '-' in bytes, will add where appropriate
} else if ((flags & FLAG_PLUS) != 0) {
signChar = '+';
width--;
} else if ((flags & FLAG_SPACE) != 0) {
signChar = ' ';
width--;
}
} else if (negative) {
if (base == 10) {
warning(ID.NEGATIVE_NUMBER_FOR_U, args, "negative number for %u specifier");
leadChar = '.';
len += 2;
} else {
if ((flags & (FLAG_PRECISION | FLAG_ZERO)) == 0) len += 2; // ..
first = skipSignBits(bytes,base);
switch(fchar) {
case 'b':
case 'B':
leadChar = '1';
break;
case 'o':
leadChar = '7';
break;
case 'x':
leadChar = 'f';
break;
case 'X':
leadChar = 'F';
break;
}
if (leadChar != 0) len++;
}
}
int numlen = bytes.length - first;
len += numlen;
if ((flags & (FLAG_ZERO|FLAG_PRECISION)) == FLAG_ZERO) {
precision = width;
width = 0;
} else {
if (precision < len) precision = len;
width -= precision;
}
if ((flags & FLAG_MINUS) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) buf.append(signChar);
if (prefix != null) buf.append(prefix);
if (len < precision) {
if (leadChar == 0) {
buf.fill('0', precision - len);
} else if (leadChar == '.') {
buf.fill(leadChar,precision-len);
buf.append(PREFIX_NEGATIVE);
} else {
buf.fill(leadChar,precision-len+1); // the 1 is for the stripped sign char
}
} else if (leadChar != 0) {
if ((flags & (FLAG_PRECISION | FLAG_ZERO)) == 0) {
buf.append(PREFIX_NEGATIVE);
}
if (leadChar != '.') buf.append(leadChar);
}
buf.append(bytes,first,numlen);
if (width > 0) buf.fill(' ',width);
offset++;
incomplete = false;
break;
}
case 'E':
case 'e':
case 'f':
case 'G':
case 'g': {
if (arg == null) arg = args.next();
if (!(arg instanceof RubyFloat)) {
// FIXME: what is correct 'recv' argument?
// (this does produce the desired behavior)
arg = RubyKernel.new_float(arg,arg);
}
double dval = ((RubyFloat)arg).getDoubleValue();
boolean nan = dval != dval;
boolean inf = dval == Double.POSITIVE_INFINITY || dval == Double.NEGATIVE_INFINITY;
boolean negative = dval < 0.0d || (dval == 0.0d && (new Float(dval)).equals(new Float(-0.0)));
byte[] digits;
int nDigits = 0;
int exponent = 0;
int len = 0;
byte signChar;
if (nan || inf) {
if (nan) {
digits = NAN_VALUE;
len = NAN_VALUE.length;
} else {
digits = INFINITY_VALUE;
len = INFINITY_VALUE.length;
}
if (negative) {
signChar = '-';
width--;
} else if ((flags & FLAG_PLUS) != 0) {
signChar = '+';
width--;
} else if ((flags & FLAG_SPACE) != 0) {
signChar = ' ';
width--;
} else {
signChar = 0;
}
width -= len;
if (width > 0 && (flags & (FLAG_ZERO|FLAG_MINUS)) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) buf.append(signChar);
if (width > 0 && (flags & FLAG_MINUS) == 0) {
buf.fill('0',width);
width = 0;
}
buf.append(digits);
if (width > 0) buf.fill(' ', width);
offset++;
incomplete = false;
break;
}
String str = Double.toString(dval);
// grrr, arghh, want to subclass sun.misc.FloatingDecimal, but can't,
// so we must do all this (the next 70 lines of code), which has already
// been done by FloatingDecimal.
int strlen = str.length();
digits = new byte[strlen];
int nTrailingZeroes = 0;
int i = negative ? 1 : 0;
int decPos = 0;
byte ival;
int_loop:
for ( ; i < strlen ; ) {
switch(ival = (byte)str.charAt(i++)) {
case '0':
if (nDigits > 0) nTrailingZeroes++;
break; // switch
case '1': case '2': case '3': case '4':
case '5': case '6': case '7': case '8': case '9':
if (nTrailingZeroes > 0) {
for ( ; nTrailingZeroes > 0 ; nTrailingZeroes-- ) {
digits[nDigits++] = '0';
}
}
digits[nDigits++] = ival;
break; // switch
case '.':
break int_loop;
}
}
decPos = nDigits + nTrailingZeroes;
dec_loop:
for ( ; i < strlen ; ) {
switch(ival = (byte)str.charAt(i++)) {
case '0':
if (nDigits > 0) {
nTrailingZeroes++;
} else {
exponent--;
}
break; // switch
case '1': case '2': case '3': case '4':
case '5': case '6': case '7': case '8': case '9':
if (nTrailingZeroes > 0) {
for ( ; nTrailingZeroes > 0 ; nTrailingZeroes-- ) {
digits[nDigits++] = '0';
}
}
digits[nDigits++] = ival;
break; // switch
case 'E':
break dec_loop;
}
}
if (i < strlen) {
int expSign;
int expVal = 0;
if (str.charAt(i) == '-') {
expSign = -1;
i++;
} else {
expSign = 1;
}
for ( ; i < strlen ; ) {
expVal = expVal * 10 + ((int)str.charAt(i++)-(int)'0');
}
exponent += expVal * expSign;
}
exponent += decPos - nDigits;
// gotta have at least a zero...
if (nDigits == 0) {
digits[0] = '0';
nDigits = 1;
exponent = 0;
}
// OK, we now have the significand in digits[0...nDigits]
// and the exponent in exponent. We're ready to format.
int intDigits, intZeroes, intLength;
int decDigits, decZeroes, decLength;
byte expChar;
if (negative) {
signChar = '-';
width--;
} else if ((flags & FLAG_PLUS) != 0) {
signChar = '+';
width--;
} else if ((flags & FLAG_SPACE) != 0) {
signChar = ' ';
width--;
} else {
signChar = 0;
}
if ((flags & FLAG_PRECISION) == 0) {
precision = 6;
}
switch(fchar) {
case 'E':
case 'G':
expChar = 'E';
break;
case 'e':
case 'g':
expChar = 'e';
break;
default:
expChar = 0;
}
switch (fchar) {
case 'g':
case 'G':
// an empirically derived rule: precision applies to
// significand length, irrespective of exponent
// an official rule, clarified: if the exponent
// <clarif>after adjusting for exponent form</clarif>
// is < -4, or the exponent <clarif>after adjusting
// for exponent form</clarif> is greater than the
// precision, use exponent form
boolean expForm = (exponent + nDigits - 1 < -4 ||
exponent + nDigits > (precision == 0 ? 1 : precision));
// it would be nice (and logical!) if exponent form
// behaved like E/e, and decimal form behaved like f,
// but no such luck. hence:
if (expForm) {
// intDigits isn't used here, but if it were, it would be 1
/* intDigits = 1; */
decDigits = nDigits - 1;
// precision for G/g includes integer digits
precision = Math.max(0,precision - 1);
if (precision < decDigits) {
int n = round(digits,nDigits,precision,precision!=0);
if (n > nDigits) nDigits = n;
decDigits = Math.min(nDigits - 1,precision);
}
exponent += nDigits - 1;
boolean isSharp = (flags & FLAG_SHARP) != 0;
// deal with length/width
len++; // first digit is always printed
// MRI behavior: Be default, 2 digits
// in the exponent. Use 3 digits
// only when necessary.
// See comment for writeExp method for more details.
if (exponent > 99)
len += 5; // 5 -> e+nnn / e-nnn
else
len += 4; // 4 -> e+nn / e-nn
if (isSharp) {
// in this mode, '.' is always printed
len++;
}
if (precision > 0) {
if (!isSharp) {
// MRI behavior: In this mode
// trailing zeroes are removed:
// 1.500E+05 -> 1.5E+05
int j = decDigits;
for (; j >= 1; j--) {
if (digits[j]== '0') {
decDigits--;
} else {
break;
}
}
if (decDigits > 0) {
len += 1; // '.' is printed
len += decDigits;
}
} else {
// all precision numebers printed
len += precision;
}
}
width -= len;
if (width > 0 && (flags & (FLAG_ZERO|FLAG_MINUS)) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) {
buf.append(signChar);
}
if (width > 0 && (flags & FLAG_MINUS) == 0) {
buf.fill('0',width);
width = 0;
}
// now some data...
buf.append(digits[0]);
boolean dotToPrint = isSharp
|| (precision > 0 && decDigits > 0);
if (dotToPrint) {
buf.append(args.getDecimalSeparator()); // '.'
}
if (precision > 0 && decDigits > 0) {
buf.append(digits, 1, decDigits);
precision -= decDigits;
}
if (precision > 0 && isSharp) {
buf.fill('0', precision);
}
writeExp(buf, exponent, expChar);
if (width > 0) {
buf.fill(' ', width);
}
} else { // decimal form, like (but not *just* like!) 'f'
intDigits = Math.max(0,Math.min(nDigits + exponent,nDigits));
intZeroes = Math.max(0,exponent);
intLength = intDigits + intZeroes;
decDigits = nDigits - intDigits;
decZeroes = Math.max(0,-(decDigits + exponent));
decLength = decZeroes + decDigits;
precision = Math.max(0,precision - intLength);
if (precision < decDigits) {
int n = round(digits,nDigits,intDigits+precision-1,precision!=0);
if (n > nDigits) {
// digits array shifted, update all
nDigits = n;
intDigits = Math.max(0,Math.min(nDigits + exponent,nDigits));
intLength = intDigits + intZeroes;
decDigits = nDigits - intDigits;
decZeroes = Math.max(0,-(decDigits + exponent));
precision = Math.max(0,precision-1);
}
decDigits = precision;
decLength = decZeroes + decDigits;
}
len += intLength;
if (decLength > 0) {
len += decLength + 1;
} else {
if ((flags & FLAG_SHARP) != 0) {
len++; // will have a trailing '.'
if (precision > 0) { // g fills trailing zeroes if #
len += precision;
}
}
}
width -= len;
if (width > 0 && (flags & (FLAG_ZERO|FLAG_MINUS)) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) {
buf.append(signChar);
}
if (width > 0 && (flags & FLAG_MINUS) == 0) {
buf.fill('0',width);
width = 0;
}
// now some data...
if (intLength > 0){
if (intDigits > 0) { // s/b true, since intLength > 0
buf.append(digits,0,intDigits);
}
if (intZeroes > 0) {
buf.fill('0',intZeroes);
}
} else {
// always need at least a 0
buf.append('0');
}
if (decLength > 0 || (flags & FLAG_SHARP) != 0) {
buf.append(args.getDecimalSeparator());
}
if (decLength > 0) {
if (decZeroes > 0) {
buf.fill('0',decZeroes);
precision -= decZeroes;
}
if (decDigits > 0) {
buf.append(digits,intDigits,decDigits);
precision -= decDigits;
}
if ((flags & FLAG_SHARP) != 0 && precision > 0) {
buf.fill('0',precision);
}
}
if ((flags & FLAG_SHARP) != 0 && precision > 0) buf.fill('0',precision);
if (width > 0) buf.fill(' ', width);
}
break;
case 'f':
intDigits = Math.max(0,Math.min(nDigits + exponent,nDigits));
intZeroes = Math.max(0,exponent);
intLength = intDigits + intZeroes;
decDigits = nDigits - intDigits;
decZeroes = Math.max(0,-(decDigits + exponent));
decLength = decZeroes + decDigits;
if (precision < decLength) {
if (precision < decZeroes) {
decDigits = 0;
decZeroes = precision;
} else {
int n = round(digits,nDigits,intDigits+precision-decZeroes-1,precision!=0);
if (n > nDigits) {
// digits arr shifted, update all
nDigits = n;
intDigits = Math.max(0,Math.min(nDigits + exponent,nDigits));
intLength = intDigits + intZeroes;
decDigits = nDigits - intDigits;
decZeroes = Math.max(0,-(decDigits + exponent));
decLength = decZeroes + decDigits;
}
decDigits = precision - decZeroes;
}
decLength = decZeroes + decDigits;
}
if (precision > 0) {
len += Math.max(1,intLength) + 1 + precision;
// (1|intlen).prec
} else {
len += Math.max(1,intLength);
// (1|intlen)
if ((flags & FLAG_SHARP) != 0) {
len++; // will have a trailing '.'
}
}
width -= len;
if (width > 0 && (flags & (FLAG_ZERO|FLAG_MINUS)) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) {
buf.append(signChar);
}
if (width > 0 && (flags & FLAG_MINUS) == 0) {
buf.fill('0',width);
width = 0;
}
// now some data...
if (intLength > 0){
if (intDigits > 0) { // s/b true, since intLength > 0
buf.append(digits,0,intDigits);
}
if (intZeroes > 0) {
buf.fill('0',intZeroes);
}
} else {
// always need at least a 0
buf.append('0');
}
if (precision > 0 || (flags & FLAG_SHARP) != 0) {
buf.append(args.getDecimalSeparator());
}
if (precision > 0) {
if (decZeroes > 0) {
buf.fill('0',decZeroes);
precision -= decZeroes;
}
if (decDigits > 0) {
buf.append(digits,intDigits,decDigits);
precision -= decDigits;
}
// fill up the rest with zeroes
if (precision > 0) {
buf.fill('0',precision);
}
}
if (width > 0) {
buf.fill(' ', width);
}
break;
case 'E':
case 'e':
// intDigits isn't used here, but if it were, it would be 1
/* intDigits = 1; */
decDigits = nDigits - 1;
if (precision < decDigits) {
int n = round(digits,nDigits,precision,precision!=0);
if (n > nDigits) {
nDigits = n;
}
decDigits = Math.min(nDigits - 1,precision);
}
exponent += nDigits - 1;
boolean isSharp = (flags & FLAG_SHARP) != 0;
// deal with length/width
len++; // first digit is always printed
// MRI behavior: Be default, 2 digits
// in the exponent. Use 3 digits
// only when necessary.
// See comment for writeExp method for more details.
if (exponent > 99)
len += 5; // 5 -> e+nnn / e-nnn
else
len += 4; // 4 -> e+nn / e-nn
if (precision > 0) {
// '.' and all precision digits printed
len += 1 + precision;
} else if (isSharp) {
len++; // in this mode, '.' is always printed
}
width -= len;
if (width > 0 && (flags & (FLAG_ZERO|FLAG_MINUS)) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) {
buf.append(signChar);
}
if (width > 0 && (flags & FLAG_MINUS) == 0) {
buf.fill('0',width);
width = 0;
}
// now some data...
buf.append(digits[0]);
if (precision > 0) {
buf.append(args.getDecimalSeparator()); // '.'
if (decDigits > 0) {
buf.append(digits,1,decDigits);
precision -= decDigits;
}
if (precision > 0) buf.fill('0',precision);
} else if ((flags & FLAG_SHARP) != 0) {
buf.append(args.getDecimalSeparator());
}
writeExp(buf, exponent, expChar);
if (width > 0) buf.fill(' ', width);
break;
} // switch (format char E,e,f,G,g)
offset++;
incomplete = false;
break;
} // block (case E,e,f,G,g)
} // switch (each format char in spec)
} // for (each format spec)
// equivalent to MRI case '\0':
if (incomplete) {
if (flags == FLAG_NONE) {
// dangling '%' char
buf.append('%');
} else {
raiseArgumentError(args,ERR_ILLEGAL_FORMAT_CHAR);
}
}
} // main while loop (offset < length)
// MRI behavior: validate only the unnumbered arguments
if ((args.numbered == 0) && args.unnumbered < args.length) {
if (args.runtime.getDebug().isTrue()) {
args.raiseArgumentError("too many arguments for format string");
} else if (args.runtime.isVerbose()) {
args.warn(ID.TOO_MANY_ARGUMENTS, "too many arguments for format string");
}
}
return tainted;
}
private static void writeExp(ByteList buf, int exponent, byte expChar) {
// Unfortunately, the number of digits in the exponent is
// not clearly defined in Ruby documentation. This is a
// platform/version-dependent behavior. On Linux/Mac/Cygwin/*nix,
// two digits are used. On Windows, 3 digits are used.
// It is desirable for JRuby to have consistent behavior, and
// the two digits behavior was selected. This is also in sync
// with "Java-native" sprintf behavior (java.util.Formatter).
buf.append(expChar); // E or e
buf.append(exponent >= 0 ? '+' : '-');
if (exponent < 0) {
exponent = -exponent;
}
if (exponent > 99) {
buf.append(exponent / 100 + '0');
buf.append(exponent % 100 / 10 + '0');
} else {
buf.append(exponent / 10 + '0');
}
buf.append(exponent % 10 + '0');
}
// debugging code, keeping for now
/*
private static final void showLiteral(byte[] format, int start, int offset) {
System.out.println("literal: ["+ new String(format,start,offset-start)+ "], " +
" s="+ start + " o="+ offset);
}
// debugging code, keeping for now
private static final void showVals(byte[] format,int start,int offset, byte fchar,
int flags, int width, int precision, Object arg) {
System.out.println(new StringBuffer()
.append("value: ").append(new String(format,start,offset-start+1)).append('\n')
.append("type: ").append((char)fchar).append('\n')
.append("start: ").append(start).append('\n')
.append("length: ").append(offset-start).append('\n')
.append("flags: ").append(Integer.toBinaryString(flags)).append('\n')
.append("width: ").append(width).append('\n')
.append("precision: ").append(precision).append('\n')
.append("arg: ").append(arg).append('\n')
.toString());
}
*/
private static final void raiseArgumentError(Args args, String message) {
args.raiseArgumentError(message);
}
private static final void warning(ID id, Args args, String message) {
args.warning(id, message);
}
private static final void checkOffset(Args args, int offset, int length, String message) {
if (offset >= length) {
raiseArgumentError(args,message);
}
}
private static final int extendWidth(Args args, int oldWidth, byte newChar) {
int newWidth = oldWidth * 10 + (newChar - '0');
if (newWidth / 10 != oldWidth) raiseArgumentError(args,"width too big");
return newWidth;
}
private static final boolean isDigit(byte aChar) {
return (aChar >= '0' && aChar <= '9');
}
private static final boolean isPrintable(byte aChar) {
return (aChar > 32 && aChar < 127);
}
private static final int skipSignBits(byte[] bytes, int base) {
int skip = 0;
int length = bytes.length;
byte b;
switch(base) {
case 2:
for ( ; skip < length && bytes[skip] == '1'; skip++ ) ;
break;
case 8:
if (length > 0 && bytes[0] == '3') skip++;
for ( ; skip < length && bytes[skip] == '7'; skip++ ) ;
break;
case 10:
if (length > 0 && bytes[0] == '-') skip++;
break;
case 16:
for ( ; skip < length && ((b = bytes[skip]) == 'f' || b == 'F'); skip++ ) ;
}
return skip;
}
private static final int round(byte[] bytes, int nDigits, int roundPos, boolean roundDown) {
int next = roundPos + 1;
if (next >= nDigits || bytes[next] < '5' ||
// MRI rounds up on nnn5nnn, but not nnn5 --
// except for when they do
(roundDown && bytes[next] == '5' && next == nDigits - 1)) {
return nDigits;
}
if (roundPos < 0) { // "%.0f" % 0.99
System.arraycopy(bytes,0,bytes,1,nDigits);
bytes[0] = '1';
return nDigits + 1;
}
bytes[roundPos] += 1;
while (bytes[roundPos] > '9') {
bytes[roundPos] = '0';
roundPos--;
if (roundPos >= 0) {
bytes[roundPos] += 1;
} else {
System.arraycopy(bytes,0,bytes,1,nDigits);
bytes[0] = '1';
return nDigits + 1;
}
}
return nDigits;
}
private static final byte[] getFixnumBytes(RubyFixnum arg, int base, boolean sign, boolean upper) {
long val = arg.getLongValue();
// limit the length of negatives if possible (also faster)
if (val >= Integer.MIN_VALUE && val <= Integer.MAX_VALUE) {
if (sign) {
return Convert.intToByteArray((int)val,base,upper);
} else {
switch(base) {
case 2: return Convert.intToBinaryBytes((int)val);
case 8: return Convert.intToOctalBytes((int)val);
case 10:
default: return Convert.intToCharBytes((int)val);
case 16: return Convert.intToHexBytes((int)val,upper);
}
}
} else {
if (sign) {
return Convert.longToByteArray(val,base,upper);
} else {
switch(base) {
case 2: return Convert.longToBinaryBytes(val);
case 8: return Convert.longToOctalBytes(val);
case 10:
default: return Convert.longToCharBytes(val);
case 16: return Convert.longToHexBytes(val,upper);
}
}
}
}
private static final byte[] getBignumBytes(RubyBignum arg, int base, boolean sign, boolean upper) {
BigInteger val = arg.getValue();
if (sign || base == 10 || val.signum() >= 0) {
return stringToBytes(val.toString(base),upper);
}
// negative values
byte[] bytes = val.toByteArray();
switch(base) {
case 2: return Convert.twosComplementToBinaryBytes(bytes);
case 8: return Convert.twosComplementToOctalBytes(bytes);
case 16: return Convert.twosComplementToHexBytes(bytes,upper);
default: return stringToBytes(val.toString(base),upper);
}
}
private static final byte[] getUnsignedNegativeBytes(RubyInteger arg) {
// calculation for negatives when %u specified
// for values >= Integer.MIN_VALUE * 2, MRI uses (the equivalent of)
// long neg_u = (((long)Integer.MAX_VALUE + 1) << 1) + val
// for smaller values, BigInteger math is required to conform to MRI's
// result.
long longval;
BigInteger bigval;
if (arg instanceof RubyFixnum) {
// relatively cheap test for 32-bit values
longval = ((RubyFixnum)arg).getLongValue();
if (longval >= Long.MIN_VALUE << 1) {
return Convert.longToCharBytes(((Long.MAX_VALUE + 1L) << 1) + longval);
}
// no such luck...
bigval = BigInteger.valueOf(longval);
} else {
bigval = ((RubyBignum)arg).getValue();
}
// ok, now it gets expensive...
int shift = 0;
// go through negated powers of 32 until we find one small enough
for (BigInteger minus = BIG_MINUS_64 ;
bigval.compareTo(minus) < 0 ;
minus = minus.shiftLeft(32), shift++) ;
// add to the corresponding positive power of 32 for the result.
// meaningful? no. conformant? yes. I just write the code...
BigInteger nPower32 = shift > 0 ? BIG_64.shiftLeft(32 * shift) : BIG_64;
return stringToBytes(nPower32.add(bigval).toString(),false);
}
private static final byte[] stringToBytes(CharSequence s, boolean upper) {
int len = s.length();
byte[] bytes = new byte[len];
if (upper) {
for (int i = len; --i >= 0; ) {
int b = (byte)((int)s.charAt(i) & (int)0xff);
if (b >= 'a' && b <= 'z') {
bytes[i] = (byte)(b & ~0x20);
} else {
bytes[i] = (byte)b;
}
}
} else {
for (int i = len; --i >= 0; ) {
bytes[i] = (byte)((int)s.charAt(i) & (int)0xff);
}
}
return bytes;
}
}
| true | true | private static boolean rubySprintfToBuffer(ByteList buf, CharSequence charFormat, Args args, boolean usePrefixForZero) {
boolean tainted = false;
final byte[] format;
int offset;
int length;
int start;
int mark;
if (charFormat instanceof ByteList) {
ByteList list = (ByteList)charFormat;
format = list.unsafeBytes();
int begin = list.begin();
offset = begin;
length = begin + list.length();
start = begin;
mark = begin;
} else {
format = stringToBytes(charFormat, false);
offset = 0;
length = charFormat.length();
start = 0;
mark = 0;
}
while (offset < length) {
start = offset;
for ( ; offset < length && format[offset] != '%'; offset++) ;
if (offset > start) {
buf.append(format,start,offset-start);
start = offset;
}
if (offset++ >= length) break;
IRubyObject arg = null;
int flags = 0;
int width = 0;
int precision = 0;
int number = 0;
byte fchar = 0;
boolean incomplete = true;
for ( ; incomplete && offset < length ; ) {
switch (fchar = format[offset]) {
default:
if (fchar == '\0' && flags == FLAG_NONE) {
// MRI 1.8.6 behavior: null byte after '%'
// leads to "%" string. Null byte in
// other places, like "%5\0", leads to error.
buf.append('%');
buf.append(fchar);
incomplete = false;
offset++;
break;
} else if (isPrintable(fchar)) {
raiseArgumentError(args,"malformed format string - %" + (char)fchar);
} else {
raiseArgumentError(args,ERR_MALFORMED_FORMAT);
}
break;
case ' ':
flags |= FLAG_SPACE;
offset++;
break;
case '0':
flags |= FLAG_ZERO;
offset++;
break;
case '+':
flags |= FLAG_PLUS;
offset++;
break;
case '-':
flags |= FLAG_MINUS;
offset++;
break;
case '#':
flags |= FLAG_SHARP;
offset++;
break;
case '1':case '2':case '3':case '4':case '5':
case '6':case '7':case '8':case '9':
// MRI doesn't flag it as an error if width is given multiple
// times as a number (but it does for *)
number = 0;
for ( ; offset < length && isDigit(fchar = format[offset]); offset++) {
number = extendWidth(args, number, fchar);
}
checkOffset(args,offset,length,ERR_MALFORMED_NUM);
if (fchar == '$') {
if (arg != null) {
raiseArgumentError(args,"value given twice - " + number + "$");
}
arg = args.getNth(number);
offset++;
} else {
width = number;
flags |= FLAG_WIDTH;
}
break;
case '*':
if ((flags & FLAG_WIDTH) != 0) {
raiseArgumentError(args,"width given twice");
}
flags |= FLAG_WIDTH;
// TODO: factor this chunk as in MRI/YARV GETASTER
checkOffset(args,++offset,length,ERR_MALFORMED_STAR_NUM);
mark = offset;
number = 0;
for ( ; offset < length && isDigit(fchar = format[offset]); offset++) {
number = extendWidth(args,number,fchar);
}
checkOffset(args,offset,length,ERR_MALFORMED_STAR_NUM);
if (fchar == '$') {
width = args.getNthInt(number);
if (width < 0) {
flags |= FLAG_MINUS;
width = -width;
}
offset++;
} else {
width = args.nextInt();
if (width < 0) {
flags |= FLAG_MINUS;
width = -width;
}
// let the width (if any), get processed in the next loop,
// so any leading 0 gets treated correctly
offset = mark;
}
break;
case '.':
if ((flags & FLAG_PRECISION) != 0) {
raiseArgumentError(args,"precision given twice");
}
flags |= FLAG_PRECISION;
checkOffset(args,++offset,length,ERR_MALFORMED_DOT_NUM);
fchar = format[offset];
if (fchar == '*') {
// TODO: factor this chunk as in MRI/YARV GETASTER
checkOffset(args,++offset,length,ERR_MALFORMED_STAR_NUM);
mark = offset;
number = 0;
for ( ; offset < length && isDigit(fchar = format[offset]); offset++) {
number = extendWidth(args,number,fchar);
}
checkOffset(args,offset,length,ERR_MALFORMED_STAR_NUM);
if (fchar == '$') {
precision = args.getNthInt(number);
if (precision < 0) {
flags &= ~FLAG_PRECISION;
}
offset++;
} else {
precision = args.nextInt();
if (precision < 0) {
flags &= ~FLAG_PRECISION;
}
// let the width (if any), get processed in the next loop,
// so any leading 0 gets treated correctly
offset = mark;
}
} else {
number = 0;
for ( ; offset < length && isDigit(fchar = format[offset]); offset++) {
number = extendWidth(args,number,fchar);
}
checkOffset(args,offset,length,ERR_MALFORMED_DOT_NUM);
precision = number;
}
break;
case '\n':
offset--;
case '%':
if (flags != FLAG_NONE) {
raiseArgumentError(args,ERR_ILLEGAL_FORMAT_CHAR);
}
buf.append('%');
offset++;
incomplete = false;
break;
case 'c': {
if (arg == null) arg = args.next();
int c = 0;
// MRI 1.8.5-p12 doesn't support 1-char strings, but
// YARV 0.4.1 does. I don't think it hurts to include
// this; sprintf('%c','a') is nicer than sprintf('%c','a'[0])
if (arg instanceof RubyString) {
ByteList bytes = ((RubyString)arg).getByteList();
if (bytes.length() == 1) {
c = bytes.unsafeBytes()[bytes.begin()];
} else {
raiseArgumentError(args,"%c requires a character");
}
} else {
c = args.intValue(arg);
}
if ((flags & FLAG_WIDTH) != 0 && width > 1) {
if ((flags & FLAG_MINUS) != 0) {
buf.append(c);
buf.fill(' ', width-1);
} else {
buf.fill(' ',width-1);
buf.append(c);
}
} else {
buf.append(c);
}
offset++;
incomplete = false;
break;
}
case 'p':
case 's': {
if (arg == null) arg = args.next();
if (fchar == 'p') {
arg = arg.callMethod(arg.getRuntime().getCurrentContext(),"inspect");
}
ByteList bytes = arg.asString().getByteList();
int len = bytes.length();
if (arg.isTaint()) tainted = true;
if ((flags & FLAG_PRECISION) != 0 && precision < len) {
len = precision;
}
// TODO: adjust length so it won't fall in the middle
// of a multi-byte character. MRI's sprintf.c uses tables
// in a modified version of regex.c, which assume some
// particular encoding for a given installation/application.
// (See regex.c#re_mbcinit in ruby-1.8.5-p12)
//
// This is only an issue if the user specifies a precision
// that causes the string to be truncated. The same issue
// would arise taking a substring of a ByteList-backed RubyString.
if ((flags & FLAG_WIDTH) != 0 && width > len) {
width -= len;
if ((flags & FLAG_MINUS) != 0) {
buf.append(bytes.unsafeBytes(),bytes.begin(),len);
buf.fill(' ',width);
} else {
buf.fill(' ',width);
buf.append(bytes.unsafeBytes(),bytes.begin(),len);
}
} else {
buf.append(bytes.unsafeBytes(),bytes.begin(),len);
}
offset++;
incomplete = false;
break;
}
case 'd':
case 'i':
case 'o':
case 'x':
case 'X':
case 'b':
case 'B':
case 'u': {
if (arg == null) arg = args.next();
int type = arg.getMetaClass().index;
if (type != ClassIndex.FIXNUM && type != ClassIndex.BIGNUM) {
switch(type) {
case ClassIndex.FLOAT:
arg = RubyNumeric.dbl2num(arg.getRuntime(),((RubyFloat)arg).getValue());
break;
case ClassIndex.STRING:
arg = RubyNumeric.str2inum(arg.getRuntime(),(RubyString)arg,0,true);
break;
default:
if (arg.respondsTo("to_int")) {
arg = TypeConverter.convertToType(arg, arg.getRuntime().getInteger(), "to_int", true);
} else {
arg = TypeConverter.convertToType(arg, arg.getRuntime().getInteger(), "to_i", true);
}
break;
}
type = arg.getMetaClass().index;
}
byte[] bytes = null;
int first = 0;
byte[] prefix = null;
boolean sign;
boolean negative;
byte signChar = 0;
byte leadChar = 0;
int base;
// 'd' and 'i' are the same
if (fchar == 'i') fchar = 'd';
// 'u' with space or plus flags is same as 'd'
if (fchar == 'u' && (flags & (FLAG_SPACE | FLAG_PLUS)) != 0) {
fchar = 'd';
}
sign = (fchar == 'd' || (flags & (FLAG_SPACE | FLAG_PLUS)) != 0);
switch (fchar) {
case 'o':
base = 8; break;
case 'x':
case 'X':
base = 16; break;
case 'b':
case 'B':
base = 2; break;
case 'u':
case 'd':
default:
base = 10; break;
}
// We depart here from strict adherence to MRI code, as MRI
// uses C-sprintf, in part, to format numeric output, while
// we'll use Java's numeric formatting code (and our own).
boolean zero;
if (type == ClassIndex.FIXNUM) {
negative = ((RubyFixnum)arg).getLongValue() < 0;
zero = ((RubyFixnum)arg).getLongValue() == 0;
if (negative && fchar == 'u') {
bytes = getUnsignedNegativeBytes((RubyFixnum)arg);
} else {
bytes = getFixnumBytes((RubyFixnum)arg,base,sign,fchar=='X');
}
} else {
negative = ((RubyBignum)arg).getValue().signum() < 0;
zero = ((RubyFixnum)arg).getLongValue() == 0;
if (negative && fchar == 'u') {
bytes = getUnsignedNegativeBytes((RubyBignum)arg);
} else {
bytes = getBignumBytes((RubyBignum)arg,base,sign,fchar=='X');
}
}
if ((flags & FLAG_SHARP) != 0) {
if (!zero || usePrefixForZero) {
switch (fchar) {
case 'o': prefix = PREFIX_OCTAL; break;
case 'x': prefix = PREFIX_HEX_LC; break;
case 'X': prefix = PREFIX_HEX_UC; break;
case 'b': prefix = PREFIX_BINARY_LC; break;
case 'B': prefix = PREFIX_BINARY_UC; break;
}
}
if (prefix != null) width -= prefix.length;
}
int len = 0;
if (sign) {
if (negative) {
signChar = '-';
width--;
first = 1; // skip '-' in bytes, will add where appropriate
} else if ((flags & FLAG_PLUS) != 0) {
signChar = '+';
width--;
} else if ((flags & FLAG_SPACE) != 0) {
signChar = ' ';
width--;
}
} else if (negative) {
if (base == 10) {
warning(ID.NEGATIVE_NUMBER_FOR_U, args, "negative number for %u specifier");
leadChar = '.';
len += 2;
} else {
if ((flags & (FLAG_PRECISION | FLAG_ZERO)) == 0) len += 2; // ..
first = skipSignBits(bytes,base);
switch(fchar) {
case 'b':
case 'B':
leadChar = '1';
break;
case 'o':
leadChar = '7';
break;
case 'x':
leadChar = 'f';
break;
case 'X':
leadChar = 'F';
break;
}
if (leadChar != 0) len++;
}
}
int numlen = bytes.length - first;
len += numlen;
if ((flags & (FLAG_ZERO|FLAG_PRECISION)) == FLAG_ZERO) {
precision = width;
width = 0;
} else {
if (precision < len) precision = len;
width -= precision;
}
if ((flags & FLAG_MINUS) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) buf.append(signChar);
if (prefix != null) buf.append(prefix);
if (len < precision) {
if (leadChar == 0) {
buf.fill('0', precision - len);
} else if (leadChar == '.') {
buf.fill(leadChar,precision-len);
buf.append(PREFIX_NEGATIVE);
} else {
buf.fill(leadChar,precision-len+1); // the 1 is for the stripped sign char
}
} else if (leadChar != 0) {
if ((flags & (FLAG_PRECISION | FLAG_ZERO)) == 0) {
buf.append(PREFIX_NEGATIVE);
}
if (leadChar != '.') buf.append(leadChar);
}
buf.append(bytes,first,numlen);
if (width > 0) buf.fill(' ',width);
offset++;
incomplete = false;
break;
}
case 'E':
case 'e':
case 'f':
case 'G':
case 'g': {
if (arg == null) arg = args.next();
if (!(arg instanceof RubyFloat)) {
// FIXME: what is correct 'recv' argument?
// (this does produce the desired behavior)
arg = RubyKernel.new_float(arg,arg);
}
double dval = ((RubyFloat)arg).getDoubleValue();
boolean nan = dval != dval;
boolean inf = dval == Double.POSITIVE_INFINITY || dval == Double.NEGATIVE_INFINITY;
boolean negative = dval < 0.0d || (dval == 0.0d && (new Float(dval)).equals(new Float(-0.0)));
byte[] digits;
int nDigits = 0;
int exponent = 0;
int len = 0;
byte signChar;
if (nan || inf) {
if (nan) {
digits = NAN_VALUE;
len = NAN_VALUE.length;
} else {
digits = INFINITY_VALUE;
len = INFINITY_VALUE.length;
}
if (negative) {
signChar = '-';
width--;
} else if ((flags & FLAG_PLUS) != 0) {
signChar = '+';
width--;
} else if ((flags & FLAG_SPACE) != 0) {
signChar = ' ';
width--;
} else {
signChar = 0;
}
width -= len;
if (width > 0 && (flags & (FLAG_ZERO|FLAG_MINUS)) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) buf.append(signChar);
if (width > 0 && (flags & FLAG_MINUS) == 0) {
buf.fill('0',width);
width = 0;
}
buf.append(digits);
if (width > 0) buf.fill(' ', width);
offset++;
incomplete = false;
break;
}
String str = Double.toString(dval);
// grrr, arghh, want to subclass sun.misc.FloatingDecimal, but can't,
// so we must do all this (the next 70 lines of code), which has already
// been done by FloatingDecimal.
int strlen = str.length();
digits = new byte[strlen];
int nTrailingZeroes = 0;
int i = negative ? 1 : 0;
int decPos = 0;
byte ival;
int_loop:
for ( ; i < strlen ; ) {
switch(ival = (byte)str.charAt(i++)) {
case '0':
if (nDigits > 0) nTrailingZeroes++;
break; // switch
case '1': case '2': case '3': case '4':
case '5': case '6': case '7': case '8': case '9':
if (nTrailingZeroes > 0) {
for ( ; nTrailingZeroes > 0 ; nTrailingZeroes-- ) {
digits[nDigits++] = '0';
}
}
digits[nDigits++] = ival;
break; // switch
case '.':
break int_loop;
}
}
decPos = nDigits + nTrailingZeroes;
dec_loop:
for ( ; i < strlen ; ) {
switch(ival = (byte)str.charAt(i++)) {
case '0':
if (nDigits > 0) {
nTrailingZeroes++;
} else {
exponent--;
}
break; // switch
case '1': case '2': case '3': case '4':
case '5': case '6': case '7': case '8': case '9':
if (nTrailingZeroes > 0) {
for ( ; nTrailingZeroes > 0 ; nTrailingZeroes-- ) {
digits[nDigits++] = '0';
}
}
digits[nDigits++] = ival;
break; // switch
case 'E':
break dec_loop;
}
}
if (i < strlen) {
int expSign;
int expVal = 0;
if (str.charAt(i) == '-') {
expSign = -1;
i++;
} else {
expSign = 1;
}
for ( ; i < strlen ; ) {
expVal = expVal * 10 + ((int)str.charAt(i++)-(int)'0');
}
exponent += expVal * expSign;
}
exponent += decPos - nDigits;
// gotta have at least a zero...
if (nDigits == 0) {
digits[0] = '0';
nDigits = 1;
exponent = 0;
}
// OK, we now have the significand in digits[0...nDigits]
// and the exponent in exponent. We're ready to format.
int intDigits, intZeroes, intLength;
int decDigits, decZeroes, decLength;
byte expChar;
if (negative) {
signChar = '-';
width--;
} else if ((flags & FLAG_PLUS) != 0) {
signChar = '+';
width--;
} else if ((flags & FLAG_SPACE) != 0) {
signChar = ' ';
width--;
} else {
signChar = 0;
}
if ((flags & FLAG_PRECISION) == 0) {
precision = 6;
}
switch(fchar) {
case 'E':
case 'G':
expChar = 'E';
break;
case 'e':
case 'g':
expChar = 'e';
break;
default:
expChar = 0;
}
switch (fchar) {
case 'g':
case 'G':
// an empirically derived rule: precision applies to
// significand length, irrespective of exponent
// an official rule, clarified: if the exponent
// <clarif>after adjusting for exponent form</clarif>
// is < -4, or the exponent <clarif>after adjusting
// for exponent form</clarif> is greater than the
// precision, use exponent form
boolean expForm = (exponent + nDigits - 1 < -4 ||
exponent + nDigits > (precision == 0 ? 1 : precision));
// it would be nice (and logical!) if exponent form
// behaved like E/e, and decimal form behaved like f,
// but no such luck. hence:
if (expForm) {
// intDigits isn't used here, but if it were, it would be 1
/* intDigits = 1; */
decDigits = nDigits - 1;
// precision for G/g includes integer digits
precision = Math.max(0,precision - 1);
if (precision < decDigits) {
int n = round(digits,nDigits,precision,precision!=0);
if (n > nDigits) nDigits = n;
decDigits = Math.min(nDigits - 1,precision);
}
exponent += nDigits - 1;
boolean isSharp = (flags & FLAG_SHARP) != 0;
// deal with length/width
len++; // first digit is always printed
// MRI behavior: Be default, 2 digits
// in the exponent. Use 3 digits
// only when necessary.
// See comment for writeExp method for more details.
if (exponent > 99)
len += 5; // 5 -> e+nnn / e-nnn
else
len += 4; // 4 -> e+nn / e-nn
if (isSharp) {
// in this mode, '.' is always printed
len++;
}
if (precision > 0) {
if (!isSharp) {
// MRI behavior: In this mode
// trailing zeroes are removed:
// 1.500E+05 -> 1.5E+05
int j = decDigits;
for (; j >= 1; j--) {
if (digits[j]== '0') {
decDigits--;
} else {
break;
}
}
if (decDigits > 0) {
len += 1; // '.' is printed
len += decDigits;
}
} else {
// all precision numebers printed
len += precision;
}
}
width -= len;
if (width > 0 && (flags & (FLAG_ZERO|FLAG_MINUS)) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) {
buf.append(signChar);
}
if (width > 0 && (flags & FLAG_MINUS) == 0) {
buf.fill('0',width);
width = 0;
}
// now some data...
buf.append(digits[0]);
boolean dotToPrint = isSharp
|| (precision > 0 && decDigits > 0);
if (dotToPrint) {
buf.append(args.getDecimalSeparator()); // '.'
}
if (precision > 0 && decDigits > 0) {
buf.append(digits, 1, decDigits);
precision -= decDigits;
}
if (precision > 0 && isSharp) {
buf.fill('0', precision);
}
writeExp(buf, exponent, expChar);
if (width > 0) {
buf.fill(' ', width);
}
} else { // decimal form, like (but not *just* like!) 'f'
intDigits = Math.max(0,Math.min(nDigits + exponent,nDigits));
intZeroes = Math.max(0,exponent);
intLength = intDigits + intZeroes;
decDigits = nDigits - intDigits;
decZeroes = Math.max(0,-(decDigits + exponent));
decLength = decZeroes + decDigits;
precision = Math.max(0,precision - intLength);
if (precision < decDigits) {
int n = round(digits,nDigits,intDigits+precision-1,precision!=0);
if (n > nDigits) {
// digits array shifted, update all
nDigits = n;
intDigits = Math.max(0,Math.min(nDigits + exponent,nDigits));
intLength = intDigits + intZeroes;
decDigits = nDigits - intDigits;
decZeroes = Math.max(0,-(decDigits + exponent));
precision = Math.max(0,precision-1);
}
decDigits = precision;
decLength = decZeroes + decDigits;
}
len += intLength;
if (decLength > 0) {
len += decLength + 1;
} else {
if ((flags & FLAG_SHARP) != 0) {
len++; // will have a trailing '.'
if (precision > 0) { // g fills trailing zeroes if #
len += precision;
}
}
}
width -= len;
if (width > 0 && (flags & (FLAG_ZERO|FLAG_MINUS)) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) {
buf.append(signChar);
}
if (width > 0 && (flags & FLAG_MINUS) == 0) {
buf.fill('0',width);
width = 0;
}
// now some data...
if (intLength > 0){
if (intDigits > 0) { // s/b true, since intLength > 0
buf.append(digits,0,intDigits);
}
if (intZeroes > 0) {
buf.fill('0',intZeroes);
}
} else {
// always need at least a 0
buf.append('0');
}
if (decLength > 0 || (flags & FLAG_SHARP) != 0) {
buf.append(args.getDecimalSeparator());
}
if (decLength > 0) {
if (decZeroes > 0) {
buf.fill('0',decZeroes);
precision -= decZeroes;
}
if (decDigits > 0) {
buf.append(digits,intDigits,decDigits);
precision -= decDigits;
}
if ((flags & FLAG_SHARP) != 0 && precision > 0) {
buf.fill('0',precision);
}
}
if ((flags & FLAG_SHARP) != 0 && precision > 0) buf.fill('0',precision);
if (width > 0) buf.fill(' ', width);
}
break;
case 'f':
intDigits = Math.max(0,Math.min(nDigits + exponent,nDigits));
intZeroes = Math.max(0,exponent);
intLength = intDigits + intZeroes;
decDigits = nDigits - intDigits;
decZeroes = Math.max(0,-(decDigits + exponent));
decLength = decZeroes + decDigits;
if (precision < decLength) {
if (precision < decZeroes) {
decDigits = 0;
decZeroes = precision;
} else {
int n = round(digits,nDigits,intDigits+precision-decZeroes-1,precision!=0);
if (n > nDigits) {
// digits arr shifted, update all
nDigits = n;
intDigits = Math.max(0,Math.min(nDigits + exponent,nDigits));
intLength = intDigits + intZeroes;
decDigits = nDigits - intDigits;
decZeroes = Math.max(0,-(decDigits + exponent));
decLength = decZeroes + decDigits;
}
decDigits = precision - decZeroes;
}
decLength = decZeroes + decDigits;
}
if (precision > 0) {
len += Math.max(1,intLength) + 1 + precision;
// (1|intlen).prec
} else {
len += Math.max(1,intLength);
// (1|intlen)
if ((flags & FLAG_SHARP) != 0) {
len++; // will have a trailing '.'
}
}
width -= len;
if (width > 0 && (flags & (FLAG_ZERO|FLAG_MINUS)) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) {
buf.append(signChar);
}
if (width > 0 && (flags & FLAG_MINUS) == 0) {
buf.fill('0',width);
width = 0;
}
// now some data...
if (intLength > 0){
if (intDigits > 0) { // s/b true, since intLength > 0
buf.append(digits,0,intDigits);
}
if (intZeroes > 0) {
buf.fill('0',intZeroes);
}
} else {
// always need at least a 0
buf.append('0');
}
if (precision > 0 || (flags & FLAG_SHARP) != 0) {
buf.append(args.getDecimalSeparator());
}
if (precision > 0) {
if (decZeroes > 0) {
buf.fill('0',decZeroes);
precision -= decZeroes;
}
if (decDigits > 0) {
buf.append(digits,intDigits,decDigits);
precision -= decDigits;
}
// fill up the rest with zeroes
if (precision > 0) {
buf.fill('0',precision);
}
}
if (width > 0) {
buf.fill(' ', width);
}
break;
case 'E':
case 'e':
// intDigits isn't used here, but if it were, it would be 1
/* intDigits = 1; */
decDigits = nDigits - 1;
if (precision < decDigits) {
int n = round(digits,nDigits,precision,precision!=0);
if (n > nDigits) {
nDigits = n;
}
decDigits = Math.min(nDigits - 1,precision);
}
exponent += nDigits - 1;
boolean isSharp = (flags & FLAG_SHARP) != 0;
// deal with length/width
len++; // first digit is always printed
// MRI behavior: Be default, 2 digits
// in the exponent. Use 3 digits
// only when necessary.
// See comment for writeExp method for more details.
if (exponent > 99)
len += 5; // 5 -> e+nnn / e-nnn
else
len += 4; // 4 -> e+nn / e-nn
if (precision > 0) {
// '.' and all precision digits printed
len += 1 + precision;
} else if (isSharp) {
len++; // in this mode, '.' is always printed
}
width -= len;
if (width > 0 && (flags & (FLAG_ZERO|FLAG_MINUS)) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) {
buf.append(signChar);
}
if (width > 0 && (flags & FLAG_MINUS) == 0) {
buf.fill('0',width);
width = 0;
}
// now some data...
buf.append(digits[0]);
if (precision > 0) {
buf.append(args.getDecimalSeparator()); // '.'
if (decDigits > 0) {
buf.append(digits,1,decDigits);
precision -= decDigits;
}
if (precision > 0) buf.fill('0',precision);
} else if ((flags & FLAG_SHARP) != 0) {
buf.append(args.getDecimalSeparator());
}
writeExp(buf, exponent, expChar);
if (width > 0) buf.fill(' ', width);
break;
} // switch (format char E,e,f,G,g)
offset++;
incomplete = false;
break;
} // block (case E,e,f,G,g)
} // switch (each format char in spec)
} // for (each format spec)
// equivalent to MRI case '\0':
if (incomplete) {
if (flags == FLAG_NONE) {
// dangling '%' char
buf.append('%');
} else {
raiseArgumentError(args,ERR_ILLEGAL_FORMAT_CHAR);
}
}
} // main while loop (offset < length)
// MRI behavior: validate only the unnumbered arguments
if ((args.numbered == 0) && args.unnumbered < args.length) {
if (args.runtime.getDebug().isTrue()) {
args.raiseArgumentError("too many arguments for format string");
} else if (args.runtime.isVerbose()) {
args.warn(ID.TOO_MANY_ARGUMENTS, "too many arguments for format string");
}
}
return tainted;
}
| private static boolean rubySprintfToBuffer(ByteList buf, CharSequence charFormat, Args args, boolean usePrefixForZero) {
boolean tainted = false;
final byte[] format;
int offset;
int length;
int start;
int mark;
if (charFormat instanceof ByteList) {
ByteList list = (ByteList)charFormat;
format = list.unsafeBytes();
int begin = list.begin();
offset = begin;
length = begin + list.length();
start = begin;
mark = begin;
} else {
format = stringToBytes(charFormat, false);
offset = 0;
length = charFormat.length();
start = 0;
mark = 0;
}
while (offset < length) {
start = offset;
for ( ; offset < length && format[offset] != '%'; offset++) ;
if (offset > start) {
buf.append(format,start,offset-start);
start = offset;
}
if (offset++ >= length) break;
IRubyObject arg = null;
int flags = 0;
int width = 0;
int precision = 0;
int number = 0;
byte fchar = 0;
boolean incomplete = true;
for ( ; incomplete && offset < length ; ) {
switch (fchar = format[offset]) {
default:
if (fchar == '\0' && flags == FLAG_NONE) {
// MRI 1.8.6 behavior: null byte after '%'
// leads to "%" string. Null byte in
// other places, like "%5\0", leads to error.
buf.append('%');
buf.append(fchar);
incomplete = false;
offset++;
break;
} else if (isPrintable(fchar)) {
raiseArgumentError(args,"malformed format string - %" + (char)fchar);
} else {
raiseArgumentError(args,ERR_MALFORMED_FORMAT);
}
break;
case ' ':
flags |= FLAG_SPACE;
offset++;
break;
case '0':
flags |= FLAG_ZERO;
offset++;
break;
case '+':
flags |= FLAG_PLUS;
offset++;
break;
case '-':
flags |= FLAG_MINUS;
offset++;
break;
case '#':
flags |= FLAG_SHARP;
offset++;
break;
case '1':case '2':case '3':case '4':case '5':
case '6':case '7':case '8':case '9':
// MRI doesn't flag it as an error if width is given multiple
// times as a number (but it does for *)
number = 0;
for ( ; offset < length && isDigit(fchar = format[offset]); offset++) {
number = extendWidth(args, number, fchar);
}
checkOffset(args,offset,length,ERR_MALFORMED_NUM);
if (fchar == '$') {
if (arg != null) {
raiseArgumentError(args,"value given twice - " + number + "$");
}
arg = args.getNth(number);
offset++;
} else {
width = number;
flags |= FLAG_WIDTH;
}
break;
case '*':
if ((flags & FLAG_WIDTH) != 0) {
raiseArgumentError(args,"width given twice");
}
flags |= FLAG_WIDTH;
// TODO: factor this chunk as in MRI/YARV GETASTER
checkOffset(args,++offset,length,ERR_MALFORMED_STAR_NUM);
mark = offset;
number = 0;
for ( ; offset < length && isDigit(fchar = format[offset]); offset++) {
number = extendWidth(args,number,fchar);
}
checkOffset(args,offset,length,ERR_MALFORMED_STAR_NUM);
if (fchar == '$') {
width = args.getNthInt(number);
if (width < 0) {
flags |= FLAG_MINUS;
width = -width;
}
offset++;
} else {
width = args.nextInt();
if (width < 0) {
flags |= FLAG_MINUS;
width = -width;
}
// let the width (if any), get processed in the next loop,
// so any leading 0 gets treated correctly
offset = mark;
}
break;
case '.':
if ((flags & FLAG_PRECISION) != 0) {
raiseArgumentError(args,"precision given twice");
}
flags |= FLAG_PRECISION;
checkOffset(args,++offset,length,ERR_MALFORMED_DOT_NUM);
fchar = format[offset];
if (fchar == '*') {
// TODO: factor this chunk as in MRI/YARV GETASTER
checkOffset(args,++offset,length,ERR_MALFORMED_STAR_NUM);
mark = offset;
number = 0;
for ( ; offset < length && isDigit(fchar = format[offset]); offset++) {
number = extendWidth(args,number,fchar);
}
checkOffset(args,offset,length,ERR_MALFORMED_STAR_NUM);
if (fchar == '$') {
precision = args.getNthInt(number);
if (precision < 0) {
flags &= ~FLAG_PRECISION;
}
offset++;
} else {
precision = args.nextInt();
if (precision < 0) {
flags &= ~FLAG_PRECISION;
}
// let the width (if any), get processed in the next loop,
// so any leading 0 gets treated correctly
offset = mark;
}
} else {
number = 0;
for ( ; offset < length && isDigit(fchar = format[offset]); offset++) {
number = extendWidth(args,number,fchar);
}
checkOffset(args,offset,length,ERR_MALFORMED_DOT_NUM);
precision = number;
}
break;
case '\n':
offset--;
case '%':
if (flags != FLAG_NONE) {
raiseArgumentError(args,ERR_ILLEGAL_FORMAT_CHAR);
}
buf.append('%');
offset++;
incomplete = false;
break;
case 'c': {
if (arg == null) arg = args.next();
int c = 0;
// MRI 1.8.5-p12 doesn't support 1-char strings, but
// YARV 0.4.1 does. I don't think it hurts to include
// this; sprintf('%c','a') is nicer than sprintf('%c','a'[0])
if (arg instanceof RubyString) {
ByteList bytes = ((RubyString)arg).getByteList();
if (bytes.length() == 1) {
c = bytes.unsafeBytes()[bytes.begin()];
} else {
raiseArgumentError(args,"%c requires a character");
}
} else {
c = args.intValue(arg);
}
if ((flags & FLAG_WIDTH) != 0 && width > 1) {
if ((flags & FLAG_MINUS) != 0) {
buf.append(c);
buf.fill(' ', width-1);
} else {
buf.fill(' ',width-1);
buf.append(c);
}
} else {
buf.append(c);
}
offset++;
incomplete = false;
break;
}
case 'p':
case 's': {
if (arg == null) arg = args.next();
if (fchar == 'p') {
arg = arg.callMethod(arg.getRuntime().getCurrentContext(),"inspect");
}
ByteList bytes = arg.asString().getByteList();
int len = bytes.length();
if (arg.isTaint()) tainted = true;
if ((flags & FLAG_PRECISION) != 0 && precision < len) {
len = precision;
}
// TODO: adjust length so it won't fall in the middle
// of a multi-byte character. MRI's sprintf.c uses tables
// in a modified version of regex.c, which assume some
// particular encoding for a given installation/application.
// (See regex.c#re_mbcinit in ruby-1.8.5-p12)
//
// This is only an issue if the user specifies a precision
// that causes the string to be truncated. The same issue
// would arise taking a substring of a ByteList-backed RubyString.
if ((flags & FLAG_WIDTH) != 0 && width > len) {
width -= len;
if ((flags & FLAG_MINUS) != 0) {
buf.append(bytes.unsafeBytes(),bytes.begin(),len);
buf.fill(' ',width);
} else {
buf.fill(' ',width);
buf.append(bytes.unsafeBytes(),bytes.begin(),len);
}
} else {
buf.append(bytes.unsafeBytes(),bytes.begin(),len);
}
offset++;
incomplete = false;
break;
}
case 'd':
case 'i':
case 'o':
case 'x':
case 'X':
case 'b':
case 'B':
case 'u': {
if (arg == null) arg = args.next();
int type = arg.getMetaClass().index;
if (type != ClassIndex.FIXNUM && type != ClassIndex.BIGNUM) {
switch(type) {
case ClassIndex.FLOAT:
arg = RubyNumeric.dbl2num(arg.getRuntime(),((RubyFloat)arg).getValue());
break;
case ClassIndex.STRING:
arg = RubyNumeric.str2inum(arg.getRuntime(),(RubyString)arg,0,true);
break;
default:
if (arg.respondsTo("to_int")) {
arg = TypeConverter.convertToType(arg, arg.getRuntime().getInteger(), "to_int", true);
} else {
arg = TypeConverter.convertToType(arg, arg.getRuntime().getInteger(), "to_i", true);
}
break;
}
type = arg.getMetaClass().index;
}
byte[] bytes = null;
int first = 0;
byte[] prefix = null;
boolean sign;
boolean negative;
byte signChar = 0;
byte leadChar = 0;
int base;
// 'd' and 'i' are the same
if (fchar == 'i') fchar = 'd';
// 'u' with space or plus flags is same as 'd'
if (fchar == 'u' && (flags & (FLAG_SPACE | FLAG_PLUS)) != 0) {
fchar = 'd';
}
sign = (fchar == 'd' || (flags & (FLAG_SPACE | FLAG_PLUS)) != 0);
switch (fchar) {
case 'o':
base = 8; break;
case 'x':
case 'X':
base = 16; break;
case 'b':
case 'B':
base = 2; break;
case 'u':
case 'd':
default:
base = 10; break;
}
// We depart here from strict adherence to MRI code, as MRI
// uses C-sprintf, in part, to format numeric output, while
// we'll use Java's numeric formatting code (and our own).
boolean zero;
if (type == ClassIndex.FIXNUM) {
negative = ((RubyFixnum)arg).getLongValue() < 0;
zero = ((RubyFixnum)arg).getLongValue() == 0;
if (negative && fchar == 'u') {
bytes = getUnsignedNegativeBytes((RubyFixnum)arg);
} else {
bytes = getFixnumBytes((RubyFixnum)arg,base,sign,fchar=='X');
}
} else {
negative = ((RubyBignum)arg).getValue().signum() < 0;
zero = ((RubyBignum)arg).getValue().equals(BigInteger.ZERO);
if (negative && fchar == 'u') {
bytes = getUnsignedNegativeBytes((RubyBignum)arg);
} else {
bytes = getBignumBytes((RubyBignum)arg,base,sign,fchar=='X');
}
}
if ((flags & FLAG_SHARP) != 0) {
if (!zero || usePrefixForZero) {
switch (fchar) {
case 'o': prefix = PREFIX_OCTAL; break;
case 'x': prefix = PREFIX_HEX_LC; break;
case 'X': prefix = PREFIX_HEX_UC; break;
case 'b': prefix = PREFIX_BINARY_LC; break;
case 'B': prefix = PREFIX_BINARY_UC; break;
}
}
if (prefix != null) width -= prefix.length;
}
int len = 0;
if (sign) {
if (negative) {
signChar = '-';
width--;
first = 1; // skip '-' in bytes, will add where appropriate
} else if ((flags & FLAG_PLUS) != 0) {
signChar = '+';
width--;
} else if ((flags & FLAG_SPACE) != 0) {
signChar = ' ';
width--;
}
} else if (negative) {
if (base == 10) {
warning(ID.NEGATIVE_NUMBER_FOR_U, args, "negative number for %u specifier");
leadChar = '.';
len += 2;
} else {
if ((flags & (FLAG_PRECISION | FLAG_ZERO)) == 0) len += 2; // ..
first = skipSignBits(bytes,base);
switch(fchar) {
case 'b':
case 'B':
leadChar = '1';
break;
case 'o':
leadChar = '7';
break;
case 'x':
leadChar = 'f';
break;
case 'X':
leadChar = 'F';
break;
}
if (leadChar != 0) len++;
}
}
int numlen = bytes.length - first;
len += numlen;
if ((flags & (FLAG_ZERO|FLAG_PRECISION)) == FLAG_ZERO) {
precision = width;
width = 0;
} else {
if (precision < len) precision = len;
width -= precision;
}
if ((flags & FLAG_MINUS) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) buf.append(signChar);
if (prefix != null) buf.append(prefix);
if (len < precision) {
if (leadChar == 0) {
buf.fill('0', precision - len);
} else if (leadChar == '.') {
buf.fill(leadChar,precision-len);
buf.append(PREFIX_NEGATIVE);
} else {
buf.fill(leadChar,precision-len+1); // the 1 is for the stripped sign char
}
} else if (leadChar != 0) {
if ((flags & (FLAG_PRECISION | FLAG_ZERO)) == 0) {
buf.append(PREFIX_NEGATIVE);
}
if (leadChar != '.') buf.append(leadChar);
}
buf.append(bytes,first,numlen);
if (width > 0) buf.fill(' ',width);
offset++;
incomplete = false;
break;
}
case 'E':
case 'e':
case 'f':
case 'G':
case 'g': {
if (arg == null) arg = args.next();
if (!(arg instanceof RubyFloat)) {
// FIXME: what is correct 'recv' argument?
// (this does produce the desired behavior)
arg = RubyKernel.new_float(arg,arg);
}
double dval = ((RubyFloat)arg).getDoubleValue();
boolean nan = dval != dval;
boolean inf = dval == Double.POSITIVE_INFINITY || dval == Double.NEGATIVE_INFINITY;
boolean negative = dval < 0.0d || (dval == 0.0d && (new Float(dval)).equals(new Float(-0.0)));
byte[] digits;
int nDigits = 0;
int exponent = 0;
int len = 0;
byte signChar;
if (nan || inf) {
if (nan) {
digits = NAN_VALUE;
len = NAN_VALUE.length;
} else {
digits = INFINITY_VALUE;
len = INFINITY_VALUE.length;
}
if (negative) {
signChar = '-';
width--;
} else if ((flags & FLAG_PLUS) != 0) {
signChar = '+';
width--;
} else if ((flags & FLAG_SPACE) != 0) {
signChar = ' ';
width--;
} else {
signChar = 0;
}
width -= len;
if (width > 0 && (flags & (FLAG_ZERO|FLAG_MINUS)) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) buf.append(signChar);
if (width > 0 && (flags & FLAG_MINUS) == 0) {
buf.fill('0',width);
width = 0;
}
buf.append(digits);
if (width > 0) buf.fill(' ', width);
offset++;
incomplete = false;
break;
}
String str = Double.toString(dval);
// grrr, arghh, want to subclass sun.misc.FloatingDecimal, but can't,
// so we must do all this (the next 70 lines of code), which has already
// been done by FloatingDecimal.
int strlen = str.length();
digits = new byte[strlen];
int nTrailingZeroes = 0;
int i = negative ? 1 : 0;
int decPos = 0;
byte ival;
int_loop:
for ( ; i < strlen ; ) {
switch(ival = (byte)str.charAt(i++)) {
case '0':
if (nDigits > 0) nTrailingZeroes++;
break; // switch
case '1': case '2': case '3': case '4':
case '5': case '6': case '7': case '8': case '9':
if (nTrailingZeroes > 0) {
for ( ; nTrailingZeroes > 0 ; nTrailingZeroes-- ) {
digits[nDigits++] = '0';
}
}
digits[nDigits++] = ival;
break; // switch
case '.':
break int_loop;
}
}
decPos = nDigits + nTrailingZeroes;
dec_loop:
for ( ; i < strlen ; ) {
switch(ival = (byte)str.charAt(i++)) {
case '0':
if (nDigits > 0) {
nTrailingZeroes++;
} else {
exponent--;
}
break; // switch
case '1': case '2': case '3': case '4':
case '5': case '6': case '7': case '8': case '9':
if (nTrailingZeroes > 0) {
for ( ; nTrailingZeroes > 0 ; nTrailingZeroes-- ) {
digits[nDigits++] = '0';
}
}
digits[nDigits++] = ival;
break; // switch
case 'E':
break dec_loop;
}
}
if (i < strlen) {
int expSign;
int expVal = 0;
if (str.charAt(i) == '-') {
expSign = -1;
i++;
} else {
expSign = 1;
}
for ( ; i < strlen ; ) {
expVal = expVal * 10 + ((int)str.charAt(i++)-(int)'0');
}
exponent += expVal * expSign;
}
exponent += decPos - nDigits;
// gotta have at least a zero...
if (nDigits == 0) {
digits[0] = '0';
nDigits = 1;
exponent = 0;
}
// OK, we now have the significand in digits[0...nDigits]
// and the exponent in exponent. We're ready to format.
int intDigits, intZeroes, intLength;
int decDigits, decZeroes, decLength;
byte expChar;
if (negative) {
signChar = '-';
width--;
} else if ((flags & FLAG_PLUS) != 0) {
signChar = '+';
width--;
} else if ((flags & FLAG_SPACE) != 0) {
signChar = ' ';
width--;
} else {
signChar = 0;
}
if ((flags & FLAG_PRECISION) == 0) {
precision = 6;
}
switch(fchar) {
case 'E':
case 'G':
expChar = 'E';
break;
case 'e':
case 'g':
expChar = 'e';
break;
default:
expChar = 0;
}
switch (fchar) {
case 'g':
case 'G':
// an empirically derived rule: precision applies to
// significand length, irrespective of exponent
// an official rule, clarified: if the exponent
// <clarif>after adjusting for exponent form</clarif>
// is < -4, or the exponent <clarif>after adjusting
// for exponent form</clarif> is greater than the
// precision, use exponent form
boolean expForm = (exponent + nDigits - 1 < -4 ||
exponent + nDigits > (precision == 0 ? 1 : precision));
// it would be nice (and logical!) if exponent form
// behaved like E/e, and decimal form behaved like f,
// but no such luck. hence:
if (expForm) {
// intDigits isn't used here, but if it were, it would be 1
/* intDigits = 1; */
decDigits = nDigits - 1;
// precision for G/g includes integer digits
precision = Math.max(0,precision - 1);
if (precision < decDigits) {
int n = round(digits,nDigits,precision,precision!=0);
if (n > nDigits) nDigits = n;
decDigits = Math.min(nDigits - 1,precision);
}
exponent += nDigits - 1;
boolean isSharp = (flags & FLAG_SHARP) != 0;
// deal with length/width
len++; // first digit is always printed
// MRI behavior: Be default, 2 digits
// in the exponent. Use 3 digits
// only when necessary.
// See comment for writeExp method for more details.
if (exponent > 99)
len += 5; // 5 -> e+nnn / e-nnn
else
len += 4; // 4 -> e+nn / e-nn
if (isSharp) {
// in this mode, '.' is always printed
len++;
}
if (precision > 0) {
if (!isSharp) {
// MRI behavior: In this mode
// trailing zeroes are removed:
// 1.500E+05 -> 1.5E+05
int j = decDigits;
for (; j >= 1; j--) {
if (digits[j]== '0') {
decDigits--;
} else {
break;
}
}
if (decDigits > 0) {
len += 1; // '.' is printed
len += decDigits;
}
} else {
// all precision numebers printed
len += precision;
}
}
width -= len;
if (width > 0 && (flags & (FLAG_ZERO|FLAG_MINUS)) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) {
buf.append(signChar);
}
if (width > 0 && (flags & FLAG_MINUS) == 0) {
buf.fill('0',width);
width = 0;
}
// now some data...
buf.append(digits[0]);
boolean dotToPrint = isSharp
|| (precision > 0 && decDigits > 0);
if (dotToPrint) {
buf.append(args.getDecimalSeparator()); // '.'
}
if (precision > 0 && decDigits > 0) {
buf.append(digits, 1, decDigits);
precision -= decDigits;
}
if (precision > 0 && isSharp) {
buf.fill('0', precision);
}
writeExp(buf, exponent, expChar);
if (width > 0) {
buf.fill(' ', width);
}
} else { // decimal form, like (but not *just* like!) 'f'
intDigits = Math.max(0,Math.min(nDigits + exponent,nDigits));
intZeroes = Math.max(0,exponent);
intLength = intDigits + intZeroes;
decDigits = nDigits - intDigits;
decZeroes = Math.max(0,-(decDigits + exponent));
decLength = decZeroes + decDigits;
precision = Math.max(0,precision - intLength);
if (precision < decDigits) {
int n = round(digits,nDigits,intDigits+precision-1,precision!=0);
if (n > nDigits) {
// digits array shifted, update all
nDigits = n;
intDigits = Math.max(0,Math.min(nDigits + exponent,nDigits));
intLength = intDigits + intZeroes;
decDigits = nDigits - intDigits;
decZeroes = Math.max(0,-(decDigits + exponent));
precision = Math.max(0,precision-1);
}
decDigits = precision;
decLength = decZeroes + decDigits;
}
len += intLength;
if (decLength > 0) {
len += decLength + 1;
} else {
if ((flags & FLAG_SHARP) != 0) {
len++; // will have a trailing '.'
if (precision > 0) { // g fills trailing zeroes if #
len += precision;
}
}
}
width -= len;
if (width > 0 && (flags & (FLAG_ZERO|FLAG_MINUS)) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) {
buf.append(signChar);
}
if (width > 0 && (flags & FLAG_MINUS) == 0) {
buf.fill('0',width);
width = 0;
}
// now some data...
if (intLength > 0){
if (intDigits > 0) { // s/b true, since intLength > 0
buf.append(digits,0,intDigits);
}
if (intZeroes > 0) {
buf.fill('0',intZeroes);
}
} else {
// always need at least a 0
buf.append('0');
}
if (decLength > 0 || (flags & FLAG_SHARP) != 0) {
buf.append(args.getDecimalSeparator());
}
if (decLength > 0) {
if (decZeroes > 0) {
buf.fill('0',decZeroes);
precision -= decZeroes;
}
if (decDigits > 0) {
buf.append(digits,intDigits,decDigits);
precision -= decDigits;
}
if ((flags & FLAG_SHARP) != 0 && precision > 0) {
buf.fill('0',precision);
}
}
if ((flags & FLAG_SHARP) != 0 && precision > 0) buf.fill('0',precision);
if (width > 0) buf.fill(' ', width);
}
break;
case 'f':
intDigits = Math.max(0,Math.min(nDigits + exponent,nDigits));
intZeroes = Math.max(0,exponent);
intLength = intDigits + intZeroes;
decDigits = nDigits - intDigits;
decZeroes = Math.max(0,-(decDigits + exponent));
decLength = decZeroes + decDigits;
if (precision < decLength) {
if (precision < decZeroes) {
decDigits = 0;
decZeroes = precision;
} else {
int n = round(digits,nDigits,intDigits+precision-decZeroes-1,precision!=0);
if (n > nDigits) {
// digits arr shifted, update all
nDigits = n;
intDigits = Math.max(0,Math.min(nDigits + exponent,nDigits));
intLength = intDigits + intZeroes;
decDigits = nDigits - intDigits;
decZeroes = Math.max(0,-(decDigits + exponent));
decLength = decZeroes + decDigits;
}
decDigits = precision - decZeroes;
}
decLength = decZeroes + decDigits;
}
if (precision > 0) {
len += Math.max(1,intLength) + 1 + precision;
// (1|intlen).prec
} else {
len += Math.max(1,intLength);
// (1|intlen)
if ((flags & FLAG_SHARP) != 0) {
len++; // will have a trailing '.'
}
}
width -= len;
if (width > 0 && (flags & (FLAG_ZERO|FLAG_MINUS)) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) {
buf.append(signChar);
}
if (width > 0 && (flags & FLAG_MINUS) == 0) {
buf.fill('0',width);
width = 0;
}
// now some data...
if (intLength > 0){
if (intDigits > 0) { // s/b true, since intLength > 0
buf.append(digits,0,intDigits);
}
if (intZeroes > 0) {
buf.fill('0',intZeroes);
}
} else {
// always need at least a 0
buf.append('0');
}
if (precision > 0 || (flags & FLAG_SHARP) != 0) {
buf.append(args.getDecimalSeparator());
}
if (precision > 0) {
if (decZeroes > 0) {
buf.fill('0',decZeroes);
precision -= decZeroes;
}
if (decDigits > 0) {
buf.append(digits,intDigits,decDigits);
precision -= decDigits;
}
// fill up the rest with zeroes
if (precision > 0) {
buf.fill('0',precision);
}
}
if (width > 0) {
buf.fill(' ', width);
}
break;
case 'E':
case 'e':
// intDigits isn't used here, but if it were, it would be 1
/* intDigits = 1; */
decDigits = nDigits - 1;
if (precision < decDigits) {
int n = round(digits,nDigits,precision,precision!=0);
if (n > nDigits) {
nDigits = n;
}
decDigits = Math.min(nDigits - 1,precision);
}
exponent += nDigits - 1;
boolean isSharp = (flags & FLAG_SHARP) != 0;
// deal with length/width
len++; // first digit is always printed
// MRI behavior: Be default, 2 digits
// in the exponent. Use 3 digits
// only when necessary.
// See comment for writeExp method for more details.
if (exponent > 99)
len += 5; // 5 -> e+nnn / e-nnn
else
len += 4; // 4 -> e+nn / e-nn
if (precision > 0) {
// '.' and all precision digits printed
len += 1 + precision;
} else if (isSharp) {
len++; // in this mode, '.' is always printed
}
width -= len;
if (width > 0 && (flags & (FLAG_ZERO|FLAG_MINUS)) == 0) {
buf.fill(' ',width);
width = 0;
}
if (signChar != 0) {
buf.append(signChar);
}
if (width > 0 && (flags & FLAG_MINUS) == 0) {
buf.fill('0',width);
width = 0;
}
// now some data...
buf.append(digits[0]);
if (precision > 0) {
buf.append(args.getDecimalSeparator()); // '.'
if (decDigits > 0) {
buf.append(digits,1,decDigits);
precision -= decDigits;
}
if (precision > 0) buf.fill('0',precision);
} else if ((flags & FLAG_SHARP) != 0) {
buf.append(args.getDecimalSeparator());
}
writeExp(buf, exponent, expChar);
if (width > 0) buf.fill(' ', width);
break;
} // switch (format char E,e,f,G,g)
offset++;
incomplete = false;
break;
} // block (case E,e,f,G,g)
} // switch (each format char in spec)
} // for (each format spec)
// equivalent to MRI case '\0':
if (incomplete) {
if (flags == FLAG_NONE) {
// dangling '%' char
buf.append('%');
} else {
raiseArgumentError(args,ERR_ILLEGAL_FORMAT_CHAR);
}
}
} // main while loop (offset < length)
// MRI behavior: validate only the unnumbered arguments
if ((args.numbered == 0) && args.unnumbered < args.length) {
if (args.runtime.getDebug().isTrue()) {
args.raiseArgumentError("too many arguments for format string");
} else if (args.runtime.isVerbose()) {
args.warn(ID.TOO_MANY_ARGUMENTS, "too many arguments for format string");
}
}
return tainted;
}
|
diff --git a/src/com/travel/service/MessageServiceScheduler.java b/src/com/travel/service/MessageServiceScheduler.java
index 1574057..f67b3da 100644
--- a/src/com/travel/service/MessageServiceScheduler.java
+++ b/src/com/travel/service/MessageServiceScheduler.java
@@ -1,58 +1,59 @@
/**
* @author Zhang Zhipeng
*
* 2013-12-22
*/
package com.travel.service;
import java.util.ArrayList;
import java.util.List;
import org.apache.commons.lang3.StringUtils;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.scheduling.annotation.Scheduled;
import org.springframework.stereotype.Component;
import com.travel.common.Constants.MESSAGE_RECEIVER_TYPE;
import com.travel.common.Constants.SMS_STATUS;
import com.travel.common.Constants.SMS_TRIGGER;
import com.travel.common.Constants.TRIGGER_TYPE;
import com.travel.entity.MemberInf;
import com.travel.entity.Message;
import com.travel.entity.TriggerConfig;
/**
* @author Lenovo
*
*/
@Component
public class MessageServiceScheduler {
private static final Logger log = LoggerFactory.getLogger(MessageServiceScheduler.class);
@Autowired
private MessageService messageService;
@Autowired
private MemberService memberService;
@Autowired
private TriggerConfigService triggerService;
@Scheduled(fixedRate = 60000)
void doSomethingWithRate() {
log.debug("检查自动触发");
List<TriggerConfig> list = triggerService.getValidTriggerConfigs();
for(TriggerConfig trigger : list){
log.debug("自动触发:" + trigger.toString());
- if(trigger.getTypeValue().intValue() != TRIGGER_TYPE.WEATHER.getValue()){
+ if(trigger.getTypeValue().intValue() != TRIGGER_TYPE.TOMORROW_WEATHER.getValue()
+ && trigger.getTypeValue().intValue() != TRIGGER_TYPE.TODAY_WEATHER.getValue()){
triggerService.trigger(trigger);
}
}
log.debug("检查预约消息,准备推送");
List<Message> messageList = messageService.getNeedToPushMessages();
for(Message msg : messageList){
MemberInf member = memberService.getMemberById(msg.getReceiverId());
messageService.sendPushMsg(msg, member);
messageService.sendSMS(msg, member);
}
}
}
| true | true | void doSomethingWithRate() {
log.debug("检查自动触发");
List<TriggerConfig> list = triggerService.getValidTriggerConfigs();
for(TriggerConfig trigger : list){
log.debug("自动触发:" + trigger.toString());
if(trigger.getTypeValue().intValue() != TRIGGER_TYPE.WEATHER.getValue()){
triggerService.trigger(trigger);
}
}
log.debug("检查预约消息,准备推送");
List<Message> messageList = messageService.getNeedToPushMessages();
for(Message msg : messageList){
MemberInf member = memberService.getMemberById(msg.getReceiverId());
messageService.sendPushMsg(msg, member);
messageService.sendSMS(msg, member);
}
}
| void doSomethingWithRate() {
log.debug("检查自动触发");
List<TriggerConfig> list = triggerService.getValidTriggerConfigs();
for(TriggerConfig trigger : list){
log.debug("自动触发:" + trigger.toString());
if(trigger.getTypeValue().intValue() != TRIGGER_TYPE.TOMORROW_WEATHER.getValue()
&& trigger.getTypeValue().intValue() != TRIGGER_TYPE.TODAY_WEATHER.getValue()){
triggerService.trigger(trigger);
}
}
log.debug("检查预约消息,准备推送");
List<Message> messageList = messageService.getNeedToPushMessages();
for(Message msg : messageList){
MemberInf member = memberService.getMemberById(msg.getReceiverId());
messageService.sendPushMsg(msg, member);
messageService.sendSMS(msg, member);
}
}
|
diff --git a/scm-plugins/scm-git-plugin/src/main/java/sonia/scm/repository/GitChangesetConverter.java b/scm-plugins/scm-git-plugin/src/main/java/sonia/scm/repository/GitChangesetConverter.java
index 28e862d85..fb14003e6 100644
--- a/scm-plugins/scm-git-plugin/src/main/java/sonia/scm/repository/GitChangesetConverter.java
+++ b/scm-plugins/scm-git-plugin/src/main/java/sonia/scm/repository/GitChangesetConverter.java
@@ -1,324 +1,325 @@
/**
* Copyright (c) 2010, Sebastian Sdorra
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are met:
*
* 1. Redistributions of source code must retain the above copyright notice,
* this list of conditions and the following disclaimer.
* 2. Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation
* and/or other materials provided with the distribution.
* 3. Neither the name of SCM-Manager; nor the names of its
* contributors may be used to endorse or promote products derived from this
* software without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
* AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
* DISCLAIMED. IN NO EVENT SHALL THE REGENTS OR CONTRIBUTORS BE LIABLE FOR ANY
* DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
* (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
* LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON
* ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
* (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
* SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*
* http://bitbucket.org/sdorra/scm-manager
*
*/
package sonia.scm.repository;
//~--- non-JDK imports --------------------------------------------------------
import com.google.common.collect.Multimap;
import org.eclipse.jgit.diff.DiffEntry;
import org.eclipse.jgit.lib.ObjectId;
import org.eclipse.jgit.lib.PersonIdent;
import org.eclipse.jgit.lib.Ref;
import org.eclipse.jgit.revwalk.RevCommit;
import org.eclipse.jgit.revwalk.RevTree;
import org.eclipse.jgit.revwalk.RevWalk;
import org.eclipse.jgit.treewalk.EmptyTreeIterator;
import org.eclipse.jgit.treewalk.TreeWalk;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import sonia.scm.util.Util;
//~--- JDK imports ------------------------------------------------------------
import java.io.Closeable;
import java.io.IOException;
import java.util.ArrayList;
import java.util.Collection;
import java.util.List;
import java.util.Set;
/**
*
* @author Sebastian Sdorra
*/
public class GitChangesetConverter implements Closeable
{
/**
* the logger for GitChangesetConverter
*/
private static final Logger logger =
LoggerFactory.getLogger(GitChangesetConverter.class);
//~--- constructors ---------------------------------------------------------
/**
* Constructs ...
*
*
* @param repository
* @param idLength
*/
public GitChangesetConverter(org.eclipse.jgit.lib.Repository repository,
int idLength)
{
this(repository, null, idLength);
}
/**
* Constructs ...
*
*
* @param repository
* @param revWalk
* @param idLength
*/
public GitChangesetConverter(org.eclipse.jgit.lib.Repository repository,
RevWalk revWalk, int idLength)
{
this.repository = repository;
if (revWalk != null)
{
this.revWalk = revWalk;
}
else
{
this.revWalk = new RevWalk(repository);
}
this.idLength = idLength;
this.tags = GitUtil.createTagMap(repository, revWalk);
treeWalk = new TreeWalk(repository);
}
//~--- methods --------------------------------------------------------------
/**
* Method description
*
*/
@Override
public void close()
{
GitUtil.release(treeWalk);
}
/**
* Method description
*
*
*
* @param commit
*
* @return
*
* @throws IOException
*/
public Changeset createChangeset(RevCommit commit) throws IOException
{
String id = commit.getId().abbreviate(idLength).name();
List<String> parentList = null;
RevCommit[] parents = commit.getParents();
if (Util.isNotEmpty(parents))
{
parentList = new ArrayList<String>();
for (RevCommit parent : parents)
{
parentList.add(parent.getId().abbreviate(idLength).name());
}
}
long date = GitUtil.getCommitTime(commit);
PersonIdent authorIndent = commit.getAuthorIdent();
Person author = new Person(authorIndent.getName(),
authorIndent.getEmailAddress());
String message = commit.getShortMessage();
Changeset changeset = new Changeset(id, date, author, message);
if (parentList != null)
{
changeset.setParents(parentList);
}
Modifications modifications = createModifications(treeWalk, commit);
if (modifications != null)
{
changeset.setModifications(modifications);
}
Collection<String> tagCollection = tags.get(commit.getId());
if (tagCollection != null)
{
changeset.getTags().addAll(tagCollection);
}
Set<Ref> refs = repository.getAllRefsByPeeledObjectId().get(commit.getId());
if (Util.isNotEmpty(refs))
{
for (Ref ref : refs)
{
String branch = GitUtil.getBranch(ref);
if (branch != null)
{
changeset.getBranches().add(branch);
}
}
}
return changeset;
}
/**
* TODO: copy and rename
*
*
* @param modifications
* @param entry
*/
private void appendModification(Modifications modifications, DiffEntry entry)
{
switch (entry.getChangeType())
{
case ADD :
modifications.getAdded().add(entry.getNewPath());
break;
case MODIFY :
modifications.getModified().add(entry.getNewPath());
break;
case DELETE :
modifications.getRemoved().add(entry.getOldPath());
break;
}
}
/**
* Method description
*
*
* @param treeWalk
* @param commit
*
* @return
*
* @throws IOException
*/
private Modifications createModifications(TreeWalk treeWalk, RevCommit commit)
throws IOException
{
Modifications modifications = null;
treeWalk.reset();
treeWalk.setRecursive(true);
if (commit.getParentCount() > 0)
{
RevCommit parent = commit.getParent(0);
RevTree tree = parent.getTree();
if ((tree == null) && (revWalk != null))
{
revWalk.parseHeaders(parent);
tree = parent.getTree();
}
if (tree != null)
{
treeWalk.addTree(tree);
}
else
{
if (logger.isTraceEnabled())
{
- logger.trace("no parent tree at position 0 for commit {}", commit);
+ logger.trace("no parent tree at position 0 for commit {}",
+ commit.getName());
}
treeWalk.addTree(new EmptyTreeIterator());
}
}
else
{
if (logger.isTraceEnabled())
{
- logger.trace("no parent available for commit {}", commit);
+ logger.trace("no parent available for commit {}", commit.getName());
}
treeWalk.addTree(new EmptyTreeIterator());
}
treeWalk.addTree(commit.getTree());
List<DiffEntry> entries = DiffEntry.scan(treeWalk);
for (DiffEntry e : entries)
{
if (!e.getOldId().equals(e.getNewId()))
{
if (modifications == null)
{
modifications = new Modifications();
}
appendModification(modifications, e);
}
}
return modifications;
}
//~--- fields ---------------------------------------------------------------
/** Field description */
private int idLength;
/** Field description */
private org.eclipse.jgit.lib.Repository repository;
/** Field description */
private RevWalk revWalk;
/** Field description */
private Multimap<ObjectId, String> tags;
/** Field description */
private TreeWalk treeWalk;
}
| false | true | private Modifications createModifications(TreeWalk treeWalk, RevCommit commit)
throws IOException
{
Modifications modifications = null;
treeWalk.reset();
treeWalk.setRecursive(true);
if (commit.getParentCount() > 0)
{
RevCommit parent = commit.getParent(0);
RevTree tree = parent.getTree();
if ((tree == null) && (revWalk != null))
{
revWalk.parseHeaders(parent);
tree = parent.getTree();
}
if (tree != null)
{
treeWalk.addTree(tree);
}
else
{
if (logger.isTraceEnabled())
{
logger.trace("no parent tree at position 0 for commit {}", commit);
}
treeWalk.addTree(new EmptyTreeIterator());
}
}
else
{
if (logger.isTraceEnabled())
{
logger.trace("no parent available for commit {}", commit);
}
treeWalk.addTree(new EmptyTreeIterator());
}
treeWalk.addTree(commit.getTree());
List<DiffEntry> entries = DiffEntry.scan(treeWalk);
for (DiffEntry e : entries)
{
if (!e.getOldId().equals(e.getNewId()))
{
if (modifications == null)
{
modifications = new Modifications();
}
appendModification(modifications, e);
}
}
return modifications;
}
| private Modifications createModifications(TreeWalk treeWalk, RevCommit commit)
throws IOException
{
Modifications modifications = null;
treeWalk.reset();
treeWalk.setRecursive(true);
if (commit.getParentCount() > 0)
{
RevCommit parent = commit.getParent(0);
RevTree tree = parent.getTree();
if ((tree == null) && (revWalk != null))
{
revWalk.parseHeaders(parent);
tree = parent.getTree();
}
if (tree != null)
{
treeWalk.addTree(tree);
}
else
{
if (logger.isTraceEnabled())
{
logger.trace("no parent tree at position 0 for commit {}",
commit.getName());
}
treeWalk.addTree(new EmptyTreeIterator());
}
}
else
{
if (logger.isTraceEnabled())
{
logger.trace("no parent available for commit {}", commit.getName());
}
treeWalk.addTree(new EmptyTreeIterator());
}
treeWalk.addTree(commit.getTree());
List<DiffEntry> entries = DiffEntry.scan(treeWalk);
for (DiffEntry e : entries)
{
if (!e.getOldId().equals(e.getNewId()))
{
if (modifications == null)
{
modifications = new Modifications();
}
appendModification(modifications, e);
}
}
return modifications;
}
|
diff --git a/src/main/java/hudson/plugins/git/GitSCM.java b/src/main/java/hudson/plugins/git/GitSCM.java
index c6902cc..7c48180 100644
--- a/src/main/java/hudson/plugins/git/GitSCM.java
+++ b/src/main/java/hudson/plugins/git/GitSCM.java
@@ -1,911 +1,911 @@
package hudson.plugins.git;
import hudson.EnvVars;
import hudson.Extension;
import hudson.FilePath;
import hudson.Launcher;
import hudson.Proc;
import hudson.FilePath.FileCallable;
import hudson.model.AbstractBuild;
import hudson.model.AbstractProject;
import hudson.model.Action;
import hudson.model.BuildListener;
import hudson.model.Computer;
import hudson.model.Hudson;
import hudson.model.ParametersAction;
import hudson.model.Result;
import hudson.model.Run;
import hudson.model.TaskListener;
import hudson.plugins.git.browser.GitWeb;
import hudson.plugins.git.opt.PreBuildMergeOptions;
import hudson.plugins.git.util.Build;
import hudson.plugins.git.util.BuildChooser;
import hudson.plugins.git.util.BuildData;
import hudson.plugins.git.util.GitUtils;
import hudson.plugins.git.util.IBuildChooser;
import hudson.remoting.VirtualChannel;
import hudson.scm.ChangeLogParser;
import hudson.scm.SCM;
import hudson.scm.SCMDescriptor;
import hudson.util.FormFieldValidator;
import java.io.ByteArrayOutputStream;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.Serializable;
import java.net.MalformedURLException;
import java.net.URISyntaxException;
import java.util.ArrayList;
import java.util.Collection;
import java.util.List;
import javax.servlet.ServletException;
import org.kohsuke.stapler.DataBoundConstructor;
import org.kohsuke.stapler.StaplerRequest;
import org.kohsuke.stapler.StaplerResponse;
import org.spearce.jgit.lib.ObjectId;
import org.spearce.jgit.lib.RepositoryConfig;
import org.spearce.jgit.transport.RefSpec;
import org.spearce.jgit.transport.RemoteConfig;
/**
* Git SCM.
*
* @author Nigel Magnay
*/
public class GitSCM extends SCM implements Serializable {
// old fields are left so that old config data can be read in, but
// they are deprecated. transient so that they won't show up in XML
// when writing back
@Deprecated transient String source;
@Deprecated transient String branch;
/**
* Store a config version so we're able to migrate config on various
* functionality upgrades.
*/
private Long configVersion;
/**
* All the remote repositories that we know about.
*/
private List<RemoteConfig> remoteRepositories;
/**
* All the branches that we wish to care about building.
*/
private List<BranchSpec> branches;
/**
* Options for merging before a build.
*/
private PreBuildMergeOptions mergeOptions;
private boolean doGenerateSubmoduleConfigurations;
private boolean clean;
private GitWeb browser;
private Collection<SubmoduleConfig> submoduleCfg;
public Collection<SubmoduleConfig> getSubmoduleCfg() {
return submoduleCfg;
}
public void setSubmoduleCfg(Collection<SubmoduleConfig> submoduleCfg) {
this.submoduleCfg = submoduleCfg;
}
@DataBoundConstructor
public GitSCM(
List<RemoteConfig> repositories,
List<BranchSpec> branches,
PreBuildMergeOptions mergeOptions,
boolean doGenerateSubmoduleConfigurations,
Collection<SubmoduleConfig> submoduleCfg,
boolean clean,
GitWeb browser) {
// normalization
this.branches = branches;
this.remoteRepositories = repositories;
this.browser = browser;
this.mergeOptions = mergeOptions;
this.doGenerateSubmoduleConfigurations = doGenerateSubmoduleConfigurations;
this.submoduleCfg = submoduleCfg;
this.clean = clean;
this.configVersion = 1L;
}
public Object readResolve() {
// Migrate data
// Default unspecified to v0
if( configVersion == null )
configVersion = 0L;
if(source!=null)
{
remoteRepositories = new ArrayList<RemoteConfig>();
branches = new ArrayList<BranchSpec>();
doGenerateSubmoduleConfigurations = false;
mergeOptions = new PreBuildMergeOptions();
try {
remoteRepositories.add(newRemoteConfig("origin", source, new RefSpec("+refs/heads/*:refs/remotes/origin/*") ));
} catch (URISyntaxException e) {
// We gave it our best shot
}
if( branch != null )
{
branches.add(new BranchSpec(branch));
}
else
{
branches.add(new BranchSpec("*/master"));
}
}
if( configVersion < 1 && branches != null )
{
// Migrate the branch specs from
// single * wildcard, to ** wildcard.
for( BranchSpec branchSpec : branches )
{
String name = branchSpec.getName();
name = name.replace("*", "**");
branchSpec.setName(name);
}
}
return this;
}
@Override
public GitWeb getBrowser() {
return browser;
}
public boolean getClean() {
return this.clean;
}
public List<RemoteConfig> getRepositories() {
// Handle null-value to ensure backwards-compatibility, ie project configuration missing the <repositories/> XML element
if (remoteRepositories == null)
return new ArrayList<RemoteConfig>();
return remoteRepositories;
}
private String getSingleBranch(AbstractBuild<?, ?> build) {
// if we have multiple branches skip to advanced usecase
if (getBranches().size() != 1 || getRepositories().size() != 1)
return null;
String branch = getBranches().get(0).getName();
String repository = getRepositories().get(0).getName();
// replace repository wildcard with repository name
if (branch.startsWith("*/"))
branch = repository + branch.substring(1);
// if the branch name contains more wildcards then the simple usecase
// does not apply and we need to skip to the advanced usecase
if (branch.contains("*"))
return null;
// substitute build parameters if available
ParametersAction parameters = build.getAction(ParametersAction.class);
if (parameters != null)
branch = parameters.substitute(build, branch);
return branch;
}
@Override
public boolean pollChanges(final AbstractProject project, Launcher launcher,
final FilePath workspace, final TaskListener listener)
throws IOException, InterruptedException
{
// Poll for changes. Are there any unbuilt revisions that Hudson ought to build ?
final String gitExe = getDescriptor().getGitExe();
AbstractBuild lastBuild = (AbstractBuild)project.getLastBuild();
if( lastBuild != null )
{
listener.getLogger().println("[poll] Last Build : #" + lastBuild.getNumber() );
}
final BuildData buildData = getBuildData(lastBuild, false);
if( buildData != null && buildData.lastBuild != null)
{
listener.getLogger().println("[poll] Last Built Revision: " + buildData.lastBuild.revision );
}
final String singleBranch = getSingleBranch(lastBuild);
EnvVars tmp = new EnvVars();
try {
tmp = Computer.currentComputer().getEnvironment();
} catch (InterruptedException e) {
listener.error("Interrupted exception getting environment .. trying empty environment");
}
final EnvVars environment = tmp;
boolean pollChangesResult = workspace.act(new FileCallable<Boolean>() {
private static final long serialVersionUID = 1L;
public Boolean invoke(File localWorkspace, VirtualChannel channel)
throws IOException {
IGitAPI git = new GitAPI(gitExe, new FilePath(localWorkspace), listener, environment);
IBuildChooser buildChooser = new BuildChooser(GitSCM.this,git,new GitUtils(listener,git), buildData );
if (git.hasGitRepo()) {
// Repo is there - do a fetch
listener.getLogger().println("Fetching changes from the remote Git repositories");
// Fetch updates
for (RemoteConfig remoteRepository : getRepositories()) {
fetchFrom(git, localWorkspace, listener, remoteRepository);
}
listener.getLogger().println("Polling for changes in");
Collection<Revision> candidates = buildChooser.getCandidateRevisions(true, singleBranch);
return (candidates.size() > 0);
} else {
listener.getLogger().println("No Git repository yet, an initial checkout is required");
return true;
}
}
});
return pollChangesResult;
}
/**
* Fetch information from a particular remote repository. Attempt to fetch
* from submodules, if they exist in the local WC
*
* @param git
* @param listener
* @param remoteRepository
* @throws
*/
private void fetchFrom(IGitAPI git, File workspace, TaskListener listener,
RemoteConfig remoteRepository) {
try {
git.fetch(remoteRepository);
List<IndexEntry> submodules = new GitUtils(listener, git)
.getSubmodules("HEAD");
for (IndexEntry submodule : submodules) {
try {
RemoteConfig submoduleRemoteRepository = getSubmoduleRepository(remoteRepository, submodule.getFile());
File subdir = new File(workspace, submodule.getFile());
IGitAPI subGit = new GitAPI(git.getGitExe(), new FilePath(subdir),
listener, git.getEnvironment());
subGit.fetch(submoduleRemoteRepository);
} catch (Exception ex) {
listener
.error(
"Problem fetching from "
+ remoteRepository.getName()
+ " - could be unavailable. Continuing anyway");
}
}
} catch (GitException ex) {
listener.error(
"Problem fetching from " + remoteRepository.getName()
+ " / " + remoteRepository.getName()
+ " - could be unavailable. Continuing anyway");
}
}
public RemoteConfig getSubmoduleRepository(RemoteConfig orig, String name) throws URISyntaxException
{
// Attempt to guess the submodule URL??
String refUrl = orig.getURIs().get(0).toString();
if (refUrl.endsWith("/.git"))
{
refUrl = refUrl.substring(0, refUrl.length() - 4);
}
if (!refUrl.endsWith("/")) refUrl += "/";
refUrl += name;
if (!refUrl.endsWith("/")) refUrl += "/";
refUrl += ".git";
return newRemoteConfig(name, refUrl, orig.getFetchRefSpecs().get(0) );
}
private RemoteConfig newRemoteConfig(String name, String refUrl, RefSpec refSpec) throws URISyntaxException
{
File temp = null;
try
{
temp = File.createTempFile("tmp", "config");
RepositoryConfig repoConfig = new RepositoryConfig(null, temp);
// Make up a repo config from the request parameters
repoConfig.setString("remote", name, "url", refUrl);
repoConfig.setString("remote", name, "fetch", refSpec.toString());
repoConfig.save();
return RemoteConfig.getAllRemoteConfigs(repoConfig).get(0);
}
catch(Exception ex)
{
throw new GitException("Error creating temp file");
}
finally
{
if( temp != null )
temp.delete();
}
}
private boolean changeLogResult(String changeLog, File changelogFile) throws IOException
{
if (changeLog == null)
return false;
else {
changelogFile.delete();
FileOutputStream fos = new FileOutputStream(changelogFile);
fos.write(changeLog.getBytes());
fos.close();
// Write to file
return true;
}
}
@Override
public boolean checkout(final AbstractBuild build, Launcher launcher,
final FilePath workspace, final BuildListener listener, File changelogFile)
throws IOException, InterruptedException {
listener.getLogger().println("Checkout:" + workspace.getName() + " / " + workspace.getRemote() + " - " + workspace.getChannel());
final String projectName = build.getProject().getName();
final int buildNumber = build.getNumber();
final String gitExe = getDescriptor().getGitExe();
final String buildnumber = "hudson-" + projectName + "-" + buildNumber;
final BuildData buildData = getBuildData(build.getPreviousBuild(), true);
if( buildData != null && buildData.lastBuild != null)
{
listener.getLogger().println("Last Built Revision: " + buildData.lastBuild.revision );
}
EnvVars tmp = new EnvVars();
try {
tmp = build.getEnvironment(listener);
} catch (InterruptedException e) {
listener.error("Interrupted exception getting environment .. using empty environment");
}
final EnvVars environment = tmp;
final String singleBranch = getSingleBranch(build);
final Revision revToBuild = workspace.act(new FileCallable<Revision>() {
private static final long serialVersionUID = 1L;
public Revision invoke(File localWorkspace, VirtualChannel channel)
throws IOException {
FilePath ws = new FilePath(localWorkspace);
listener.getLogger().println("Checkout:" + ws.getName() + " / " + ws.getRemote() + " - " + ws.getChannel());
IGitAPI git = new GitAPI(gitExe, ws, listener, environment);
if (git.hasGitRepo()) {
// It's an update
listener.getLogger().println("Fetching changes from the remote Git repository");
for (RemoteConfig remoteRepository : getRepositories())
{
fetchFrom(git,localWorkspace,listener,remoteRepository);
}
} else {
listener.getLogger().println("Cloning the remote Git repository");
// Go through the repositories, trying to clone from one
//
boolean successfullyCloned = false;
for(RemoteConfig rc : remoteRepositories)
{
try
{
git.clone(rc);
successfullyCloned = true;
break;
}
catch(GitException ex)
{
listener.error("Error cloning remote repo '%s' : %s", rc.getName(), ex.getMessage());
if(ex.getCause() != null) {
listener.error("Cause: %s", ex.getCause().getMessage());
}
// Failed. Try the next one
listener.getLogger().println("Trying next repository");
}
}
if( !successfullyCloned )
{
listener.error("Could not clone from a repository");
throw new GitException("Could not clone");
}
// Also do a fetch
for (RemoteConfig remoteRepository : getRepositories())
{
fetchFrom(git,localWorkspace,listener,remoteRepository);
}
if (git.hasGitModules()) {
git.submoduleInit();
git.submoduleUpdate();
}
}
IBuildChooser buildChooser = new BuildChooser(GitSCM.this,git,new GitUtils(listener,git), buildData );
Collection<Revision> candidates = buildChooser.getCandidateRevisions(false, singleBranch);
if( candidates.size() == 0 )
return null;
return candidates.iterator().next();
}
});
if( revToBuild == null )
{
// getBuildCandidates should make the last item the last build, so a re-build
// will build the last built thing.
listener.error("Nothing to do");
return false;
}
listener.getLogger().println("Commencing build of " + revToBuild);
Object[] returnData; // Changelog, BuildData
if (mergeOptions.doMerge()) {
if (!revToBuild.containsBranchName(mergeOptions.getMergeTarget())) {
returnData = workspace.act(new FileCallable<Object[]>() {
private static final long serialVersionUID = 1L;
public Object[] invoke(File localWorkspace, VirtualChannel channel)
throws IOException {
EnvVars environment;
try {
environment = build.getEnvironment(listener);
} catch (Exception e) {
listener.error("Exception reading environment - using empty environment");
environment = new EnvVars();
}
IGitAPI git = new GitAPI(gitExe, new FilePath(localWorkspace), listener, environment);
IBuildChooser buildChooser = new BuildChooser(GitSCM.this,git,new GitUtils(listener,git), buildData );
// Do we need to merge this revision onto MergeTarget
// Only merge if there's a branch to merge that isn't
// us..
listener.getLogger().println(
"Merging " + revToBuild + " onto "
+ mergeOptions.getMergeTarget());
// checkout origin/blah
ObjectId target = git.revParse(mergeOptions.getMergeTarget());
git.checkout(target.name());
try {
git.merge(revToBuild.getSha1().name());
} catch (Exception ex) {
listener
.getLogger()
.println(
"Branch not suitable for integration as it does not merge cleanly");
// We still need to tag something to prevent
// repetitive builds from happening - tag the
// candidate
// branch.
git.checkout(revToBuild.getSha1().name());
git
.tag(buildnumber, "Hudson Build #"
+ buildNumber);
buildChooser.revisionBuilt(revToBuild, buildNumber, Result.FAILURE);
return new Object[]{null, buildChooser.getData()};
}
if (git.hasGitModules()) {
git.submoduleUpdate();
}
// Tag the successful merge
git.tag(buildnumber, "Hudson Build #" + buildNumber);
StringBuilder changeLog = new StringBuilder();
if( revToBuild.getBranches().size() > 0 )
listener.getLogger().println("Warning : There are multiple branch changesets here");
try {
for( Branch b : revToBuild.getBranches() )
{
Build lastRevWas = buildData==null?null:buildData.getLastBuildOfBranch(b.getName());
if( lastRevWas != null ) {
changeLog.append(putChangelogDiffsIntoFile(git, b.name, lastRevWas.getSHA1().name(), revToBuild.getSha1().name()));
}
}
} catch (GitException ge) {
changeLog.append("Unable to retrieve changeset");
}
Build buildData = buildChooser.revisionBuilt(revToBuild, buildNumber, null);
GitUtils gu = new GitUtils(listener,git);
buildData.mergeRevision = gu.getRevisionForSHA1(target);
// Fetch the diffs into the changelog file
- return new Object[]{changeLog, buildChooser.getData()};
+ return new Object[]{changeLog.toString(), buildChooser.getData()};
}
});
BuildData returningBuildData = (BuildData)returnData[1];
build.addAction(returningBuildData);
return changeLogResult((String) returnData[0], changelogFile);
}
}
// No merge
returnData = workspace.act(new FileCallable<Object[]>() {
private static final long serialVersionUID = 1L;
public Object[] invoke(File localWorkspace, VirtualChannel channel)
throws IOException {
IGitAPI git = new GitAPI(gitExe, new FilePath(localWorkspace), listener, environment);
IBuildChooser buildChooser = new BuildChooser(GitSCM.this,git,new GitUtils(listener,git), buildData );
// Straight compile-the-branch
listener.getLogger().println("Checking out " + revToBuild);
git.checkout(revToBuild.getSha1().name());
// if( compileSubmoduleCompares )
if (doGenerateSubmoduleConfigurations) {
SubmoduleCombinator combinator = new SubmoduleCombinator(
git, listener, localWorkspace, submoduleCfg);
combinator.createSubmoduleCombinations();
}
if (git.hasGitModules()) {
git.submoduleInit();
// Git submodule update will only 'fetch' from where it
// regards as 'origin'. However,
// it is possible that we are building from a
// RemoteRepository with changes
// that are not in 'origin' AND it may be a new module that
// we've only just discovered.
// So - try updating from all RRs, then use the submodule
// Update to do the checkout
for (RemoteConfig remoteRepository : getRepositories()) {
fetchFrom(git, localWorkspace, listener, remoteRepository);
}
// Update to the correct checkout
git.submoduleUpdate();
}
// Tag the successful merge
git.tag(buildnumber, "Hudson Build #" + buildNumber);
StringBuilder changeLog = new StringBuilder();
int histories = 0;
try {
for( Branch b : revToBuild.getBranches() )
{
Build lastRevWas = buildData==null?null:buildData.getLastBuildOfBranch(b.getName());
if( lastRevWas != null )
{
listener.getLogger().println("Recording changes in branch " + b.getName());
changeLog.append(putChangelogDiffsIntoFile(git, b.name, lastRevWas.getSHA1().name(), revToBuild.getSha1().name()));
histories++;
} else {
listener.getLogger().println("No change to record in branch " + b.getName());
}
}
} catch (GitException ge) {
changeLog.append("Unable to retrieve changeset");
}
if( histories > 1 )
listener.getLogger().println("Warning : There are multiple branch changesets here");
buildChooser.revisionBuilt(revToBuild, buildNumber, null);
if (getClean()) {
listener.getLogger().println("Cleaning workspace");
git.clean();
}
// Fetch the diffs into the changelog file
return new Object[]{changeLog.toString(), buildChooser.getData()};
}
});
build.addAction((Action) returnData[1]);
return changeLogResult((String) returnData[0], changelogFile);
}
private String putChangelogDiffsIntoFile(IGitAPI git, String branchName, String revFrom,
String revTo) throws IOException {
ByteArrayOutputStream fos = new ByteArrayOutputStream();
// fos.write("<data><![CDATA[".getBytes());
String changeset = "Changes in branch " + branchName + ", between " + revFrom + " and " + revTo + "\n";
fos.write(changeset.getBytes());
git.changelog(revFrom, revTo, fos);
// fos.write("]]></data>".getBytes());
fos.close();
return fos.toString();
}
@Override
public ChangeLogParser createChangeLogParser() {
return new GitChangeLogParser();
}
@Override
public DescriptorImpl getDescriptor() {
return (DescriptorImpl) super.getDescriptor();
}
@Extension
public static final class DescriptorImpl extends SCMDescriptor<GitSCM> {
private String gitExe;
public DescriptorImpl() {
super(GitSCM.class, GitWeb.class);
load();
}
public String getDisplayName() {
return "Git";
}
/**
* Path to git executable.
*/
public String getGitExe() {
if (gitExe == null)
return "git";
return gitExe;
}
public SCM newInstance(StaplerRequest req) throws FormException {
List<RemoteConfig> remoteRepositories;
File temp;
try
{
temp = File.createTempFile("tmp", "config");
}
catch (IOException e1)
{
throw new GitException("Error creating repositories", e1);
}
RepositoryConfig repoConfig = new RepositoryConfig(null, temp);
// Make up a repo config from the request parameters
String[] urls = req.getParameterValues("git.repo.url");
String[] names = req.getParameterValues("git.repo.name");
names = GitUtils.fixupNames(names, urls);
String[] refs = req.getParameterValues("git.repo.refspec");
if (names != null)
{
for (int i = 0; i < names.length; i++)
{
String name = names[i];
name = name.replace(' ', '_');
if( refs[i] == null || refs[i].length() == 0 )
{
refs[i] = "+refs/heads/*:refs/remotes/" + name + "/*";
}
repoConfig.setString("remote", name, "url", urls[i]);
repoConfig.setString("remote", name, "fetch", refs[i]);
}
}
try
{
repoConfig.save();
remoteRepositories = RemoteConfig.getAllRemoteConfigs(repoConfig);
}
catch (Exception e)
{
throw new GitException("Error creating repositories", e);
}
temp.delete();
List<BranchSpec> branches = new ArrayList<BranchSpec>();
String[] branchData = req.getParameterValues("git.branch");
for( int i=0; i<branchData.length;i++ )
{
branches.add(new BranchSpec(branchData[i]));
}
if( branches.size() == 0 )
{
branches.add(new BranchSpec("*/master"));
}
PreBuildMergeOptions mergeOptions = new PreBuildMergeOptions();
if( req.getParameter("git.mergeTarget") != null && req.getParameter("git.mergeTarget").trim().length() > 0 )
{
mergeOptions.setMergeTarget(req.getParameter("git.mergeTarget"));
}
Collection<SubmoduleConfig> submoduleCfg = new ArrayList<SubmoduleConfig>();
GitWeb gitWeb = null;
String gitWebUrl = req.getParameter("gitweb.url");
if (gitWebUrl != null && gitWebUrl.length() > 0)
{
try
{
gitWeb = new GitWeb(gitWebUrl);
}
catch (MalformedURLException e)
{
throw new GitException("Error creating GitWeb", e);
}
}
return new GitSCM(
remoteRepositories,
branches,
mergeOptions,
req.getParameter("git.generate") != null,
submoduleCfg,
req.getParameter("git.clean") != null,
gitWeb);
}
public boolean configure(StaplerRequest req) throws FormException {
gitExe = req.getParameter("git.gitExe");
save();
return true;
}
public void doGitExeCheck(StaplerRequest req, StaplerResponse rsp)
throws IOException, ServletException {
new FormFieldValidator.Executable(req, rsp) {
protected void checkExecutable(File exe) throws IOException,
ServletException {
ByteArrayOutputStream baos = new ByteArrayOutputStream();
try {
Proc proc = Hudson.getInstance().createLauncher(
TaskListener.NULL).launch(
new String[] { getGitExe(), "--version" },
new String[0], baos, null);
proc.join();
// String result = baos.toString();
ok();
} catch (InterruptedException e) {
error("Unable to check git version");
} catch (RuntimeException e) {
error("Unable to check git version");
}
}
}.process();
}
}
private static final long serialVersionUID = 1L;
public boolean getDoGenerate() {
return this.doGenerateSubmoduleConfigurations;
}
public List<BranchSpec> getBranches()
{
return branches;
}
public PreBuildMergeOptions getMergeOptions()
{
return mergeOptions;
}
/**
* Look back as far as needed to find a valid BuildData. BuildData
* may not be recorded if an exception occurs in the plugin logic.
* @param build
* @param clone
* @return the last recorded build data
*/
public BuildData getBuildData(Run build, boolean clone)
{
BuildData buildData = null;
while (build != null)
{
buildData = build.getAction(BuildData.class);
if (buildData != null)
break;
build = build.getPreviousBuild();
}
if (buildData == null)
return null;
if (clone)
return buildData.clone();
else
return buildData;
}
}
| true | true | public boolean checkout(final AbstractBuild build, Launcher launcher,
final FilePath workspace, final BuildListener listener, File changelogFile)
throws IOException, InterruptedException {
listener.getLogger().println("Checkout:" + workspace.getName() + " / " + workspace.getRemote() + " - " + workspace.getChannel());
final String projectName = build.getProject().getName();
final int buildNumber = build.getNumber();
final String gitExe = getDescriptor().getGitExe();
final String buildnumber = "hudson-" + projectName + "-" + buildNumber;
final BuildData buildData = getBuildData(build.getPreviousBuild(), true);
if( buildData != null && buildData.lastBuild != null)
{
listener.getLogger().println("Last Built Revision: " + buildData.lastBuild.revision );
}
EnvVars tmp = new EnvVars();
try {
tmp = build.getEnvironment(listener);
} catch (InterruptedException e) {
listener.error("Interrupted exception getting environment .. using empty environment");
}
final EnvVars environment = tmp;
final String singleBranch = getSingleBranch(build);
final Revision revToBuild = workspace.act(new FileCallable<Revision>() {
private static final long serialVersionUID = 1L;
public Revision invoke(File localWorkspace, VirtualChannel channel)
throws IOException {
FilePath ws = new FilePath(localWorkspace);
listener.getLogger().println("Checkout:" + ws.getName() + " / " + ws.getRemote() + " - " + ws.getChannel());
IGitAPI git = new GitAPI(gitExe, ws, listener, environment);
if (git.hasGitRepo()) {
// It's an update
listener.getLogger().println("Fetching changes from the remote Git repository");
for (RemoteConfig remoteRepository : getRepositories())
{
fetchFrom(git,localWorkspace,listener,remoteRepository);
}
} else {
listener.getLogger().println("Cloning the remote Git repository");
// Go through the repositories, trying to clone from one
//
boolean successfullyCloned = false;
for(RemoteConfig rc : remoteRepositories)
{
try
{
git.clone(rc);
successfullyCloned = true;
break;
}
catch(GitException ex)
{
listener.error("Error cloning remote repo '%s' : %s", rc.getName(), ex.getMessage());
if(ex.getCause() != null) {
listener.error("Cause: %s", ex.getCause().getMessage());
}
// Failed. Try the next one
listener.getLogger().println("Trying next repository");
}
}
if( !successfullyCloned )
{
listener.error("Could not clone from a repository");
throw new GitException("Could not clone");
}
// Also do a fetch
for (RemoteConfig remoteRepository : getRepositories())
{
fetchFrom(git,localWorkspace,listener,remoteRepository);
}
if (git.hasGitModules()) {
git.submoduleInit();
git.submoduleUpdate();
}
}
IBuildChooser buildChooser = new BuildChooser(GitSCM.this,git,new GitUtils(listener,git), buildData );
Collection<Revision> candidates = buildChooser.getCandidateRevisions(false, singleBranch);
if( candidates.size() == 0 )
return null;
return candidates.iterator().next();
}
});
if( revToBuild == null )
{
// getBuildCandidates should make the last item the last build, so a re-build
// will build the last built thing.
listener.error("Nothing to do");
return false;
}
listener.getLogger().println("Commencing build of " + revToBuild);
Object[] returnData; // Changelog, BuildData
if (mergeOptions.doMerge()) {
if (!revToBuild.containsBranchName(mergeOptions.getMergeTarget())) {
returnData = workspace.act(new FileCallable<Object[]>() {
private static final long serialVersionUID = 1L;
public Object[] invoke(File localWorkspace, VirtualChannel channel)
throws IOException {
EnvVars environment;
try {
environment = build.getEnvironment(listener);
} catch (Exception e) {
listener.error("Exception reading environment - using empty environment");
environment = new EnvVars();
}
IGitAPI git = new GitAPI(gitExe, new FilePath(localWorkspace), listener, environment);
IBuildChooser buildChooser = new BuildChooser(GitSCM.this,git,new GitUtils(listener,git), buildData );
// Do we need to merge this revision onto MergeTarget
// Only merge if there's a branch to merge that isn't
// us..
listener.getLogger().println(
"Merging " + revToBuild + " onto "
+ mergeOptions.getMergeTarget());
// checkout origin/blah
ObjectId target = git.revParse(mergeOptions.getMergeTarget());
git.checkout(target.name());
try {
git.merge(revToBuild.getSha1().name());
} catch (Exception ex) {
listener
.getLogger()
.println(
"Branch not suitable for integration as it does not merge cleanly");
// We still need to tag something to prevent
// repetitive builds from happening - tag the
// candidate
// branch.
git.checkout(revToBuild.getSha1().name());
git
.tag(buildnumber, "Hudson Build #"
+ buildNumber);
buildChooser.revisionBuilt(revToBuild, buildNumber, Result.FAILURE);
return new Object[]{null, buildChooser.getData()};
}
if (git.hasGitModules()) {
git.submoduleUpdate();
}
// Tag the successful merge
git.tag(buildnumber, "Hudson Build #" + buildNumber);
StringBuilder changeLog = new StringBuilder();
if( revToBuild.getBranches().size() > 0 )
listener.getLogger().println("Warning : There are multiple branch changesets here");
try {
for( Branch b : revToBuild.getBranches() )
{
Build lastRevWas = buildData==null?null:buildData.getLastBuildOfBranch(b.getName());
if( lastRevWas != null ) {
changeLog.append(putChangelogDiffsIntoFile(git, b.name, lastRevWas.getSHA1().name(), revToBuild.getSha1().name()));
}
}
} catch (GitException ge) {
changeLog.append("Unable to retrieve changeset");
}
Build buildData = buildChooser.revisionBuilt(revToBuild, buildNumber, null);
GitUtils gu = new GitUtils(listener,git);
buildData.mergeRevision = gu.getRevisionForSHA1(target);
// Fetch the diffs into the changelog file
return new Object[]{changeLog, buildChooser.getData()};
}
});
BuildData returningBuildData = (BuildData)returnData[1];
build.addAction(returningBuildData);
return changeLogResult((String) returnData[0], changelogFile);
}
}
// No merge
returnData = workspace.act(new FileCallable<Object[]>() {
private static final long serialVersionUID = 1L;
public Object[] invoke(File localWorkspace, VirtualChannel channel)
throws IOException {
IGitAPI git = new GitAPI(gitExe, new FilePath(localWorkspace), listener, environment);
IBuildChooser buildChooser = new BuildChooser(GitSCM.this,git,new GitUtils(listener,git), buildData );
// Straight compile-the-branch
listener.getLogger().println("Checking out " + revToBuild);
git.checkout(revToBuild.getSha1().name());
// if( compileSubmoduleCompares )
if (doGenerateSubmoduleConfigurations) {
SubmoduleCombinator combinator = new SubmoduleCombinator(
git, listener, localWorkspace, submoduleCfg);
combinator.createSubmoduleCombinations();
}
if (git.hasGitModules()) {
git.submoduleInit();
// Git submodule update will only 'fetch' from where it
// regards as 'origin'. However,
// it is possible that we are building from a
// RemoteRepository with changes
// that are not in 'origin' AND it may be a new module that
// we've only just discovered.
// So - try updating from all RRs, then use the submodule
// Update to do the checkout
for (RemoteConfig remoteRepository : getRepositories()) {
fetchFrom(git, localWorkspace, listener, remoteRepository);
}
// Update to the correct checkout
git.submoduleUpdate();
}
// Tag the successful merge
git.tag(buildnumber, "Hudson Build #" + buildNumber);
StringBuilder changeLog = new StringBuilder();
int histories = 0;
try {
for( Branch b : revToBuild.getBranches() )
{
Build lastRevWas = buildData==null?null:buildData.getLastBuildOfBranch(b.getName());
if( lastRevWas != null )
{
listener.getLogger().println("Recording changes in branch " + b.getName());
changeLog.append(putChangelogDiffsIntoFile(git, b.name, lastRevWas.getSHA1().name(), revToBuild.getSha1().name()));
histories++;
} else {
listener.getLogger().println("No change to record in branch " + b.getName());
}
}
} catch (GitException ge) {
changeLog.append("Unable to retrieve changeset");
}
if( histories > 1 )
listener.getLogger().println("Warning : There are multiple branch changesets here");
buildChooser.revisionBuilt(revToBuild, buildNumber, null);
if (getClean()) {
listener.getLogger().println("Cleaning workspace");
git.clean();
}
// Fetch the diffs into the changelog file
return new Object[]{changeLog.toString(), buildChooser.getData()};
}
});
build.addAction((Action) returnData[1]);
return changeLogResult((String) returnData[0], changelogFile);
}
| public boolean checkout(final AbstractBuild build, Launcher launcher,
final FilePath workspace, final BuildListener listener, File changelogFile)
throws IOException, InterruptedException {
listener.getLogger().println("Checkout:" + workspace.getName() + " / " + workspace.getRemote() + " - " + workspace.getChannel());
final String projectName = build.getProject().getName();
final int buildNumber = build.getNumber();
final String gitExe = getDescriptor().getGitExe();
final String buildnumber = "hudson-" + projectName + "-" + buildNumber;
final BuildData buildData = getBuildData(build.getPreviousBuild(), true);
if( buildData != null && buildData.lastBuild != null)
{
listener.getLogger().println("Last Built Revision: " + buildData.lastBuild.revision );
}
EnvVars tmp = new EnvVars();
try {
tmp = build.getEnvironment(listener);
} catch (InterruptedException e) {
listener.error("Interrupted exception getting environment .. using empty environment");
}
final EnvVars environment = tmp;
final String singleBranch = getSingleBranch(build);
final Revision revToBuild = workspace.act(new FileCallable<Revision>() {
private static final long serialVersionUID = 1L;
public Revision invoke(File localWorkspace, VirtualChannel channel)
throws IOException {
FilePath ws = new FilePath(localWorkspace);
listener.getLogger().println("Checkout:" + ws.getName() + " / " + ws.getRemote() + " - " + ws.getChannel());
IGitAPI git = new GitAPI(gitExe, ws, listener, environment);
if (git.hasGitRepo()) {
// It's an update
listener.getLogger().println("Fetching changes from the remote Git repository");
for (RemoteConfig remoteRepository : getRepositories())
{
fetchFrom(git,localWorkspace,listener,remoteRepository);
}
} else {
listener.getLogger().println("Cloning the remote Git repository");
// Go through the repositories, trying to clone from one
//
boolean successfullyCloned = false;
for(RemoteConfig rc : remoteRepositories)
{
try
{
git.clone(rc);
successfullyCloned = true;
break;
}
catch(GitException ex)
{
listener.error("Error cloning remote repo '%s' : %s", rc.getName(), ex.getMessage());
if(ex.getCause() != null) {
listener.error("Cause: %s", ex.getCause().getMessage());
}
// Failed. Try the next one
listener.getLogger().println("Trying next repository");
}
}
if( !successfullyCloned )
{
listener.error("Could not clone from a repository");
throw new GitException("Could not clone");
}
// Also do a fetch
for (RemoteConfig remoteRepository : getRepositories())
{
fetchFrom(git,localWorkspace,listener,remoteRepository);
}
if (git.hasGitModules()) {
git.submoduleInit();
git.submoduleUpdate();
}
}
IBuildChooser buildChooser = new BuildChooser(GitSCM.this,git,new GitUtils(listener,git), buildData );
Collection<Revision> candidates = buildChooser.getCandidateRevisions(false, singleBranch);
if( candidates.size() == 0 )
return null;
return candidates.iterator().next();
}
});
if( revToBuild == null )
{
// getBuildCandidates should make the last item the last build, so a re-build
// will build the last built thing.
listener.error("Nothing to do");
return false;
}
listener.getLogger().println("Commencing build of " + revToBuild);
Object[] returnData; // Changelog, BuildData
if (mergeOptions.doMerge()) {
if (!revToBuild.containsBranchName(mergeOptions.getMergeTarget())) {
returnData = workspace.act(new FileCallable<Object[]>() {
private static final long serialVersionUID = 1L;
public Object[] invoke(File localWorkspace, VirtualChannel channel)
throws IOException {
EnvVars environment;
try {
environment = build.getEnvironment(listener);
} catch (Exception e) {
listener.error("Exception reading environment - using empty environment");
environment = new EnvVars();
}
IGitAPI git = new GitAPI(gitExe, new FilePath(localWorkspace), listener, environment);
IBuildChooser buildChooser = new BuildChooser(GitSCM.this,git,new GitUtils(listener,git), buildData );
// Do we need to merge this revision onto MergeTarget
// Only merge if there's a branch to merge that isn't
// us..
listener.getLogger().println(
"Merging " + revToBuild + " onto "
+ mergeOptions.getMergeTarget());
// checkout origin/blah
ObjectId target = git.revParse(mergeOptions.getMergeTarget());
git.checkout(target.name());
try {
git.merge(revToBuild.getSha1().name());
} catch (Exception ex) {
listener
.getLogger()
.println(
"Branch not suitable for integration as it does not merge cleanly");
// We still need to tag something to prevent
// repetitive builds from happening - tag the
// candidate
// branch.
git.checkout(revToBuild.getSha1().name());
git
.tag(buildnumber, "Hudson Build #"
+ buildNumber);
buildChooser.revisionBuilt(revToBuild, buildNumber, Result.FAILURE);
return new Object[]{null, buildChooser.getData()};
}
if (git.hasGitModules()) {
git.submoduleUpdate();
}
// Tag the successful merge
git.tag(buildnumber, "Hudson Build #" + buildNumber);
StringBuilder changeLog = new StringBuilder();
if( revToBuild.getBranches().size() > 0 )
listener.getLogger().println("Warning : There are multiple branch changesets here");
try {
for( Branch b : revToBuild.getBranches() )
{
Build lastRevWas = buildData==null?null:buildData.getLastBuildOfBranch(b.getName());
if( lastRevWas != null ) {
changeLog.append(putChangelogDiffsIntoFile(git, b.name, lastRevWas.getSHA1().name(), revToBuild.getSha1().name()));
}
}
} catch (GitException ge) {
changeLog.append("Unable to retrieve changeset");
}
Build buildData = buildChooser.revisionBuilt(revToBuild, buildNumber, null);
GitUtils gu = new GitUtils(listener,git);
buildData.mergeRevision = gu.getRevisionForSHA1(target);
// Fetch the diffs into the changelog file
return new Object[]{changeLog.toString(), buildChooser.getData()};
}
});
BuildData returningBuildData = (BuildData)returnData[1];
build.addAction(returningBuildData);
return changeLogResult((String) returnData[0], changelogFile);
}
}
// No merge
returnData = workspace.act(new FileCallable<Object[]>() {
private static final long serialVersionUID = 1L;
public Object[] invoke(File localWorkspace, VirtualChannel channel)
throws IOException {
IGitAPI git = new GitAPI(gitExe, new FilePath(localWorkspace), listener, environment);
IBuildChooser buildChooser = new BuildChooser(GitSCM.this,git,new GitUtils(listener,git), buildData );
// Straight compile-the-branch
listener.getLogger().println("Checking out " + revToBuild);
git.checkout(revToBuild.getSha1().name());
// if( compileSubmoduleCompares )
if (doGenerateSubmoduleConfigurations) {
SubmoduleCombinator combinator = new SubmoduleCombinator(
git, listener, localWorkspace, submoduleCfg);
combinator.createSubmoduleCombinations();
}
if (git.hasGitModules()) {
git.submoduleInit();
// Git submodule update will only 'fetch' from where it
// regards as 'origin'. However,
// it is possible that we are building from a
// RemoteRepository with changes
// that are not in 'origin' AND it may be a new module that
// we've only just discovered.
// So - try updating from all RRs, then use the submodule
// Update to do the checkout
for (RemoteConfig remoteRepository : getRepositories()) {
fetchFrom(git, localWorkspace, listener, remoteRepository);
}
// Update to the correct checkout
git.submoduleUpdate();
}
// Tag the successful merge
git.tag(buildnumber, "Hudson Build #" + buildNumber);
StringBuilder changeLog = new StringBuilder();
int histories = 0;
try {
for( Branch b : revToBuild.getBranches() )
{
Build lastRevWas = buildData==null?null:buildData.getLastBuildOfBranch(b.getName());
if( lastRevWas != null )
{
listener.getLogger().println("Recording changes in branch " + b.getName());
changeLog.append(putChangelogDiffsIntoFile(git, b.name, lastRevWas.getSHA1().name(), revToBuild.getSha1().name()));
histories++;
} else {
listener.getLogger().println("No change to record in branch " + b.getName());
}
}
} catch (GitException ge) {
changeLog.append("Unable to retrieve changeset");
}
if( histories > 1 )
listener.getLogger().println("Warning : There are multiple branch changesets here");
buildChooser.revisionBuilt(revToBuild, buildNumber, null);
if (getClean()) {
listener.getLogger().println("Cleaning workspace");
git.clean();
}
// Fetch the diffs into the changelog file
return new Object[]{changeLog.toString(), buildChooser.getData()};
}
});
build.addAction((Action) returnData[1]);
return changeLogResult((String) returnData[0], changelogFile);
}
|
diff --git a/src/net/sf/freecol/client/gui/panel/BuildingSiteToolTip.java b/src/net/sf/freecol/client/gui/panel/BuildingSiteToolTip.java
index 7494f5e64..c61f3b4d6 100644
--- a/src/net/sf/freecol/client/gui/panel/BuildingSiteToolTip.java
+++ b/src/net/sf/freecol/client/gui/panel/BuildingSiteToolTip.java
@@ -1,111 +1,110 @@
/**
* Copyright (C) 2002-2007 The FreeCol Team
*
* This file is part of FreeCol.
*
* FreeCol is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 2 of the License, or
* (at your option) any later version.
*
* FreeCol is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with FreeCol. If not, see <http://www.gnu.org/licenses/>.
*/
package net.sf.freecol.client.gui.panel;
import java.awt.Color;
import java.awt.Dimension;
import java.awt.Font;
import java.awt.Graphics;
import java.awt.Image;
import java.util.ArrayList;
import java.util.List;
import javax.swing.ImageIcon;
import javax.swing.JLabel;
import javax.swing.JTextArea;
import javax.swing.JToolTip;
import net.sf.freecol.client.gui.Canvas;
import net.sf.freecol.client.gui.i18n.Messages;
import net.sf.freecol.common.model.AbstractGoods;
import net.sf.freecol.common.model.BuildableType;
import net.sf.freecol.common.model.Building;
import net.sf.freecol.common.model.Colony;
import net.sf.freecol.common.model.Unit;
import net.sf.freecol.common.resources.ResourceManager;
import net.miginfocom.swing.MigLayout;
/**
* This panel represents a single building in a Colony.
*/
public class BuildingSiteToolTip extends JToolTip {
private static final Font arrowFont = new Font("Dialog", Font.BOLD, 24);
/**
* Creates this BuildingToolTip.
*
* @param building The building to display information from.
* @param parent a <code>Canvas</code> value
*/
public BuildingSiteToolTip(Colony colony, Canvas parent) {
setLayout(new MigLayout("fill", "", ""));
BuildableType buildable = colony.getCurrentlyBuilding();
if (buildable == null) {
add(FreeColPanel.getDefaultTextArea(Messages.message("colonyPanel.clickToBuild")),
"span, align center");
} else {
int turnsToComplete = colony.getTurnsToComplete(buildable);
String turns = Messages.message("notApplicable.short");
if (turnsToComplete >= 0) {
turns = Integer.toString(turnsToComplete);
}
add(new JLabel(Messages.message("colonyPanel.currentlyBuilding",
"%buildable%", buildable.getName())),
"span, align center");
add(new JLabel(Messages.message("turnsToComplete.long",
"%number%", turns)),
"span, align center");
add(new JLabel(new ImageIcon(ResourceManager.getImage(buildable.getId() + ".image"))));
List<FreeColProgressBar> progressBars = new ArrayList<FreeColProgressBar>();
for (AbstractGoods requiredGoods : buildable.getGoodsRequired()) {
int amountNeeded = requiredGoods.getAmount();
int amountAvailable = colony.getGoodsCount(requiredGoods.getType());
- int amountProduced = colony.getBuildingForProducing(requiredGoods.getType())
- .getProductionNextTurn();
+ int amountProduced = colony.getProductionNetOf(requiredGoods.getType());
progressBars.add(new FreeColProgressBar(parent, requiredGoods.getType(), 0,
amountNeeded, amountAvailable, amountProduced));
}
int size = progressBars.size();
if (size == 1) {
add(progressBars.get(0));
} else if (size > 1) {
add(progressBars.get(0), "flowy, split " + size);
for (int index = 1; index < size; index++) {
add(progressBars.get(index));
}
}
}
}
public Dimension getPreferredSize() {
return new Dimension(350, 200);
}
}
| true | true | public BuildingSiteToolTip(Colony colony, Canvas parent) {
setLayout(new MigLayout("fill", "", ""));
BuildableType buildable = colony.getCurrentlyBuilding();
if (buildable == null) {
add(FreeColPanel.getDefaultTextArea(Messages.message("colonyPanel.clickToBuild")),
"span, align center");
} else {
int turnsToComplete = colony.getTurnsToComplete(buildable);
String turns = Messages.message("notApplicable.short");
if (turnsToComplete >= 0) {
turns = Integer.toString(turnsToComplete);
}
add(new JLabel(Messages.message("colonyPanel.currentlyBuilding",
"%buildable%", buildable.getName())),
"span, align center");
add(new JLabel(Messages.message("turnsToComplete.long",
"%number%", turns)),
"span, align center");
add(new JLabel(new ImageIcon(ResourceManager.getImage(buildable.getId() + ".image"))));
List<FreeColProgressBar> progressBars = new ArrayList<FreeColProgressBar>();
for (AbstractGoods requiredGoods : buildable.getGoodsRequired()) {
int amountNeeded = requiredGoods.getAmount();
int amountAvailable = colony.getGoodsCount(requiredGoods.getType());
int amountProduced = colony.getBuildingForProducing(requiredGoods.getType())
.getProductionNextTurn();
progressBars.add(new FreeColProgressBar(parent, requiredGoods.getType(), 0,
amountNeeded, amountAvailable, amountProduced));
}
int size = progressBars.size();
if (size == 1) {
add(progressBars.get(0));
} else if (size > 1) {
add(progressBars.get(0), "flowy, split " + size);
for (int index = 1; index < size; index++) {
add(progressBars.get(index));
}
}
}
}
| public BuildingSiteToolTip(Colony colony, Canvas parent) {
setLayout(new MigLayout("fill", "", ""));
BuildableType buildable = colony.getCurrentlyBuilding();
if (buildable == null) {
add(FreeColPanel.getDefaultTextArea(Messages.message("colonyPanel.clickToBuild")),
"span, align center");
} else {
int turnsToComplete = colony.getTurnsToComplete(buildable);
String turns = Messages.message("notApplicable.short");
if (turnsToComplete >= 0) {
turns = Integer.toString(turnsToComplete);
}
add(new JLabel(Messages.message("colonyPanel.currentlyBuilding",
"%buildable%", buildable.getName())),
"span, align center");
add(new JLabel(Messages.message("turnsToComplete.long",
"%number%", turns)),
"span, align center");
add(new JLabel(new ImageIcon(ResourceManager.getImage(buildable.getId() + ".image"))));
List<FreeColProgressBar> progressBars = new ArrayList<FreeColProgressBar>();
for (AbstractGoods requiredGoods : buildable.getGoodsRequired()) {
int amountNeeded = requiredGoods.getAmount();
int amountAvailable = colony.getGoodsCount(requiredGoods.getType());
int amountProduced = colony.getProductionNetOf(requiredGoods.getType());
progressBars.add(new FreeColProgressBar(parent, requiredGoods.getType(), 0,
amountNeeded, amountAvailable, amountProduced));
}
int size = progressBars.size();
if (size == 1) {
add(progressBars.get(0));
} else if (size > 1) {
add(progressBars.get(0), "flowy, split " + size);
for (int index = 1; index < size; index++) {
add(progressBars.get(index));
}
}
}
}
|
diff --git a/src/com/modcrafting/ultrabans/commands/Ipban.java b/src/com/modcrafting/ultrabans/commands/Ipban.java
index 383ced4..e7c01ad 100644
--- a/src/com/modcrafting/ultrabans/commands/Ipban.java
+++ b/src/com/modcrafting/ultrabans/commands/Ipban.java
@@ -1,238 +1,238 @@
package com.modcrafting.ultrabans.commands;
import java.util.logging.Level;
import java.util.logging.Logger;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
import java.util.regex.PatternSyntaxException;
import org.bukkit.Bukkit;
import org.bukkit.ChatColor;
import org.bukkit.command.Command;
import org.bukkit.command.CommandExecutor;
import org.bukkit.command.CommandSender;
import org.bukkit.configuration.file.YamlConfiguration;
import org.bukkit.entity.Player;
import com.modcrafting.ultrabans.UltraBan;
public class Ipban implements CommandExecutor{
public static final Logger log = Logger.getLogger("Minecraft");
UltraBan plugin;
public Ipban(UltraBan ultraBan) {
this.plugin = ultraBan;
}
public boolean autoComplete;
public String expandName(String p) {
int m = 0;
String Result = "";
for (int n = 0; n < plugin.getServer().getOnlinePlayers().length; n++) {
String str = plugin.getServer().getOnlinePlayers()[n].getName();
if (str.matches("(?i).*" + p + ".*")) {
m++;
Result = str;
if(m==2) {
return null;
}
}
if (str.equalsIgnoreCase(p))
return str;
}
if (m == 1)
return Result;
if (m > 1) {
return null;
}
if (m < 1) {
return p;
}
return p;
}
public boolean onCommand(CommandSender sender, Command command, String commandLabel, String[] args) {
YamlConfiguration config = (YamlConfiguration) plugin.getConfig();
boolean auth = false;
boolean anon = false;
Player player = null;
String admin = config.getString("defAdminName", "server");
String reason = config.getString("defReason", "not sure");
if (sender instanceof Player){
player = (Player)sender;
if (plugin.setupPermissions()){
if (plugin.permission.has(player, "ultraban.ipban")) auth = true;
}else{
if (player.isOp()) auth = true; //defaulting to Op if no vault doesn't take or node
}
admin = player.getName();
}else{
auth = true; //if sender is not a player - Console
}
if (!auth){
sender.sendMessage(ChatColor.RED + "You do not have the required permissions.");
return true;
}
if (args.length < 1) return false;
String p = args[0];
//Pulls for Resembling a true ip.
if(validIP(p)){
plugin.bannedIPs.add(p);
String pname = plugin.db.getName(p);
if (pname != null){
plugin.db.addPlayer(pname, reason, admin, 0, 1);
}else{
plugin.db.setAddress("failedname", p);
plugin.db.addPlayer("failedname", reason, admin, 0, 1);
}
String banMsgBroadcast = config.getString("messages.banMsgBroadcast", "%victim% was banned by %admin%. Reason: %reason%");
banMsgBroadcast = banMsgBroadcast.replaceAll("%admin%", admin);
banMsgBroadcast = banMsgBroadcast.replaceAll("%reason%", reason);
banMsgBroadcast = banMsgBroadcast.replaceAll("%victim%", p);
plugin.getServer().broadcastMessage(formatMessage(banMsgBroadcast));
return true;
}
/*
if(p.contains("*")){
plugin.ipscope.combine(p);
//really bad idea. 255 to 65025 entries!!!
}
*/
boolean broadcast = true;
// Silent for Reason Combining
if(args.length > 1){
if(args[1].equalsIgnoreCase("-s")){
broadcast = false;
reason = combineSplit(2, args, " ");
}else{
if(args[1].equalsIgnoreCase("-a")){
anon = true;
reason = combineSplit(2, args, " ");
}else{
reason = combineSplit(1, args, " ");
}
}
}
if (anon){
admin = config.getString("defAdminName", "server");
}
if(autoComplete)
p = expandName(p);
Player victim = plugin.getServer().getPlayer(p);
// Strict Offline IP bans - Independent after Online Check
if(victim == null){
victim = Bukkit.getOfflinePlayer(p).getPlayer();
- if(plugin.bannedPlayers.contains(victim.getName().toLowerCase())){
+ if(plugin.bannedPlayers.contains(p.toLowerCase())){
sender.sendMessage(ChatColor.BLUE + p + ChatColor.GRAY + " is already banned for " + reason);
return true;
}
String offlineip = plugin.db.getAddress(victim.getName().toLowerCase());
plugin.bannedPlayers.add(victim.getName().toLowerCase());
if(offlineip != null){
plugin.bannedIPs.add(offlineip);
Bukkit.banIP(offlineip);
}else{
sender.sendMessage(ChatColor.GRAY + "IP address not found by Ultrabans for " + p);
sender.sendMessage(ChatColor.GRAY + "Processed as a normal ban for " + p);
plugin.db.addPlayer(victim.getName(), reason, admin, 0, 0);
log.log(Level.INFO, "[UltraBan] " + admin + " banned player " + p + ".");
return true;
}
plugin.db.addPlayer(victim.getName(), reason, admin, 0, 1);
log.log(Level.INFO, "[UltraBan] " + admin + " banned player " + p + ".");
if(broadcast){
String banMsgBroadcast = config.getString("messages.banMsgBroadcast", "%victim% was banned by %admin%. Reason: %reason%");
banMsgBroadcast = banMsgBroadcast.replaceAll("%admin%", admin);
banMsgBroadcast = banMsgBroadcast.replaceAll("%reason%", reason);
banMsgBroadcast = banMsgBroadcast.replaceAll("%victim%", p);
plugin.getServer().broadcastMessage(formatMessage(banMsgBroadcast));
}else{
String banMsgBroadcast = config.getString("messages.banMsgBroadcast", "%victim% was banned by %admin%. Reason: %reason%");
banMsgBroadcast = banMsgBroadcast.replaceAll("%admin%", admin);
banMsgBroadcast = banMsgBroadcast.replaceAll("%reason%", reason);
banMsgBroadcast = banMsgBroadcast.replaceAll("%victim%", p);
sender.sendMessage(formatMessage(":S:" + banMsgBroadcast));
}
return true;
}
//End of Offline
//Running Online
if(plugin.bannedPlayers.contains(victim.getName().toLowerCase())){
sender.sendMessage(ChatColor.BLUE + victim.getName() + ChatColor.GRAY + " is already banned for " + reason);
return true;
}
String victimip = plugin.db.getAddress(victim.getName().toLowerCase());
plugin.bannedPlayers.add(victim.getName().toLowerCase());
if(victimip != null){
plugin.bannedIPs.add(victimip);
Bukkit.banIP(victimip);
}else{
sender.sendMessage(ChatColor.GRAY + "IP address not found by Ultrabans for " + victim.getName());
sender.sendMessage(ChatColor.GRAY + "Processed as a normal ban for " + victim.getName());
plugin.db.addPlayer(victim.getName(), reason, admin, 0, 0);
log.log(Level.INFO, "[UltraBan] " + admin + " banned player " + victim.getName() + ".");
String banMsgVictim = config.getString("messages.banMsgVictim", "You have been banned by %admin%. Reason: %reason%");
banMsgVictim = banMsgVictim.replaceAll("%admin%", admin);
banMsgVictim = banMsgVictim.replaceAll("%reason%", reason);
victim.kickPlayer(formatMessage(banMsgVictim));
return true;
}
plugin.db.addPlayer(victim.getName(), reason, admin, 0, 1);
log.log(Level.INFO, "[UltraBan] " + admin + " banned player " + victim.getName() + ".");
String banMsgVictim = config.getString("messages.banMsgVictim", "You have been banned by %admin%. Reason: %reason%");
banMsgVictim = banMsgVictim.replaceAll("%admin%", admin);
banMsgVictim = banMsgVictim.replaceAll("%reason%", reason);
victim.kickPlayer(formatMessage(banMsgVictim));
if(broadcast){
String banMsgBroadcast = config.getString("messages.banMsgBroadcast", "%victim% was banned by %admin%. Reason: %reason%");
banMsgBroadcast = banMsgBroadcast.replaceAll("%admin%", admin);
banMsgBroadcast = banMsgBroadcast.replaceAll("%reason%", reason);
banMsgBroadcast = banMsgBroadcast.replaceAll("%victim%", victim.getName());
plugin.getServer().broadcastMessage(formatMessage(banMsgBroadcast));
}else{
String banMsgBroadcast = config.getString("messages.banMsgBroadcast", "%victim% was banned by %admin%. Reason: %reason%");
banMsgBroadcast = banMsgBroadcast.replaceAll("%admin%", admin);
banMsgBroadcast = banMsgBroadcast.replaceAll("%reason%", reason);
banMsgBroadcast = banMsgBroadcast.replaceAll("%victim%", victim.getName());
sender.sendMessage(formatMessage(":S:" + banMsgBroadcast));
}
return true;
}
public String combineSplit(int startIndex, String[] string, String seperator) {
StringBuilder builder = new StringBuilder();
for (int i = startIndex; i < string.length; i++) {
builder.append(string[i]);
builder.append(seperator);
}
builder.deleteCharAt(builder.length() - seperator.length()); // remove
return builder.toString();
}
public static boolean validIP(String ip) {
if (ip == null || ip.isEmpty()) return false;
ip = ip.trim();
if ((ip.length() < 6) & (ip.length() > 15)) return false;
try {
Pattern pattern = Pattern.compile("^(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\\.){3}(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$");
Matcher matcher = pattern.matcher(ip);
return matcher.matches();
} catch (PatternSyntaxException ex) {
return false;
}
}
public String formatMessage(String str){
String funnyChar = new Character((char) 167).toString();
str = str.replaceAll("&", funnyChar);
return str;
}
}
| true | true | public boolean onCommand(CommandSender sender, Command command, String commandLabel, String[] args) {
YamlConfiguration config = (YamlConfiguration) plugin.getConfig();
boolean auth = false;
boolean anon = false;
Player player = null;
String admin = config.getString("defAdminName", "server");
String reason = config.getString("defReason", "not sure");
if (sender instanceof Player){
player = (Player)sender;
if (plugin.setupPermissions()){
if (plugin.permission.has(player, "ultraban.ipban")) auth = true;
}else{
if (player.isOp()) auth = true; //defaulting to Op if no vault doesn't take or node
}
admin = player.getName();
}else{
auth = true; //if sender is not a player - Console
}
if (!auth){
sender.sendMessage(ChatColor.RED + "You do not have the required permissions.");
return true;
}
if (args.length < 1) return false;
String p = args[0];
//Pulls for Resembling a true ip.
if(validIP(p)){
plugin.bannedIPs.add(p);
String pname = plugin.db.getName(p);
if (pname != null){
plugin.db.addPlayer(pname, reason, admin, 0, 1);
}else{
plugin.db.setAddress("failedname", p);
plugin.db.addPlayer("failedname", reason, admin, 0, 1);
}
String banMsgBroadcast = config.getString("messages.banMsgBroadcast", "%victim% was banned by %admin%. Reason: %reason%");
banMsgBroadcast = banMsgBroadcast.replaceAll("%admin%", admin);
banMsgBroadcast = banMsgBroadcast.replaceAll("%reason%", reason);
banMsgBroadcast = banMsgBroadcast.replaceAll("%victim%", p);
plugin.getServer().broadcastMessage(formatMessage(banMsgBroadcast));
return true;
}
/*
if(p.contains("*")){
plugin.ipscope.combine(p);
//really bad idea. 255 to 65025 entries!!!
}
*/
boolean broadcast = true;
// Silent for Reason Combining
if(args.length > 1){
if(args[1].equalsIgnoreCase("-s")){
broadcast = false;
reason = combineSplit(2, args, " ");
}else{
if(args[1].equalsIgnoreCase("-a")){
anon = true;
reason = combineSplit(2, args, " ");
}else{
reason = combineSplit(1, args, " ");
}
}
}
if (anon){
admin = config.getString("defAdminName", "server");
}
if(autoComplete)
p = expandName(p);
Player victim = plugin.getServer().getPlayer(p);
// Strict Offline IP bans - Independent after Online Check
if(victim == null){
victim = Bukkit.getOfflinePlayer(p).getPlayer();
if(plugin.bannedPlayers.contains(victim.getName().toLowerCase())){
sender.sendMessage(ChatColor.BLUE + p + ChatColor.GRAY + " is already banned for " + reason);
return true;
}
String offlineip = plugin.db.getAddress(victim.getName().toLowerCase());
plugin.bannedPlayers.add(victim.getName().toLowerCase());
if(offlineip != null){
plugin.bannedIPs.add(offlineip);
Bukkit.banIP(offlineip);
}else{
sender.sendMessage(ChatColor.GRAY + "IP address not found by Ultrabans for " + p);
sender.sendMessage(ChatColor.GRAY + "Processed as a normal ban for " + p);
plugin.db.addPlayer(victim.getName(), reason, admin, 0, 0);
log.log(Level.INFO, "[UltraBan] " + admin + " banned player " + p + ".");
return true;
}
plugin.db.addPlayer(victim.getName(), reason, admin, 0, 1);
log.log(Level.INFO, "[UltraBan] " + admin + " banned player " + p + ".");
if(broadcast){
String banMsgBroadcast = config.getString("messages.banMsgBroadcast", "%victim% was banned by %admin%. Reason: %reason%");
banMsgBroadcast = banMsgBroadcast.replaceAll("%admin%", admin);
banMsgBroadcast = banMsgBroadcast.replaceAll("%reason%", reason);
banMsgBroadcast = banMsgBroadcast.replaceAll("%victim%", p);
plugin.getServer().broadcastMessage(formatMessage(banMsgBroadcast));
}else{
String banMsgBroadcast = config.getString("messages.banMsgBroadcast", "%victim% was banned by %admin%. Reason: %reason%");
banMsgBroadcast = banMsgBroadcast.replaceAll("%admin%", admin);
banMsgBroadcast = banMsgBroadcast.replaceAll("%reason%", reason);
banMsgBroadcast = banMsgBroadcast.replaceAll("%victim%", p);
sender.sendMessage(formatMessage(":S:" + banMsgBroadcast));
}
return true;
}
//End of Offline
//Running Online
if(plugin.bannedPlayers.contains(victim.getName().toLowerCase())){
sender.sendMessage(ChatColor.BLUE + victim.getName() + ChatColor.GRAY + " is already banned for " + reason);
return true;
}
String victimip = plugin.db.getAddress(victim.getName().toLowerCase());
plugin.bannedPlayers.add(victim.getName().toLowerCase());
if(victimip != null){
plugin.bannedIPs.add(victimip);
Bukkit.banIP(victimip);
}else{
sender.sendMessage(ChatColor.GRAY + "IP address not found by Ultrabans for " + victim.getName());
sender.sendMessage(ChatColor.GRAY + "Processed as a normal ban for " + victim.getName());
plugin.db.addPlayer(victim.getName(), reason, admin, 0, 0);
log.log(Level.INFO, "[UltraBan] " + admin + " banned player " + victim.getName() + ".");
String banMsgVictim = config.getString("messages.banMsgVictim", "You have been banned by %admin%. Reason: %reason%");
banMsgVictim = banMsgVictim.replaceAll("%admin%", admin);
banMsgVictim = banMsgVictim.replaceAll("%reason%", reason);
victim.kickPlayer(formatMessage(banMsgVictim));
return true;
}
plugin.db.addPlayer(victim.getName(), reason, admin, 0, 1);
log.log(Level.INFO, "[UltraBan] " + admin + " banned player " + victim.getName() + ".");
String banMsgVictim = config.getString("messages.banMsgVictim", "You have been banned by %admin%. Reason: %reason%");
banMsgVictim = banMsgVictim.replaceAll("%admin%", admin);
banMsgVictim = banMsgVictim.replaceAll("%reason%", reason);
victim.kickPlayer(formatMessage(banMsgVictim));
if(broadcast){
String banMsgBroadcast = config.getString("messages.banMsgBroadcast", "%victim% was banned by %admin%. Reason: %reason%");
banMsgBroadcast = banMsgBroadcast.replaceAll("%admin%", admin);
banMsgBroadcast = banMsgBroadcast.replaceAll("%reason%", reason);
banMsgBroadcast = banMsgBroadcast.replaceAll("%victim%", victim.getName());
plugin.getServer().broadcastMessage(formatMessage(banMsgBroadcast));
}else{
String banMsgBroadcast = config.getString("messages.banMsgBroadcast", "%victim% was banned by %admin%. Reason: %reason%");
banMsgBroadcast = banMsgBroadcast.replaceAll("%admin%", admin);
banMsgBroadcast = banMsgBroadcast.replaceAll("%reason%", reason);
banMsgBroadcast = banMsgBroadcast.replaceAll("%victim%", victim.getName());
sender.sendMessage(formatMessage(":S:" + banMsgBroadcast));
}
return true;
}
| public boolean onCommand(CommandSender sender, Command command, String commandLabel, String[] args) {
YamlConfiguration config = (YamlConfiguration) plugin.getConfig();
boolean auth = false;
boolean anon = false;
Player player = null;
String admin = config.getString("defAdminName", "server");
String reason = config.getString("defReason", "not sure");
if (sender instanceof Player){
player = (Player)sender;
if (plugin.setupPermissions()){
if (plugin.permission.has(player, "ultraban.ipban")) auth = true;
}else{
if (player.isOp()) auth = true; //defaulting to Op if no vault doesn't take or node
}
admin = player.getName();
}else{
auth = true; //if sender is not a player - Console
}
if (!auth){
sender.sendMessage(ChatColor.RED + "You do not have the required permissions.");
return true;
}
if (args.length < 1) return false;
String p = args[0];
//Pulls for Resembling a true ip.
if(validIP(p)){
plugin.bannedIPs.add(p);
String pname = plugin.db.getName(p);
if (pname != null){
plugin.db.addPlayer(pname, reason, admin, 0, 1);
}else{
plugin.db.setAddress("failedname", p);
plugin.db.addPlayer("failedname", reason, admin, 0, 1);
}
String banMsgBroadcast = config.getString("messages.banMsgBroadcast", "%victim% was banned by %admin%. Reason: %reason%");
banMsgBroadcast = banMsgBroadcast.replaceAll("%admin%", admin);
banMsgBroadcast = banMsgBroadcast.replaceAll("%reason%", reason);
banMsgBroadcast = banMsgBroadcast.replaceAll("%victim%", p);
plugin.getServer().broadcastMessage(formatMessage(banMsgBroadcast));
return true;
}
/*
if(p.contains("*")){
plugin.ipscope.combine(p);
//really bad idea. 255 to 65025 entries!!!
}
*/
boolean broadcast = true;
// Silent for Reason Combining
if(args.length > 1){
if(args[1].equalsIgnoreCase("-s")){
broadcast = false;
reason = combineSplit(2, args, " ");
}else{
if(args[1].equalsIgnoreCase("-a")){
anon = true;
reason = combineSplit(2, args, " ");
}else{
reason = combineSplit(1, args, " ");
}
}
}
if (anon){
admin = config.getString("defAdminName", "server");
}
if(autoComplete)
p = expandName(p);
Player victim = plugin.getServer().getPlayer(p);
// Strict Offline IP bans - Independent after Online Check
if(victim == null){
victim = Bukkit.getOfflinePlayer(p).getPlayer();
if(plugin.bannedPlayers.contains(p.toLowerCase())){
sender.sendMessage(ChatColor.BLUE + p + ChatColor.GRAY + " is already banned for " + reason);
return true;
}
String offlineip = plugin.db.getAddress(victim.getName().toLowerCase());
plugin.bannedPlayers.add(victim.getName().toLowerCase());
if(offlineip != null){
plugin.bannedIPs.add(offlineip);
Bukkit.banIP(offlineip);
}else{
sender.sendMessage(ChatColor.GRAY + "IP address not found by Ultrabans for " + p);
sender.sendMessage(ChatColor.GRAY + "Processed as a normal ban for " + p);
plugin.db.addPlayer(victim.getName(), reason, admin, 0, 0);
log.log(Level.INFO, "[UltraBan] " + admin + " banned player " + p + ".");
return true;
}
plugin.db.addPlayer(victim.getName(), reason, admin, 0, 1);
log.log(Level.INFO, "[UltraBan] " + admin + " banned player " + p + ".");
if(broadcast){
String banMsgBroadcast = config.getString("messages.banMsgBroadcast", "%victim% was banned by %admin%. Reason: %reason%");
banMsgBroadcast = banMsgBroadcast.replaceAll("%admin%", admin);
banMsgBroadcast = banMsgBroadcast.replaceAll("%reason%", reason);
banMsgBroadcast = banMsgBroadcast.replaceAll("%victim%", p);
plugin.getServer().broadcastMessage(formatMessage(banMsgBroadcast));
}else{
String banMsgBroadcast = config.getString("messages.banMsgBroadcast", "%victim% was banned by %admin%. Reason: %reason%");
banMsgBroadcast = banMsgBroadcast.replaceAll("%admin%", admin);
banMsgBroadcast = banMsgBroadcast.replaceAll("%reason%", reason);
banMsgBroadcast = banMsgBroadcast.replaceAll("%victim%", p);
sender.sendMessage(formatMessage(":S:" + banMsgBroadcast));
}
return true;
}
//End of Offline
//Running Online
if(plugin.bannedPlayers.contains(victim.getName().toLowerCase())){
sender.sendMessage(ChatColor.BLUE + victim.getName() + ChatColor.GRAY + " is already banned for " + reason);
return true;
}
String victimip = plugin.db.getAddress(victim.getName().toLowerCase());
plugin.bannedPlayers.add(victim.getName().toLowerCase());
if(victimip != null){
plugin.bannedIPs.add(victimip);
Bukkit.banIP(victimip);
}else{
sender.sendMessage(ChatColor.GRAY + "IP address not found by Ultrabans for " + victim.getName());
sender.sendMessage(ChatColor.GRAY + "Processed as a normal ban for " + victim.getName());
plugin.db.addPlayer(victim.getName(), reason, admin, 0, 0);
log.log(Level.INFO, "[UltraBan] " + admin + " banned player " + victim.getName() + ".");
String banMsgVictim = config.getString("messages.banMsgVictim", "You have been banned by %admin%. Reason: %reason%");
banMsgVictim = banMsgVictim.replaceAll("%admin%", admin);
banMsgVictim = banMsgVictim.replaceAll("%reason%", reason);
victim.kickPlayer(formatMessage(banMsgVictim));
return true;
}
plugin.db.addPlayer(victim.getName(), reason, admin, 0, 1);
log.log(Level.INFO, "[UltraBan] " + admin + " banned player " + victim.getName() + ".");
String banMsgVictim = config.getString("messages.banMsgVictim", "You have been banned by %admin%. Reason: %reason%");
banMsgVictim = banMsgVictim.replaceAll("%admin%", admin);
banMsgVictim = banMsgVictim.replaceAll("%reason%", reason);
victim.kickPlayer(formatMessage(banMsgVictim));
if(broadcast){
String banMsgBroadcast = config.getString("messages.banMsgBroadcast", "%victim% was banned by %admin%. Reason: %reason%");
banMsgBroadcast = banMsgBroadcast.replaceAll("%admin%", admin);
banMsgBroadcast = banMsgBroadcast.replaceAll("%reason%", reason);
banMsgBroadcast = banMsgBroadcast.replaceAll("%victim%", victim.getName());
plugin.getServer().broadcastMessage(formatMessage(banMsgBroadcast));
}else{
String banMsgBroadcast = config.getString("messages.banMsgBroadcast", "%victim% was banned by %admin%. Reason: %reason%");
banMsgBroadcast = banMsgBroadcast.replaceAll("%admin%", admin);
banMsgBroadcast = banMsgBroadcast.replaceAll("%reason%", reason);
banMsgBroadcast = banMsgBroadcast.replaceAll("%victim%", victim.getName());
sender.sendMessage(formatMessage(":S:" + banMsgBroadcast));
}
return true;
}
|
diff --git a/src/TuioSimulator.java b/src/TuioSimulator.java
index dd14590..fe7c7ef 100644
--- a/src/TuioSimulator.java
+++ b/src/TuioSimulator.java
@@ -1,126 +1,127 @@
/*
TUIO Simulator - part of the reacTIVision project
http://reactivision.sourceforge.net/
Copyright (c) 2005-2009 Martin Kaltenbrunner <[email protected]>
This program is free software; you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation; either version 2 of the License, or
(at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program; if not, write to the Free Software
Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
*/
import java.awt.Dimension;
import java.awt.Toolkit;
import java.awt.Window;
import java.awt.event.ComponentAdapter;
import java.awt.event.ComponentEvent;
import java.awt.event.WindowAdapter;
import java.awt.event.WindowEvent;
import java.lang.reflect.InvocationTargetException;
import java.lang.reflect.Method;
import javax.swing.JFrame;
public class TuioSimulator {
public static int width = 800;
public static int height = 600;
public static void main(String[] argv) {
String host = "127.0.0.1";
int port = 3333;
String config=null;
for (int i=0;i<argv.length;i++) {
if (argv[i].equalsIgnoreCase("-host")) {
try { host = argv[i+1]; } catch (Exception e) {}
i++;
} else if (argv[i].equalsIgnoreCase("-port")) {
try { port = Integer.parseInt(argv[i+1]); } catch (Exception e) {}
i++;
} else if (argv[i].equalsIgnoreCase("-config")) {
try { config = argv[i+1]; } catch (Exception e) {}
i++;
} else {
System.out.println("TuioSimulator options:");
System.out.println("\t-host\ttarget IP");
System.out.println("\t-port\ttarget port");
System.out.println("\t-config\tconfig file");
System.exit(0);
}
}
System.out.println("sending TUIO messages to "+host+":"+port);
JFrame app = new JFrame();
app.setTitle("reacTIVision TUIO Simulator");
try {
Class<?> awtUtilitiesClass = Class.forName("com.sun.awt.AWTUtilities");
Method mSetWindowOpacity = awtUtilitiesClass.getMethod("setWindowOpacity", Window.class, float.class);
mSetWindowOpacity.invoke(null, app, Float.valueOf(0.50f));
} catch (NoSuchMethodException ex) {
ex.printStackTrace();
} catch (SecurityException ex) {
ex.printStackTrace();
} catch (ClassNotFoundException ex) {
ex.printStackTrace();
} catch (IllegalAccessException ex) {
ex.printStackTrace();
} catch (IllegalArgumentException ex) {
ex.printStackTrace();
} catch (InvocationTargetException ex) {
ex.printStackTrace();
}
final Manager manager = new Manager(app,config);
final Simulation simulation = new Simulation(manager,host,port);
//Thread simulationThread = new Thread(simulation);
//simulationThread.start();
app.getContentPane().add(simulation);
app.addWindowListener( new WindowAdapter() {
public void windowClosing(WindowEvent evt) {
simulation.reset();
System.exit(0);
}
});
app.addComponentListener(new ComponentAdapter() {
public void componentResized(ComponentEvent e) {
}
});
//app.pack();
//app.setSize(width, height);
// FULLSCREEN!
- Dimension screenSize = Toolkit.getDefaultToolkit().getScreenSize();
+ Dimension screenSize = Toolkit.getDefaultToolkit().getScreenSize();
app.setSize(screenSize);
app.setResizable(false);
app.setUndecorated(true);
+ app.setLocation(0, 0);
app.setVisible(true);
}
}
| false | true | public static void main(String[] argv) {
String host = "127.0.0.1";
int port = 3333;
String config=null;
for (int i=0;i<argv.length;i++) {
if (argv[i].equalsIgnoreCase("-host")) {
try { host = argv[i+1]; } catch (Exception e) {}
i++;
} else if (argv[i].equalsIgnoreCase("-port")) {
try { port = Integer.parseInt(argv[i+1]); } catch (Exception e) {}
i++;
} else if (argv[i].equalsIgnoreCase("-config")) {
try { config = argv[i+1]; } catch (Exception e) {}
i++;
} else {
System.out.println("TuioSimulator options:");
System.out.println("\t-host\ttarget IP");
System.out.println("\t-port\ttarget port");
System.out.println("\t-config\tconfig file");
System.exit(0);
}
}
System.out.println("sending TUIO messages to "+host+":"+port);
JFrame app = new JFrame();
app.setTitle("reacTIVision TUIO Simulator");
try {
Class<?> awtUtilitiesClass = Class.forName("com.sun.awt.AWTUtilities");
Method mSetWindowOpacity = awtUtilitiesClass.getMethod("setWindowOpacity", Window.class, float.class);
mSetWindowOpacity.invoke(null, app, Float.valueOf(0.50f));
} catch (NoSuchMethodException ex) {
ex.printStackTrace();
} catch (SecurityException ex) {
ex.printStackTrace();
} catch (ClassNotFoundException ex) {
ex.printStackTrace();
} catch (IllegalAccessException ex) {
ex.printStackTrace();
} catch (IllegalArgumentException ex) {
ex.printStackTrace();
} catch (InvocationTargetException ex) {
ex.printStackTrace();
}
final Manager manager = new Manager(app,config);
final Simulation simulation = new Simulation(manager,host,port);
//Thread simulationThread = new Thread(simulation);
//simulationThread.start();
app.getContentPane().add(simulation);
app.addWindowListener( new WindowAdapter() {
public void windowClosing(WindowEvent evt) {
simulation.reset();
System.exit(0);
}
});
app.addComponentListener(new ComponentAdapter() {
public void componentResized(ComponentEvent e) {
}
});
//app.pack();
//app.setSize(width, height);
// FULLSCREEN!
Dimension screenSize = Toolkit.getDefaultToolkit().getScreenSize();
app.setSize(screenSize);
app.setResizable(false);
app.setUndecorated(true);
app.setVisible(true);
}
| public static void main(String[] argv) {
String host = "127.0.0.1";
int port = 3333;
String config=null;
for (int i=0;i<argv.length;i++) {
if (argv[i].equalsIgnoreCase("-host")) {
try { host = argv[i+1]; } catch (Exception e) {}
i++;
} else if (argv[i].equalsIgnoreCase("-port")) {
try { port = Integer.parseInt(argv[i+1]); } catch (Exception e) {}
i++;
} else if (argv[i].equalsIgnoreCase("-config")) {
try { config = argv[i+1]; } catch (Exception e) {}
i++;
} else {
System.out.println("TuioSimulator options:");
System.out.println("\t-host\ttarget IP");
System.out.println("\t-port\ttarget port");
System.out.println("\t-config\tconfig file");
System.exit(0);
}
}
System.out.println("sending TUIO messages to "+host+":"+port);
JFrame app = new JFrame();
app.setTitle("reacTIVision TUIO Simulator");
try {
Class<?> awtUtilitiesClass = Class.forName("com.sun.awt.AWTUtilities");
Method mSetWindowOpacity = awtUtilitiesClass.getMethod("setWindowOpacity", Window.class, float.class);
mSetWindowOpacity.invoke(null, app, Float.valueOf(0.50f));
} catch (NoSuchMethodException ex) {
ex.printStackTrace();
} catch (SecurityException ex) {
ex.printStackTrace();
} catch (ClassNotFoundException ex) {
ex.printStackTrace();
} catch (IllegalAccessException ex) {
ex.printStackTrace();
} catch (IllegalArgumentException ex) {
ex.printStackTrace();
} catch (InvocationTargetException ex) {
ex.printStackTrace();
}
final Manager manager = new Manager(app,config);
final Simulation simulation = new Simulation(manager,host,port);
//Thread simulationThread = new Thread(simulation);
//simulationThread.start();
app.getContentPane().add(simulation);
app.addWindowListener( new WindowAdapter() {
public void windowClosing(WindowEvent evt) {
simulation.reset();
System.exit(0);
}
});
app.addComponentListener(new ComponentAdapter() {
public void componentResized(ComponentEvent e) {
}
});
//app.pack();
//app.setSize(width, height);
// FULLSCREEN!
Dimension screenSize = Toolkit.getDefaultToolkit().getScreenSize();
app.setSize(screenSize);
app.setResizable(false);
app.setUndecorated(true);
app.setLocation(0, 0);
app.setVisible(true);
}
|
diff --git a/experimental/src/main/java/com/proofpoint/experimental/http/client/HttpServiceSelector.java b/experimental/src/main/java/com/proofpoint/experimental/http/client/HttpServiceSelector.java
index 4b9ffb2f1..aa54af778 100644
--- a/experimental/src/main/java/com/proofpoint/experimental/http/client/HttpServiceSelector.java
+++ b/experimental/src/main/java/com/proofpoint/experimental/http/client/HttpServiceSelector.java
@@ -1,51 +1,51 @@
package com.proofpoint.experimental.http.client;
import com.google.common.base.Preconditions;
import com.google.common.collect.Lists;
import com.proofpoint.experimental.discovery.client.ServiceDescriptor;
import com.proofpoint.experimental.discovery.client.ServiceSelector;
import java.net.URI;
import java.net.URISyntaxException;
import java.util.Collections;
import java.util.List;
import static java.lang.String.format;
public class HttpServiceSelector
{
private final ServiceSelector serviceSelector;
public HttpServiceSelector(ServiceSelector serviceSelector)
{
Preconditions.checkNotNull(serviceSelector, "serviceSelector is null");
this.serviceSelector = serviceSelector;
}
public URI selectHttpService()
{
List<ServiceDescriptor> serviceDescriptors = Lists.newArrayList(serviceSelector.selectAllServices());
Collections.shuffle(serviceDescriptors);
for (ServiceDescriptor serviceDescriptor : serviceDescriptors) {
// favor https over http
String https = serviceDescriptor.getProperties().get("https");
if (https != null) {
try {
return new URI(https);
}
catch (URISyntaxException ignored) {
}
}
- String http = serviceDescriptor.getProperties().get("https");
+ String http = serviceDescriptor.getProperties().get("http");
if (http != null) {
try {
return new URI(http);
}
catch (URISyntaxException ignored) {
}
}
}
throw new IllegalStateException(format("No %s services from pool %s available", serviceSelector.getType(), serviceSelector.getPool()));
}
}
| true | true | public URI selectHttpService()
{
List<ServiceDescriptor> serviceDescriptors = Lists.newArrayList(serviceSelector.selectAllServices());
Collections.shuffle(serviceDescriptors);
for (ServiceDescriptor serviceDescriptor : serviceDescriptors) {
// favor https over http
String https = serviceDescriptor.getProperties().get("https");
if (https != null) {
try {
return new URI(https);
}
catch (URISyntaxException ignored) {
}
}
String http = serviceDescriptor.getProperties().get("https");
if (http != null) {
try {
return new URI(http);
}
catch (URISyntaxException ignored) {
}
}
}
throw new IllegalStateException(format("No %s services from pool %s available", serviceSelector.getType(), serviceSelector.getPool()));
}
| public URI selectHttpService()
{
List<ServiceDescriptor> serviceDescriptors = Lists.newArrayList(serviceSelector.selectAllServices());
Collections.shuffle(serviceDescriptors);
for (ServiceDescriptor serviceDescriptor : serviceDescriptors) {
// favor https over http
String https = serviceDescriptor.getProperties().get("https");
if (https != null) {
try {
return new URI(https);
}
catch (URISyntaxException ignored) {
}
}
String http = serviceDescriptor.getProperties().get("http");
if (http != null) {
try {
return new URI(http);
}
catch (URISyntaxException ignored) {
}
}
}
throw new IllegalStateException(format("No %s services from pool %s available", serviceSelector.getType(), serviceSelector.getPool()));
}
|
diff --git a/issues/jira/src/main/java/uk/org/sappho/code/change/management/issues/Jira.java b/issues/jira/src/main/java/uk/org/sappho/code/change/management/issues/Jira.java
index f388c2d..2225ced 100644
--- a/issues/jira/src/main/java/uk/org/sappho/code/change/management/issues/Jira.java
+++ b/issues/jira/src/main/java/uk/org/sappho/code/change/management/issues/Jira.java
@@ -1,177 +1,180 @@
package uk.org.sappho.code.change.management.issues;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Vector;
import org.apache.log4j.Logger;
import com.atlassian.jira.rpc.soap.client.RemoteIssue;
import com.atlassian.jira.rpc.soap.client.RemoteVersion;
import com.google.inject.Inject;
import com.google.inject.Singleton;
import uk.org.sappho.code.change.management.data.IssueData;
import uk.org.sappho.configuration.Configuration;
import uk.org.sappho.configuration.ConfigurationException;
import uk.org.sappho.jira4j.soap.GetParentService;
import uk.org.sappho.jira4j.soap.JiraSoapService;
import uk.org.sappho.warnings.WarningsList;
@Singleton
public class Jira implements IssueManagement {
private String jiraURL = null;
private JiraSoapService jiraSoapService = null;
private GetParentService getParentService = null;
private final Map<String, RemoteIssue> mappedRemoteIssues = new HashMap<String, RemoteIssue>();
private final Map<String, IssueData> parentIssues = new HashMap<String, IssueData>();
private final Map<String, String> subTaskParents = new HashMap<String, String>();
private final Map<String, String> warnedSubTasks = new HashMap<String, String>();
private final Map<String, String> releases = new HashMap<String, String>();
private final Map<String, String> issueTypes = new HashMap<String, String>();
private final WarningsList warnings;
private final Configuration config;
private static final Logger LOG = Logger.getLogger(Jira.class);
private static final String NO_RELEASE = "missing";
@Inject
public Jira(WarningsList warnings, Configuration config) throws IssueManagementException {
LOG.info("Using Jira issue management plugin");
this.warnings = warnings;
this.config = config;
connect();
}
private void connect() throws IssueManagementException {
jiraURL = config.getProperty("jira.url", "http://example.com");
String username = config.getProperty("jira.username", "nobody");
String password = config.getProperty("jira.password", "nopassword");
LOG.info("Connecting to " + jiraURL + " as " + username);
try {
jiraSoapService = new JiraSoapService(jiraURL, username, password);
} catch (Throwable t) {
throw new IssueManagementException("Unable to log in to Jira at " + jiraURL + " as user " + username, t);
}
try {
getParentService = new GetParentService(jiraURL, username, password);
LOG.info("Using optional GetParent SOAP web service");
} catch (Throwable t) {
LOG.info("GetParent SOAP web service is not installed or authentication failed");
getParentService = null;
preFetchIssues();
}
}
private void preFetchIssues() throws IssueManagementException {
try {
String jql = config.getProperty("jira.jql.issues.allowed");
int jqlMax = Integer.parseInt(config.getProperty("jira.jql.issues.allowed.max", "1000"));
LOG.info("Running JQL query (max. " + jqlMax + " issues): " + jql);
RemoteIssue[] remoteIssues = jiraSoapService.getService().getIssuesFromJqlSearch(
jiraSoapService.getToken(), jql, jqlMax);
LOG.info("Processing " + remoteIssues.length + " issues returned by JQL query");
for (RemoteIssue remoteIssue : remoteIssues) {
String issueKey = remoteIssue.getKey();
mappedRemoteIssues.put(issueKey, remoteIssue);
RemoteIssue[] remoteSubTasks = jiraSoapService.getService().getIssuesFromJqlSearch(
jiraSoapService.getToken(), "parent = " + issueKey, 500);
for (RemoteIssue remoteSubTask : remoteSubTasks) {
String subTaskKey = remoteSubTask.getKey();
if (mappedRemoteIssues.get(subTaskKey) == null) {
mappedRemoteIssues.put(subTaskKey, remoteSubTask);
}
subTaskParents.put(subTaskKey, issueKey);
}
}
LOG.info("Processed " + mappedRemoteIssues.size()
+ " issues - added subtasks might have inflated this figure");
} catch (Throwable t) {
throw new IssueManagementException("Unable to pre-fetch issues", t);
}
}
public IssueData getIssueData(String issueKey) {
String subTaskKey = null;
if (parentIssues.get(issueKey) == null) {
- String parentKey = null;
- if (getParentService != null) {
- try {
- parentKey = getParentService.getParent(issueKey);
- } catch (Exception e) {
- warnings.add(new JiraParentIssueFetchWarning(jiraURL, issueKey));
+ String parentKey = subTaskParents.get(issueKey);
+ if (parentKey == null) {
+ if (getParentService != null) {
+ try {
+ parentKey = getParentService.getParent(issueKey);
+ if (parentKey != null) {
+ subTaskParents.put(issueKey, parentKey);
+ }
+ } catch (Exception e) {
+ warnings.add(new JiraParentIssueFetchWarning(jiraURL, issueKey));
+ }
}
- } else {
- parentKey = subTaskParents.get(issueKey);
}
if (parentKey != null) {
if (warnedSubTasks.get(issueKey) == null) {
warnings.add(new JiraSubTaskMappingWarning(jiraURL, issueKey, parentKey));
warnedSubTasks.put(issueKey, issueKey);
}
subTaskKey = issueKey;
issueKey = parentKey;
}
}
IssueData issueData = parentIssues.get(issueKey);
if (issueData == null) {
RemoteIssue remoteIssue = mappedRemoteIssues.get(issueKey);
if (remoteIssue == null) {
try {
remoteIssue = jiraSoapService.getService().getIssue(jiraSoapService.getToken(), issueKey);
mappedRemoteIssues.put(issueKey, remoteIssue);
} catch (Exception e) {
warnings.add(new JiraIssueNotFoundWarning(jiraURL, issueKey));
}
}
if (remoteIssue != null) {
List<String> issueReleases = new Vector<String>();
Map<String, String> issueReleaseMap = new HashMap<String, String>();
RemoteVersion[] fixVersions = remoteIssue.getFixVersions();
if (fixVersions.length == 0) {
issueReleaseMap.put(NO_RELEASE, NO_RELEASE);
} else {
for (RemoteVersion remoteVersion : fixVersions) {
String remoteVersionName = remoteVersion.getName();
String release = releases.get(remoteVersionName);
if (release == null) {
try {
release = config.getProperty("jira.version.map.release." + remoteVersionName);
} catch (ConfigurationException e) {
release = "unknown";
}
warnings.add(new JiraVersionMappingWarning(jiraURL, issueKey, remoteVersionName,
release));
releases.put(remoteVersionName, release);
}
issueReleaseMap.put(release, release);
}
}
for (String release : issueReleaseMap.keySet()) {
issueReleases.add(release);
}
if (issueReleases.size() > 1) {
warnings.add(new JiraIssueWithMultipleReleasesWarning(jiraURL, issueKey, issueReleases));
}
String typeId = remoteIssue.getType();
String typeName = issueTypes.get(typeId);
if (typeName == null) {
typeName = config.getProperty("jira.type.map.id." + typeId, "housekeeping");
warnings.add(new JiraIssueTypeMappingWarning(jiraURL, issueKey, typeId, typeName));
issueTypes.put(typeId, typeName);
}
issueData = new IssueData(issueKey, typeName, remoteIssue.getSummary(), null);
parentIssues.put(issueKey, issueData);
}
}
if (issueData != null && subTaskKey != null) {
issueData.putSubTaskKey(subTaskKey);
}
return issueData;
}
}
| false | true | public IssueData getIssueData(String issueKey) {
String subTaskKey = null;
if (parentIssues.get(issueKey) == null) {
String parentKey = null;
if (getParentService != null) {
try {
parentKey = getParentService.getParent(issueKey);
} catch (Exception e) {
warnings.add(new JiraParentIssueFetchWarning(jiraURL, issueKey));
}
} else {
parentKey = subTaskParents.get(issueKey);
}
if (parentKey != null) {
if (warnedSubTasks.get(issueKey) == null) {
warnings.add(new JiraSubTaskMappingWarning(jiraURL, issueKey, parentKey));
warnedSubTasks.put(issueKey, issueKey);
}
subTaskKey = issueKey;
issueKey = parentKey;
}
}
IssueData issueData = parentIssues.get(issueKey);
if (issueData == null) {
RemoteIssue remoteIssue = mappedRemoteIssues.get(issueKey);
if (remoteIssue == null) {
try {
remoteIssue = jiraSoapService.getService().getIssue(jiraSoapService.getToken(), issueKey);
mappedRemoteIssues.put(issueKey, remoteIssue);
} catch (Exception e) {
warnings.add(new JiraIssueNotFoundWarning(jiraURL, issueKey));
}
}
if (remoteIssue != null) {
List<String> issueReleases = new Vector<String>();
Map<String, String> issueReleaseMap = new HashMap<String, String>();
RemoteVersion[] fixVersions = remoteIssue.getFixVersions();
if (fixVersions.length == 0) {
issueReleaseMap.put(NO_RELEASE, NO_RELEASE);
} else {
for (RemoteVersion remoteVersion : fixVersions) {
String remoteVersionName = remoteVersion.getName();
String release = releases.get(remoteVersionName);
if (release == null) {
try {
release = config.getProperty("jira.version.map.release." + remoteVersionName);
} catch (ConfigurationException e) {
release = "unknown";
}
warnings.add(new JiraVersionMappingWarning(jiraURL, issueKey, remoteVersionName,
release));
releases.put(remoteVersionName, release);
}
issueReleaseMap.put(release, release);
}
}
for (String release : issueReleaseMap.keySet()) {
issueReleases.add(release);
}
if (issueReleases.size() > 1) {
warnings.add(new JiraIssueWithMultipleReleasesWarning(jiraURL, issueKey, issueReleases));
}
String typeId = remoteIssue.getType();
String typeName = issueTypes.get(typeId);
if (typeName == null) {
typeName = config.getProperty("jira.type.map.id." + typeId, "housekeeping");
warnings.add(new JiraIssueTypeMappingWarning(jiraURL, issueKey, typeId, typeName));
issueTypes.put(typeId, typeName);
}
issueData = new IssueData(issueKey, typeName, remoteIssue.getSummary(), null);
parentIssues.put(issueKey, issueData);
}
}
if (issueData != null && subTaskKey != null) {
issueData.putSubTaskKey(subTaskKey);
}
return issueData;
}
| public IssueData getIssueData(String issueKey) {
String subTaskKey = null;
if (parentIssues.get(issueKey) == null) {
String parentKey = subTaskParents.get(issueKey);
if (parentKey == null) {
if (getParentService != null) {
try {
parentKey = getParentService.getParent(issueKey);
if (parentKey != null) {
subTaskParents.put(issueKey, parentKey);
}
} catch (Exception e) {
warnings.add(new JiraParentIssueFetchWarning(jiraURL, issueKey));
}
}
}
if (parentKey != null) {
if (warnedSubTasks.get(issueKey) == null) {
warnings.add(new JiraSubTaskMappingWarning(jiraURL, issueKey, parentKey));
warnedSubTasks.put(issueKey, issueKey);
}
subTaskKey = issueKey;
issueKey = parentKey;
}
}
IssueData issueData = parentIssues.get(issueKey);
if (issueData == null) {
RemoteIssue remoteIssue = mappedRemoteIssues.get(issueKey);
if (remoteIssue == null) {
try {
remoteIssue = jiraSoapService.getService().getIssue(jiraSoapService.getToken(), issueKey);
mappedRemoteIssues.put(issueKey, remoteIssue);
} catch (Exception e) {
warnings.add(new JiraIssueNotFoundWarning(jiraURL, issueKey));
}
}
if (remoteIssue != null) {
List<String> issueReleases = new Vector<String>();
Map<String, String> issueReleaseMap = new HashMap<String, String>();
RemoteVersion[] fixVersions = remoteIssue.getFixVersions();
if (fixVersions.length == 0) {
issueReleaseMap.put(NO_RELEASE, NO_RELEASE);
} else {
for (RemoteVersion remoteVersion : fixVersions) {
String remoteVersionName = remoteVersion.getName();
String release = releases.get(remoteVersionName);
if (release == null) {
try {
release = config.getProperty("jira.version.map.release." + remoteVersionName);
} catch (ConfigurationException e) {
release = "unknown";
}
warnings.add(new JiraVersionMappingWarning(jiraURL, issueKey, remoteVersionName,
release));
releases.put(remoteVersionName, release);
}
issueReleaseMap.put(release, release);
}
}
for (String release : issueReleaseMap.keySet()) {
issueReleases.add(release);
}
if (issueReleases.size() > 1) {
warnings.add(new JiraIssueWithMultipleReleasesWarning(jiraURL, issueKey, issueReleases));
}
String typeId = remoteIssue.getType();
String typeName = issueTypes.get(typeId);
if (typeName == null) {
typeName = config.getProperty("jira.type.map.id." + typeId, "housekeeping");
warnings.add(new JiraIssueTypeMappingWarning(jiraURL, issueKey, typeId, typeName));
issueTypes.put(typeId, typeName);
}
issueData = new IssueData(issueKey, typeName, remoteIssue.getSummary(), null);
parentIssues.put(issueKey, issueData);
}
}
if (issueData != null && subTaskKey != null) {
issueData.putSubTaskKey(subTaskKey);
}
return issueData;
}
|
diff --git a/src/com/android/calendar/AlertAdapter.java b/src/com/android/calendar/AlertAdapter.java
index d9fac2de..03a2151b 100644
--- a/src/com/android/calendar/AlertAdapter.java
+++ b/src/com/android/calendar/AlertAdapter.java
@@ -1,108 +1,108 @@
/*
* Copyright (C) 2008 The Android Open Source Project
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.android.calendar;
import android.content.Context;
import android.content.res.Resources;
import android.database.Cursor;
import android.text.format.DateFormat;
import android.text.format.DateUtils;
import android.view.View;
import android.widget.ResourceCursorAdapter;
import android.widget.TextView;
public class AlertAdapter extends ResourceCursorAdapter {
public AlertAdapter(Context context, int resource) {
super(context, resource, null);
}
@Override
public void bindView(View view, Context context, Cursor cursor) {
TextView textView;
View stripe = view.findViewById(R.id.vertical_stripe);
int color = cursor.getInt(AlertActivity.INDEX_COLOR);
stripe.setBackgroundColor(color);
textView = (TextView) view.findViewById(R.id.event_title);
textView.setTextColor(color);
// Repeating info
View repeatContainer = view.findViewById(R.id.repeat_icon);
String rrule = cursor.getString(AlertActivity.INDEX_RRULE);
if (rrule != null) {
repeatContainer.setVisibility(View.VISIBLE);
} else {
repeatContainer.setVisibility(View.GONE);
}
/*
// Reminder
boolean hasAlarm = cursor.getInt(AlertActivity.INDEX_HAS_ALARM) != 0;
if (hasAlarm) {
AgendaAdapter.updateReminder(view, context, cursor.getLong(AlertActivity.INDEX_BEGIN),
cursor.getLong(AlertActivity.INDEX_EVENT_ID));
}
*/
String eventName = cursor.getString(AlertActivity.INDEX_TITLE);
String location = cursor.getString(AlertActivity.INDEX_EVENT_LOCATION);
long startMillis = cursor.getLong(AlertActivity.INDEX_BEGIN);
long endMillis = cursor.getLong(AlertActivity.INDEX_END);
boolean allDay = cursor.getInt(AlertActivity.INDEX_ALL_DAY) != 0;
updateView(context, view, eventName, location, startMillis, endMillis, allDay);
}
public static void updateView(Context context, View view, String eventName, String location,
long startMillis, long endMillis, boolean allDay) {
Resources res = context.getResources();
TextView textView;
// What
if (eventName == null || eventName.length() == 0) {
eventName = res.getString(R.string.no_title_label);
}
textView = (TextView) view.findViewById(R.id.event_title);
textView.setText(eventName);
// When
String when;
int flags;
if (allDay) {
flags = DateUtils.FORMAT_UTC | DateUtils.FORMAT_SHOW_WEEKDAY |
DateUtils.FORMAT_SHOW_DATE;
} else {
flags = DateUtils.FORMAT_SHOW_TIME | DateUtils.FORMAT_SHOW_DATE;
}
if (DateFormat.is24HourFormat(context)) {
flags |= DateUtils.FORMAT_24HOUR;
}
- when = DateUtils.formatDateRange(context, startMillis, endMillis, flags);
+ when = Utils.formatDateRange(context, startMillis, endMillis, flags);
textView = (TextView) view.findViewById(R.id.when);
textView.setText(when);
// Where
textView = (TextView) view.findViewById(R.id.where);
if (location == null || location.length() == 0) {
textView.setVisibility(View.GONE);
} else {
textView.setText(location);
}
}
}
| true | true | public static void updateView(Context context, View view, String eventName, String location,
long startMillis, long endMillis, boolean allDay) {
Resources res = context.getResources();
TextView textView;
// What
if (eventName == null || eventName.length() == 0) {
eventName = res.getString(R.string.no_title_label);
}
textView = (TextView) view.findViewById(R.id.event_title);
textView.setText(eventName);
// When
String when;
int flags;
if (allDay) {
flags = DateUtils.FORMAT_UTC | DateUtils.FORMAT_SHOW_WEEKDAY |
DateUtils.FORMAT_SHOW_DATE;
} else {
flags = DateUtils.FORMAT_SHOW_TIME | DateUtils.FORMAT_SHOW_DATE;
}
if (DateFormat.is24HourFormat(context)) {
flags |= DateUtils.FORMAT_24HOUR;
}
when = DateUtils.formatDateRange(context, startMillis, endMillis, flags);
textView = (TextView) view.findViewById(R.id.when);
textView.setText(when);
// Where
textView = (TextView) view.findViewById(R.id.where);
if (location == null || location.length() == 0) {
textView.setVisibility(View.GONE);
} else {
textView.setText(location);
}
}
| public static void updateView(Context context, View view, String eventName, String location,
long startMillis, long endMillis, boolean allDay) {
Resources res = context.getResources();
TextView textView;
// What
if (eventName == null || eventName.length() == 0) {
eventName = res.getString(R.string.no_title_label);
}
textView = (TextView) view.findViewById(R.id.event_title);
textView.setText(eventName);
// When
String when;
int flags;
if (allDay) {
flags = DateUtils.FORMAT_UTC | DateUtils.FORMAT_SHOW_WEEKDAY |
DateUtils.FORMAT_SHOW_DATE;
} else {
flags = DateUtils.FORMAT_SHOW_TIME | DateUtils.FORMAT_SHOW_DATE;
}
if (DateFormat.is24HourFormat(context)) {
flags |= DateUtils.FORMAT_24HOUR;
}
when = Utils.formatDateRange(context, startMillis, endMillis, flags);
textView = (TextView) view.findViewById(R.id.when);
textView.setText(when);
// Where
textView = (TextView) view.findViewById(R.id.where);
if (location == null || location.length() == 0) {
textView.setVisibility(View.GONE);
} else {
textView.setText(location);
}
}
|
diff --git a/dspace-jspui/dspace-jspui-api/src/main/java/org/dspace/app/webui/servlet/AbstractBrowserServlet.java b/dspace-jspui/dspace-jspui-api/src/main/java/org/dspace/app/webui/servlet/AbstractBrowserServlet.java
index c588dbcdf..c7f5b73e7 100644
--- a/dspace-jspui/dspace-jspui-api/src/main/java/org/dspace/app/webui/servlet/AbstractBrowserServlet.java
+++ b/dspace-jspui/dspace-jspui-api/src/main/java/org/dspace/app/webui/servlet/AbstractBrowserServlet.java
@@ -1,366 +1,366 @@
package org.dspace.app.webui.servlet;
import java.io.IOException;
import java.sql.SQLException;
import javax.servlet.ServletException;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import org.apache.log4j.Logger;
import org.dspace.app.webui.util.UIUtil;
import org.dspace.authorize.AuthorizeException;
import org.dspace.browse.BrowseEngine;
import org.dspace.browse.BrowseException;
import org.dspace.browse.BrowseIndex;
import org.dspace.browse.BrowseInfo;
import org.dspace.browse.BrowserScope;
import org.dspace.sort.SortOption;
import org.dspace.sort.SortException;
import org.dspace.content.Collection;
import org.dspace.content.Community;
import org.dspace.core.ConfigurationManager;
import org.dspace.core.Context;
import org.dspace.core.LogManager;
/**
* Servlet for browsing through indices, as they are defined in
* the configuration. This class can take a wide variety of inputs from
* the user interface:
*
* - type: the type of browse (index name) being performed
* - order: (ASC | DESC) the direction for result sorting
* - value: A specific value to find items around. For example the author name or subject
* - month: integer specification of the month of a date browse
* - year: integer specification of the year of a date browse
* - starts_with: string value at which to start browsing
* - vfocus: start browsing with a value of this string
* - focus: integer id of the item at which to start browsing
* - rpp: integer number of results per page to display
* - sort_by: integer specification of the field to search on
* - etal: integer number to limit multiple value items specified in config to
*
* @author Richard Jones
* @version $Revision: $
*/
public abstract class AbstractBrowserServlet extends DSpaceServlet
{
/** log4j category */
private static Logger log = Logger.getLogger(AbstractBrowserServlet.class);
public AbstractBrowserServlet()
{
super();
}
/**
* Create a BrowserScope from the current request
*
* @param context The database context
* @param request The servlet request
* @param response The servlet response
* @return A BrowserScope for the current parameters
* @throws ServletException
* @throws IOException
* @throws SQLException
* @throws AuthorizeException
*/
protected BrowserScope getBrowserScopeForRequest(Context context, HttpServletRequest request, HttpServletResponse response)
throws ServletException, IOException, SQLException, AuthorizeException
{
try
{
// first, lift all the stuff out of the request that we might need
String type = request.getParameter("type");
String order = request.getParameter("order");
String value = request.getParameter("value");
String valueLang = request.getParameter("value_lang");
String month = request.getParameter("month");
String year = request.getParameter("year");
String startsWith = request.getParameter("starts_with");
String valueFocus = request.getParameter("vfocus");
String valueFocusLang = request.getParameter("vfocus_lang");
int focus = UIUtil.getIntParameter(request, "focus");
int resultsperpage = UIUtil.getIntParameter(request, "rpp");
int sortBy = UIUtil.getIntParameter(request, "sort_by");
int etAl = UIUtil.getIntParameter(request, "etal");
// get the community or collection location for the browse request
// Note that we are only interested in getting the "smallest" container,
// so if we find a collection, we don't bother looking up the community
Collection collection = null;
Community community = null;
collection = UIUtil.getCollectionLocation(request);
if (collection == null)
{
community = UIUtil.getCommunityLocation(request);
}
// process the input, performing some inline validation
BrowseIndex bi = null;
if (type != null && !"".equals(type))
{
bi = BrowseIndex.getBrowseIndex(type);
}
if (bi == null)
{
if (sortBy > 0)
bi = BrowseIndex.getBrowseIndex(SortOption.getSortOption(sortBy));
else
bi = BrowseIndex.getBrowseIndex(SortOption.getDefaultSortOption());
}
// If we don't have a sort column
if (bi != null && sortBy == -1)
{
// Get the default one
SortOption so = bi.getSortOption();
if (so != null)
{
sortBy = so.getNumber();
}
}
else if (bi != null && bi.isItemIndex() && !bi.isInternalIndex())
{
// If a default sort option is specified by the index, but it isn't
// the same as sort option requested, attempt to find an index that
// is configured to use that sort by default
// This is so that we can then highlight the correct option in the navigation
SortOption bso = bi.getSortOption();
SortOption so = SortOption.getSortOption(sortBy);
if ( bso != null && bso != so)
{
BrowseIndex newBi = BrowseIndex.getBrowseIndex(so);
if (newBi != null)
{
bi = newBi;
type = bi.getName();
}
}
}
if (order == null && bi != null)
{
order = bi.getDefaultOrder();
}
// if no resultsperpage set, default to 20
if (resultsperpage == -1)
{
resultsperpage = 20;
}
// if year and perhaps month have been selected, we translate these into "startsWith"
// if startsWith has already been defined then it is overwritten
if (year != null && !"".equals(year) && !"-1".equals(year))
{
startsWith = year;
if ((month != null) && !"-1".equals(month) && !"".equals(month))
{
// subtract 1 from the month, so the match works appropriately
if ("ASC".equals(order))
{
month = Integer.toString((Integer.parseInt(month) - 1));
}
// They've selected a month as well
if (month.length() == 1)
{
// Ensure double-digit month number
month = "0" + month;
}
startsWith = year + "-" + month;
}
}
// determine which level of the browse we are at: 0 for top, 1 for second
int level = 0;
if (value != null)
{
level = 1;
}
// if sortBy is still not set, set it to 0, which is default to use the primary index value
if (sortBy == -1)
{
sortBy = 0;
}
// figure out the setting for author list truncation
if (etAl == -1) // there is no limit, or the UI says to use the default
{
int limitLine = ConfigurationManager.getIntProperty("webui.browse.author-limit");
if (limitLine != 0)
{
etAl = limitLine;
}
}
else // if the user has set a limit
{
if (etAl == 0) // 0 is the user setting for unlimited
{
etAl = -1; // but -1 is the application setting for unlimited
}
}
// log the request
String comHandle = "n/a";
if (community != null)
{
// comHandle = community.getHandle();
comHandle = community.getIdentifier().getCanonicalForm();
}
String colHandle = "n/a";
if (collection != null)
{
// colHandle = collection.getHandle();
colHandle = collection.getIdentifier().getCanonicalForm();
}
String arguments = "type=" + type + ",order=" + order + ",value=" + value +
",month=" + month + ",year=" + year + ",starts_with=" + startsWith +
",vfocus=" + valueFocus + ",focus=" + focus + ",rpp=" + resultsperpage +
",sort_by=" + sortBy + ",community=" + comHandle + ",collection=" + colHandle +
",level=" + level + ",etal=" + etAl;
log.info(LogManager.getHeader(context, "browse", arguments));
// set up a BrowseScope and start loading the values into it
BrowserScope scope = new BrowserScope(context);
scope.setBrowseIndex(bi);
scope.setOrder(order);
scope.setFilterValue(value);
scope.setFilterValueLang(valueLang);
scope.setJumpToItem(focus);
scope.setJumpToValue(valueFocus);
scope.setJumpToValueLang(valueFocusLang);
scope.setStartsWith(startsWith);
scope.setResultsPerPage(resultsperpage);
scope.setSortBy(sortBy);
scope.setBrowseLevel(level);
scope.setEtAl(etAl);
// assign the scope of either Community or Collection if necessary
if (community != null)
{
scope.setBrowseContainer(community);
}
else if (collection != null)
{
scope.setBrowseContainer(collection);
}
// For second level browses on metadata indexes, we need to adjust the default sorting
- if (bi.isMetadataIndex() && scope.isSecondLevel() && scope.getSortBy() <= 0)
+ if (bi != null && bi.isMetadataIndex() && scope.isSecondLevel() && scope.getSortBy() <= 0)
{
scope.setSortBy(1);
}
return scope;
}
catch (SortException se)
{
log.error("caught exception: ", se);
throw new ServletException(se);
}
catch (BrowseException e)
{
log.error("caught exception: ", e);
throw new ServletException(e);
}
}
/**
* Do the usual DSpace GET method. You will notice that browse does not currently
* respond to POST requests.
*/
protected void processBrowse(Context context, BrowserScope scope, HttpServletRequest request, HttpServletResponse response)
throws ServletException, IOException, SQLException,
AuthorizeException
{
try
{
BrowseIndex bi = scope.getBrowseIndex();
// now start up a browse engine and get it to do the work for us
BrowseEngine be = new BrowseEngine(context);
BrowseInfo binfo = be.browse(scope);
request.setAttribute("browse.info", binfo);
if (binfo.hasResults())
{
if (bi.isMetadataIndex() && !scope.isSecondLevel())
{
showSinglePage(context, request, response);
}
else
{
showFullPage(context, request, response);
}
}
else
{
showNoResultsPage(context, request, response);
}
}
catch (BrowseException e)
{
log.error("caught exception: ", e);
throw new ServletException(e);
}
}
/**
* Display the error page
*
* @param context
* @param request
* @param response
* @throws ServletException
* @throws IOException
* @throws SQLException
* @throws AuthorizeException
*/
protected abstract void showError(Context context, HttpServletRequest request, HttpServletResponse response)
throws ServletException, IOException, SQLException,
AuthorizeException;
/**
* Display the No Results page
*
* @param context
* @param request
* @param response
* @throws ServletException
* @throws IOException
* @throws SQLException
* @throws AuthorizeException
*/
protected abstract void showNoResultsPage(Context context, HttpServletRequest request, HttpServletResponse response)
throws ServletException, IOException, SQLException,
AuthorizeException;
/**
* Display the single page. This is the page which lists just the single values of a
* metadata browse, not individual items. Single values are links through to all the items
* that match that metadata value
*
* @param context
* @param request
* @param response
* @throws ServletException
* @throws IOException
* @throws SQLException
* @throws AuthorizeException
*/
protected abstract void showSinglePage(Context context, HttpServletRequest request, HttpServletResponse response)
throws ServletException, IOException, SQLException,
AuthorizeException;
protected abstract void showFullPage(Context context, HttpServletRequest request, HttpServletResponse response)
throws ServletException, IOException, SQLException,
AuthorizeException;
}
| true | true | protected BrowserScope getBrowserScopeForRequest(Context context, HttpServletRequest request, HttpServletResponse response)
throws ServletException, IOException, SQLException, AuthorizeException
{
try
{
// first, lift all the stuff out of the request that we might need
String type = request.getParameter("type");
String order = request.getParameter("order");
String value = request.getParameter("value");
String valueLang = request.getParameter("value_lang");
String month = request.getParameter("month");
String year = request.getParameter("year");
String startsWith = request.getParameter("starts_with");
String valueFocus = request.getParameter("vfocus");
String valueFocusLang = request.getParameter("vfocus_lang");
int focus = UIUtil.getIntParameter(request, "focus");
int resultsperpage = UIUtil.getIntParameter(request, "rpp");
int sortBy = UIUtil.getIntParameter(request, "sort_by");
int etAl = UIUtil.getIntParameter(request, "etal");
// get the community or collection location for the browse request
// Note that we are only interested in getting the "smallest" container,
// so if we find a collection, we don't bother looking up the community
Collection collection = null;
Community community = null;
collection = UIUtil.getCollectionLocation(request);
if (collection == null)
{
community = UIUtil.getCommunityLocation(request);
}
// process the input, performing some inline validation
BrowseIndex bi = null;
if (type != null && !"".equals(type))
{
bi = BrowseIndex.getBrowseIndex(type);
}
if (bi == null)
{
if (sortBy > 0)
bi = BrowseIndex.getBrowseIndex(SortOption.getSortOption(sortBy));
else
bi = BrowseIndex.getBrowseIndex(SortOption.getDefaultSortOption());
}
// If we don't have a sort column
if (bi != null && sortBy == -1)
{
// Get the default one
SortOption so = bi.getSortOption();
if (so != null)
{
sortBy = so.getNumber();
}
}
else if (bi != null && bi.isItemIndex() && !bi.isInternalIndex())
{
// If a default sort option is specified by the index, but it isn't
// the same as sort option requested, attempt to find an index that
// is configured to use that sort by default
// This is so that we can then highlight the correct option in the navigation
SortOption bso = bi.getSortOption();
SortOption so = SortOption.getSortOption(sortBy);
if ( bso != null && bso != so)
{
BrowseIndex newBi = BrowseIndex.getBrowseIndex(so);
if (newBi != null)
{
bi = newBi;
type = bi.getName();
}
}
}
if (order == null && bi != null)
{
order = bi.getDefaultOrder();
}
// if no resultsperpage set, default to 20
if (resultsperpage == -1)
{
resultsperpage = 20;
}
// if year and perhaps month have been selected, we translate these into "startsWith"
// if startsWith has already been defined then it is overwritten
if (year != null && !"".equals(year) && !"-1".equals(year))
{
startsWith = year;
if ((month != null) && !"-1".equals(month) && !"".equals(month))
{
// subtract 1 from the month, so the match works appropriately
if ("ASC".equals(order))
{
month = Integer.toString((Integer.parseInt(month) - 1));
}
// They've selected a month as well
if (month.length() == 1)
{
// Ensure double-digit month number
month = "0" + month;
}
startsWith = year + "-" + month;
}
}
// determine which level of the browse we are at: 0 for top, 1 for second
int level = 0;
if (value != null)
{
level = 1;
}
// if sortBy is still not set, set it to 0, which is default to use the primary index value
if (sortBy == -1)
{
sortBy = 0;
}
// figure out the setting for author list truncation
if (etAl == -1) // there is no limit, or the UI says to use the default
{
int limitLine = ConfigurationManager.getIntProperty("webui.browse.author-limit");
if (limitLine != 0)
{
etAl = limitLine;
}
}
else // if the user has set a limit
{
if (etAl == 0) // 0 is the user setting for unlimited
{
etAl = -1; // but -1 is the application setting for unlimited
}
}
// log the request
String comHandle = "n/a";
if (community != null)
{
// comHandle = community.getHandle();
comHandle = community.getIdentifier().getCanonicalForm();
}
String colHandle = "n/a";
if (collection != null)
{
// colHandle = collection.getHandle();
colHandle = collection.getIdentifier().getCanonicalForm();
}
String arguments = "type=" + type + ",order=" + order + ",value=" + value +
",month=" + month + ",year=" + year + ",starts_with=" + startsWith +
",vfocus=" + valueFocus + ",focus=" + focus + ",rpp=" + resultsperpage +
",sort_by=" + sortBy + ",community=" + comHandle + ",collection=" + colHandle +
",level=" + level + ",etal=" + etAl;
log.info(LogManager.getHeader(context, "browse", arguments));
// set up a BrowseScope and start loading the values into it
BrowserScope scope = new BrowserScope(context);
scope.setBrowseIndex(bi);
scope.setOrder(order);
scope.setFilterValue(value);
scope.setFilterValueLang(valueLang);
scope.setJumpToItem(focus);
scope.setJumpToValue(valueFocus);
scope.setJumpToValueLang(valueFocusLang);
scope.setStartsWith(startsWith);
scope.setResultsPerPage(resultsperpage);
scope.setSortBy(sortBy);
scope.setBrowseLevel(level);
scope.setEtAl(etAl);
// assign the scope of either Community or Collection if necessary
if (community != null)
{
scope.setBrowseContainer(community);
}
else if (collection != null)
{
scope.setBrowseContainer(collection);
}
// For second level browses on metadata indexes, we need to adjust the default sorting
if (bi.isMetadataIndex() && scope.isSecondLevel() && scope.getSortBy() <= 0)
{
scope.setSortBy(1);
}
return scope;
}
catch (SortException se)
{
log.error("caught exception: ", se);
throw new ServletException(se);
}
catch (BrowseException e)
{
log.error("caught exception: ", e);
throw new ServletException(e);
}
}
| protected BrowserScope getBrowserScopeForRequest(Context context, HttpServletRequest request, HttpServletResponse response)
throws ServletException, IOException, SQLException, AuthorizeException
{
try
{
// first, lift all the stuff out of the request that we might need
String type = request.getParameter("type");
String order = request.getParameter("order");
String value = request.getParameter("value");
String valueLang = request.getParameter("value_lang");
String month = request.getParameter("month");
String year = request.getParameter("year");
String startsWith = request.getParameter("starts_with");
String valueFocus = request.getParameter("vfocus");
String valueFocusLang = request.getParameter("vfocus_lang");
int focus = UIUtil.getIntParameter(request, "focus");
int resultsperpage = UIUtil.getIntParameter(request, "rpp");
int sortBy = UIUtil.getIntParameter(request, "sort_by");
int etAl = UIUtil.getIntParameter(request, "etal");
// get the community or collection location for the browse request
// Note that we are only interested in getting the "smallest" container,
// so if we find a collection, we don't bother looking up the community
Collection collection = null;
Community community = null;
collection = UIUtil.getCollectionLocation(request);
if (collection == null)
{
community = UIUtil.getCommunityLocation(request);
}
// process the input, performing some inline validation
BrowseIndex bi = null;
if (type != null && !"".equals(type))
{
bi = BrowseIndex.getBrowseIndex(type);
}
if (bi == null)
{
if (sortBy > 0)
bi = BrowseIndex.getBrowseIndex(SortOption.getSortOption(sortBy));
else
bi = BrowseIndex.getBrowseIndex(SortOption.getDefaultSortOption());
}
// If we don't have a sort column
if (bi != null && sortBy == -1)
{
// Get the default one
SortOption so = bi.getSortOption();
if (so != null)
{
sortBy = so.getNumber();
}
}
else if (bi != null && bi.isItemIndex() && !bi.isInternalIndex())
{
// If a default sort option is specified by the index, but it isn't
// the same as sort option requested, attempt to find an index that
// is configured to use that sort by default
// This is so that we can then highlight the correct option in the navigation
SortOption bso = bi.getSortOption();
SortOption so = SortOption.getSortOption(sortBy);
if ( bso != null && bso != so)
{
BrowseIndex newBi = BrowseIndex.getBrowseIndex(so);
if (newBi != null)
{
bi = newBi;
type = bi.getName();
}
}
}
if (order == null && bi != null)
{
order = bi.getDefaultOrder();
}
// if no resultsperpage set, default to 20
if (resultsperpage == -1)
{
resultsperpage = 20;
}
// if year and perhaps month have been selected, we translate these into "startsWith"
// if startsWith has already been defined then it is overwritten
if (year != null && !"".equals(year) && !"-1".equals(year))
{
startsWith = year;
if ((month != null) && !"-1".equals(month) && !"".equals(month))
{
// subtract 1 from the month, so the match works appropriately
if ("ASC".equals(order))
{
month = Integer.toString((Integer.parseInt(month) - 1));
}
// They've selected a month as well
if (month.length() == 1)
{
// Ensure double-digit month number
month = "0" + month;
}
startsWith = year + "-" + month;
}
}
// determine which level of the browse we are at: 0 for top, 1 for second
int level = 0;
if (value != null)
{
level = 1;
}
// if sortBy is still not set, set it to 0, which is default to use the primary index value
if (sortBy == -1)
{
sortBy = 0;
}
// figure out the setting for author list truncation
if (etAl == -1) // there is no limit, or the UI says to use the default
{
int limitLine = ConfigurationManager.getIntProperty("webui.browse.author-limit");
if (limitLine != 0)
{
etAl = limitLine;
}
}
else // if the user has set a limit
{
if (etAl == 0) // 0 is the user setting for unlimited
{
etAl = -1; // but -1 is the application setting for unlimited
}
}
// log the request
String comHandle = "n/a";
if (community != null)
{
// comHandle = community.getHandle();
comHandle = community.getIdentifier().getCanonicalForm();
}
String colHandle = "n/a";
if (collection != null)
{
// colHandle = collection.getHandle();
colHandle = collection.getIdentifier().getCanonicalForm();
}
String arguments = "type=" + type + ",order=" + order + ",value=" + value +
",month=" + month + ",year=" + year + ",starts_with=" + startsWith +
",vfocus=" + valueFocus + ",focus=" + focus + ",rpp=" + resultsperpage +
",sort_by=" + sortBy + ",community=" + comHandle + ",collection=" + colHandle +
",level=" + level + ",etal=" + etAl;
log.info(LogManager.getHeader(context, "browse", arguments));
// set up a BrowseScope and start loading the values into it
BrowserScope scope = new BrowserScope(context);
scope.setBrowseIndex(bi);
scope.setOrder(order);
scope.setFilterValue(value);
scope.setFilterValueLang(valueLang);
scope.setJumpToItem(focus);
scope.setJumpToValue(valueFocus);
scope.setJumpToValueLang(valueFocusLang);
scope.setStartsWith(startsWith);
scope.setResultsPerPage(resultsperpage);
scope.setSortBy(sortBy);
scope.setBrowseLevel(level);
scope.setEtAl(etAl);
// assign the scope of either Community or Collection if necessary
if (community != null)
{
scope.setBrowseContainer(community);
}
else if (collection != null)
{
scope.setBrowseContainer(collection);
}
// For second level browses on metadata indexes, we need to adjust the default sorting
if (bi != null && bi.isMetadataIndex() && scope.isSecondLevel() && scope.getSortBy() <= 0)
{
scope.setSortBy(1);
}
return scope;
}
catch (SortException se)
{
log.error("caught exception: ", se);
throw new ServletException(se);
}
catch (BrowseException e)
{
log.error("caught exception: ", e);
throw new ServletException(e);
}
}
|
diff --git a/gruppe32/src/Aktion.java b/gruppe32/src/Aktion.java
index 50e16ce..aa433c9 100644
--- a/gruppe32/src/Aktion.java
+++ b/gruppe32/src/Aktion.java
@@ -1,238 +1,244 @@
/**
* Klassenkommentar:
* Hauptspiellogik bzw. was tun wenn was passiert
*
*/
public class Aktion{
private static int figurX;
private static int figurY;
private static int aktuellesLevel = 0;
private static int aktuellerRaum =0;
private static int newFigurX;
private static int newFigurY;
static boolean reachedCheckpoint;
static int checkpointMerkeLevel;
static int checkpointMerkeRaum;
static boolean storyteller;
private static final String WEISSIMG = "Images\\weiss.jpg";
/**
* Methode bewegt Figur anhand von Koordinaten
*
*/
public void figurBewegen(int richtung){
if (richtung == Main.RECHTS){
newFigurX=figurX+1;
newFigurY=figurY;
}
else if (richtung == Main.UNTEN){
newFigurX=figurX;
newFigurY=figurY-1;
}
else if (richtung == Main.LINKS){
newFigurX=figurX-1;
newFigurY=figurY;
}
else if (richtung == Main.OBEN){
newFigurX=figurX;
newFigurY=figurY+1;
}
if ((Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.BODEN)
|(Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.FIGUR)
|(Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==13) //13 und 14 sind Hilfselemente um an bestimmte Punkte zurueck zu kehren
|(Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==14)){ //13: X steht in level.txt fuer die Stelle neben dem Ziel
//14: Y steht in level.txt fuer die Stelle neben dem Checkpoint
Menu.figurBewegen(aktuellesLevel,figurX,figurY,newFigurX,newFigurY);
figurX=newFigurX;
figurY=newFigurY;
}
else if ((Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.START)
&((aktuellerRaum!=0)|(aktuellesLevel!=0))){
if (aktuellerRaum>0){
aktuellerRaum--;
}
else if(aktuellesLevel>0){
aktuellesLevel--;
aktuellerRaum=2;
}
Menu.levelDarstellen(aktuellesLevel,aktuellerRaum);
Menu.figurZumZiel(aktuellesLevel,aktuellerRaum);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.ZIEL){
if (aktuellerRaum<2){
aktuellerRaum++;
}
else {
aktuellesLevel++;
aktuellerRaum=0;
}
Menu.levelDarstellen(aktuellesLevel,aktuellerRaum);
Menu.figurReset(aktuellesLevel,aktuellerRaum, figurX, figurY);
StdDraw.picture(400,560,WEISSIMG);
}
else if ((Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.FALLE)
|(Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.MOB)){
Figur.schadenBekommen(1);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.SIEG){
aktuellesLevel=0;
aktuellerRaum=0;
Menu.sieg();
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.CHECKPOINT){
reachedCheckpoint=true;
checkpointMerkeLevel=aktuellesLevel;
checkpointMerkeRaum=aktuellerRaum;
Menu.displayPlayerStats();
Menu.figurBewegen(aktuellesLevel,figurX,figurY,newFigurX,newFigurY);
figurX=newFigurX;
figurY=newFigurY;
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.STORYTELLER){
Menu.storyteller();
//Main.storytellerBool(false);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.MUENZEN){
Figur.muenzenSammeln(1);
Spielfeld.wertSetzenBeiXY(aktuellesLevel, aktuellerRaum, newFigurX, newFigurY, Main.BODEN);
Menu.figurBewegen(aktuellesLevel,figurX,figurY,newFigurX,newFigurY);
+ figurX=newFigurX;
+ figurY=newFigurY;
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.HPTRANKSHOP){
Figur.shopHP(1);
Figur.muenzenVerlieren(1);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.MANATRANKSHOP){
Figur.shopMana(1);
Figur.muenzenVerlieren(1);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.FARBEGELB){
Figur.setFarbe(Main.GELB);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.FARBEROT){
Figur.setFarbe(Main.ROT);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.FARBEBLAU){
Figur.setFarbe(Main.BLAU);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.HPTRANK){
Figur.heilen(1);
Spielfeld.wertSetzenBeiXY(aktuellesLevel, aktuellerRaum, newFigurX, newFigurY, Main.BODEN);
- Menu.figurBewegen(aktuellesLevel,figurX,figurY,newFigurX,newFigurY);
+ Menu.figurBewegen(aktuellesLevel,figurX,figurY,newFigurX,newFigurY);
+ figurX=newFigurX;
+ figurY=newFigurY;
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.MANATRANK){
Figur.manaReg(1);
Spielfeld.wertSetzenBeiXY(aktuellesLevel, aktuellerRaum, newFigurX, newFigurY, Main.BODEN);
Menu.figurBewegen(aktuellesLevel,figurX,figurY,newFigurX,newFigurY);
+ figurX=newFigurX;
+ figurY=newFigurY;
}
}
/**
* Methode setzt Figur
*
*/
public static void setFigurXY(int x, int y){
figurX=x;
figurY=y;
}
/**
*
* Methode setzt das aktuelle Level
*
*/
public static void setLevel(int level){
aktuellesLevel = level;
}
/**
*
* Methode setzt den aktuellen Raum
*
*/
public static void setRaum(int raum){
aktuellerRaum = raum;
}
/**
*
* Methode liefert X-Wert der Figur zurueck
*
*/
public static int getFigurX(){
return figurX;
}
/**
*
* Methode liefert Y-Wert der Figur zurueck
*
*/
public static int getFigurY(){
return figurY;
}
/**
*
* Methode liefert Level zurueck
*
*/
public static int getLevel(){
return aktuellesLevel;
}
/**
*
* Methode liefert Raum zurueck
*
*/
public static int getRaum(){
return aktuellerRaum;
}
/**
*
* Methode setzt Figur zum Checkpoint
*
*/
public static void zumCheckpoint(){
if (reachedCheckpoint == true){
Figur.resetHP();
aktuellesLevel=checkpointMerkeLevel;
aktuellerRaum=checkpointMerkeRaum;
Menu.levelDarstellen(aktuellesLevel,aktuellerRaum);
Menu.figurZumCheckpoint(aktuellesLevel,aktuellerRaum);
reachedCheckpoint=false;
Menu.displayPlayerStats();
}
else{
Figur.resetHP();
aktuellerRaum=0;
Menu.levelDarstellen(aktuellesLevel, aktuellerRaum);
}
}
}
| false | true | public void figurBewegen(int richtung){
if (richtung == Main.RECHTS){
newFigurX=figurX+1;
newFigurY=figurY;
}
else if (richtung == Main.UNTEN){
newFigurX=figurX;
newFigurY=figurY-1;
}
else if (richtung == Main.LINKS){
newFigurX=figurX-1;
newFigurY=figurY;
}
else if (richtung == Main.OBEN){
newFigurX=figurX;
newFigurY=figurY+1;
}
if ((Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.BODEN)
|(Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.FIGUR)
|(Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==13) //13 und 14 sind Hilfselemente um an bestimmte Punkte zurueck zu kehren
|(Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==14)){ //13: X steht in level.txt fuer die Stelle neben dem Ziel
//14: Y steht in level.txt fuer die Stelle neben dem Checkpoint
Menu.figurBewegen(aktuellesLevel,figurX,figurY,newFigurX,newFigurY);
figurX=newFigurX;
figurY=newFigurY;
}
else if ((Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.START)
&((aktuellerRaum!=0)|(aktuellesLevel!=0))){
if (aktuellerRaum>0){
aktuellerRaum--;
}
else if(aktuellesLevel>0){
aktuellesLevel--;
aktuellerRaum=2;
}
Menu.levelDarstellen(aktuellesLevel,aktuellerRaum);
Menu.figurZumZiel(aktuellesLevel,aktuellerRaum);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.ZIEL){
if (aktuellerRaum<2){
aktuellerRaum++;
}
else {
aktuellesLevel++;
aktuellerRaum=0;
}
Menu.levelDarstellen(aktuellesLevel,aktuellerRaum);
Menu.figurReset(aktuellesLevel,aktuellerRaum, figurX, figurY);
StdDraw.picture(400,560,WEISSIMG);
}
else if ((Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.FALLE)
|(Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.MOB)){
Figur.schadenBekommen(1);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.SIEG){
aktuellesLevel=0;
aktuellerRaum=0;
Menu.sieg();
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.CHECKPOINT){
reachedCheckpoint=true;
checkpointMerkeLevel=aktuellesLevel;
checkpointMerkeRaum=aktuellerRaum;
Menu.displayPlayerStats();
Menu.figurBewegen(aktuellesLevel,figurX,figurY,newFigurX,newFigurY);
figurX=newFigurX;
figurY=newFigurY;
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.STORYTELLER){
Menu.storyteller();
//Main.storytellerBool(false);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.MUENZEN){
Figur.muenzenSammeln(1);
Spielfeld.wertSetzenBeiXY(aktuellesLevel, aktuellerRaum, newFigurX, newFigurY, Main.BODEN);
Menu.figurBewegen(aktuellesLevel,figurX,figurY,newFigurX,newFigurY);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.HPTRANKSHOP){
Figur.shopHP(1);
Figur.muenzenVerlieren(1);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.MANATRANKSHOP){
Figur.shopMana(1);
Figur.muenzenVerlieren(1);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.FARBEGELB){
Figur.setFarbe(Main.GELB);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.FARBEROT){
Figur.setFarbe(Main.ROT);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.FARBEBLAU){
Figur.setFarbe(Main.BLAU);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.HPTRANK){
Figur.heilen(1);
Spielfeld.wertSetzenBeiXY(aktuellesLevel, aktuellerRaum, newFigurX, newFigurY, Main.BODEN);
Menu.figurBewegen(aktuellesLevel,figurX,figurY,newFigurX,newFigurY);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.MANATRANK){
Figur.manaReg(1);
Spielfeld.wertSetzenBeiXY(aktuellesLevel, aktuellerRaum, newFigurX, newFigurY, Main.BODEN);
Menu.figurBewegen(aktuellesLevel,figurX,figurY,newFigurX,newFigurY);
}
}
| public void figurBewegen(int richtung){
if (richtung == Main.RECHTS){
newFigurX=figurX+1;
newFigurY=figurY;
}
else if (richtung == Main.UNTEN){
newFigurX=figurX;
newFigurY=figurY-1;
}
else if (richtung == Main.LINKS){
newFigurX=figurX-1;
newFigurY=figurY;
}
else if (richtung == Main.OBEN){
newFigurX=figurX;
newFigurY=figurY+1;
}
if ((Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.BODEN)
|(Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.FIGUR)
|(Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==13) //13 und 14 sind Hilfselemente um an bestimmte Punkte zurueck zu kehren
|(Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==14)){ //13: X steht in level.txt fuer die Stelle neben dem Ziel
//14: Y steht in level.txt fuer die Stelle neben dem Checkpoint
Menu.figurBewegen(aktuellesLevel,figurX,figurY,newFigurX,newFigurY);
figurX=newFigurX;
figurY=newFigurY;
}
else if ((Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.START)
&((aktuellerRaum!=0)|(aktuellesLevel!=0))){
if (aktuellerRaum>0){
aktuellerRaum--;
}
else if(aktuellesLevel>0){
aktuellesLevel--;
aktuellerRaum=2;
}
Menu.levelDarstellen(aktuellesLevel,aktuellerRaum);
Menu.figurZumZiel(aktuellesLevel,aktuellerRaum);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.ZIEL){
if (aktuellerRaum<2){
aktuellerRaum++;
}
else {
aktuellesLevel++;
aktuellerRaum=0;
}
Menu.levelDarstellen(aktuellesLevel,aktuellerRaum);
Menu.figurReset(aktuellesLevel,aktuellerRaum, figurX, figurY);
StdDraw.picture(400,560,WEISSIMG);
}
else if ((Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.FALLE)
|(Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.MOB)){
Figur.schadenBekommen(1);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.SIEG){
aktuellesLevel=0;
aktuellerRaum=0;
Menu.sieg();
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.CHECKPOINT){
reachedCheckpoint=true;
checkpointMerkeLevel=aktuellesLevel;
checkpointMerkeRaum=aktuellerRaum;
Menu.displayPlayerStats();
Menu.figurBewegen(aktuellesLevel,figurX,figurY,newFigurX,newFigurY);
figurX=newFigurX;
figurY=newFigurY;
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.STORYTELLER){
Menu.storyteller();
//Main.storytellerBool(false);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.MUENZEN){
Figur.muenzenSammeln(1);
Spielfeld.wertSetzenBeiXY(aktuellesLevel, aktuellerRaum, newFigurX, newFigurY, Main.BODEN);
Menu.figurBewegen(aktuellesLevel,figurX,figurY,newFigurX,newFigurY);
figurX=newFigurX;
figurY=newFigurY;
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.HPTRANKSHOP){
Figur.shopHP(1);
Figur.muenzenVerlieren(1);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.MANATRANKSHOP){
Figur.shopMana(1);
Figur.muenzenVerlieren(1);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.FARBEGELB){
Figur.setFarbe(Main.GELB);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.FARBEROT){
Figur.setFarbe(Main.ROT);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.FARBEBLAU){
Figur.setFarbe(Main.BLAU);
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.HPTRANK){
Figur.heilen(1);
Spielfeld.wertSetzenBeiXY(aktuellesLevel, aktuellerRaum, newFigurX, newFigurY, Main.BODEN);
Menu.figurBewegen(aktuellesLevel,figurX,figurY,newFigurX,newFigurY);
figurX=newFigurX;
figurY=newFigurY;
}
else if (Spielfeld.wertLesenBeiXY(aktuellesLevel,aktuellerRaum,newFigurX,newFigurY)==Main.MANATRANK){
Figur.manaReg(1);
Spielfeld.wertSetzenBeiXY(aktuellesLevel, aktuellerRaum, newFigurX, newFigurY, Main.BODEN);
Menu.figurBewegen(aktuellesLevel,figurX,figurY,newFigurX,newFigurY);
figurX=newFigurX;
figurY=newFigurY;
}
}
|
diff --git a/community/gss/src/main/java/org/geoserver/gss/SynchronizationManager.java b/community/gss/src/main/java/org/geoserver/gss/SynchronizationManager.java
index 9aa77d52e..ccdf9e592 100644
--- a/community/gss/src/main/java/org/geoserver/gss/SynchronizationManager.java
+++ b/community/gss/src/main/java/org/geoserver/gss/SynchronizationManager.java
@@ -1,325 +1,325 @@
/* Copyright (c) 2001 - 2007 TOPP - www.openplans.org. All rights reserved.
* This code is licensed under the GPL 2.0 license, available at the root
* application directory.
*/
package org.geoserver.gss;
import static org.geoserver.gss.GSSCore.*;
import java.io.IOException;
import java.net.MalformedURLException;
import java.net.URL;
import java.util.Collections;
import java.util.Date;
import java.util.HashSet;
import java.util.Set;
import java.util.Timer;
import java.util.TimerTask;
import java.util.logging.Level;
import java.util.logging.Logger;
import javax.xml.namespace.QName;
import net.opengis.wfs.TransactionType;
import org.geoserver.catalog.Catalog;
import org.geoserver.catalog.NamespaceInfo;
import org.geoserver.config.GeoServer;
import org.geoserver.gss.GSSInfo.GSSMode;
import org.geoserver.wfsv.VersioningTransactionConverter;
import org.geotools.data.DefaultQuery;
import org.geotools.data.DefaultTransaction;
import org.geotools.data.FeatureDiffReader;
import org.geotools.data.FeatureSource;
import org.geotools.data.FeatureStore;
import org.geotools.data.Transaction;
import org.geotools.data.VersioningDataStore;
import org.geotools.data.VersioningFeatureStore;
import org.geotools.factory.CommonFactoryFinder;
import org.geotools.feature.FeatureIterator;
import org.geotools.util.logging.Logging;
import org.opengis.feature.simple.SimpleFeature;
import org.opengis.feature.simple.SimpleFeatureType;
import org.opengis.feature.type.AttributeDescriptor;
import org.opengis.filter.Filter;
import org.opengis.filter.FilterFactory;
import org.opengis.filter.sort.SortBy;
import org.opengis.filter.sort.SortOrder;
/**
* This object gets periodically invoked to perform all outstanding layer synchronisations with the
* units
*
* @author Andrea Aime - OpenGeo
*/
public class SynchronizationManager extends TimerTask {
static final Logger LOGGER = Logging.getLogger(DefaultGeoServerSynchronizationService.class);
FilterFactory ff = CommonFactoryFinder.getFilterFactory(null);
Catalog catalog;
GSSCore core;
GSSClientFactory clientFactory;
public SynchronizationManager(GeoServer geoServer, GSSClientFactory clientFactory) {
this.catalog = geoServer.getCatalog();
this.core = new GSSCore(geoServer);
this.clientFactory = clientFactory;
}
/**
* Runs the synchronisation. To be used by {@link Timer}, if you need to manually run the
* synchronization please invoke {@link #synchronizeOustandlingLayers()} instead.
*/
@Override
public void run() {
try {
synchronizeOustandlingLayers();
} catch (IOException e) {
LOGGER.log(Level.SEVERE, "Error occurred while running the scheduled synchronisation",
e);
}
}
/**
* Runs the synchronisation on all unit layers that require it (all the ones that haven't
* synchronised according to the requested frequency and that are inside the call window)
*
* @throws IOException
*/
public void synchronizeOustandlingLayers() throws IOException {
// make sure we're properly configured
core.ensureEnabled();
if (core.getMode() != GSSMode.Central) {
return;
}
FeatureIterator<SimpleFeature> fi = null;
FeatureIterator<SimpleFeature> li = null;
try {
// grab the layers to be synchronised
VersioningDataStore ds = core.getVersioningStore();
FeatureSource<SimpleFeatureType, SimpleFeature> outstanding = ds
.getFeatureSource(SYNCH_OUTSTANDING);
DefaultQuery q = new DefaultQuery(SYNCH_OUTSTANDING);
q.setSortBy(new SortBy[] { ff.sort("last_synchronization", SortOrder.ASCENDING) });
LOGGER.info("Performing scheduled synchronisation");
fi = outstanding.getFeatures(q).features();
// the set of units we failed to synchronize with. The problem might be a connection
// timeout, we don't really want to multiply the timeout by the number of layers
Set<Integer> unitBlacklist = new HashSet<Integer>();
while (fi.hasNext()) {
// extract relevant attributes
SimpleFeature layer = fi.next();
int unitId = (Integer) layer.getAttribute("unit_id");
int tableId = (Integer) layer.getAttribute("table_id");
String unitName = (String) layer.getAttribute("unit_name");
String tableName = (String) layer.getAttribute("table_name");
String address = (String) layer.getAttribute("unit_address");
String user = (String) layer.getAttribute("synch_user");
String password = (String) layer.getAttribute("synch_password");
Long getDiffCentralRevision = (Long) layer.getAttribute("getdiff_central_revision");
Long lastUnitRevision = (Long) layer.getAttribute("last_unit_revision");
// avoid the unit that already failed this run, we'll try next run
if (unitBlacklist.contains(unitId)) {
LOGGER.log(Level.INFO, "Unit " + unitName + " is blacklisted "
+ "for this run, skipping " + tableName);
continue;
}
Transaction transaction = null;
try {
// build the transaction with the proper author and commit message
transaction = new DefaultTransaction();
// get the last central revision the client knows about
GSSClient client = getClient(address, user, password);
QName layerName = getLayerName(tableName);
long clientCentralRevision = client.getCentralRevision(layerName);
// compute the diff that we have to send the client. Notice that we have
// to skip over the local change occurred when we last performed a GetDiff
// against the client
VersioningFeatureStore fs = (VersioningFeatureStore) ds
.getFeatureSource(tableName);
fs.setTransaction(transaction);
String fromRevision = clientCentralRevision == -1 ? "FIRST" : String
.valueOf(clientCentralRevision);
TransactionType centralChanges;
if (getDiffCentralRevision == null) {
// first time
FeatureDiffReader fdr = fs.getDifferences(fromRevision, "LAST", null, null);
centralChanges = new VersioningTransactionConverter().convert(fdr,
TransactionType.class);
} else {
// we need to jump over the last local changes
String before = String.valueOf(getDiffCentralRevision - 1);
String after = String.valueOf(getDiffCentralRevision);
FeatureDiffReader fdr1 = fs
.getDifferences(fromRevision, before, null, null);
FeatureDiffReader fdr2 = fs.getDifferences(after, "LAST", null, null);
FeatureDiffReader[] fdr = new FeatureDiffReader[] { fdr1, fdr2 };
centralChanges = new VersioningTransactionConverter().convert(fdr,
TransactionType.class);
}
// what is the latest change on this layer? (worst case it's the last GetDiff
// from this Unit)
- long lastRevision = clientCentralRevision;
+ long lastCentralRevision = clientCentralRevision;
li = fs.getLog("LAST", fromRevision, null, null, 1).features();
if (li.hasNext()) {
- lastRevision = (Long) li.next().getAttribute("revision");
+ lastCentralRevision = (Long) li.next().getAttribute("revision");
}
li.close();
// finally run the PostDiff
PostDiffType postDiff = new PostDiffType();
postDiff.setTypeName(layerName);
postDiff.setFromVersion(clientCentralRevision);
- postDiff.setToVersion(lastRevision);
+ postDiff.setToVersion(lastCentralRevision);
postDiff.setTransaction(centralChanges);
client.postDiff(postDiff);
// grab the changes from the client and apply them locally
GetDiffType getDiff = new GetDiffType();
- getDiff.setFromVersion(lastUnitRevision == null ? -1 : lastRevision);
+ getDiff.setFromVersion(lastUnitRevision == null ? -1 : lastUnitRevision);
getDiff.setTypeName(layerName);
GetDiffResponseType gdr = client.getDiff(getDiff);
TransactionType unitChanges = gdr.getTransaction();
core.applyChanges(unitChanges, fs);
// mark down this layer as succesfully synchronised
FeatureStore<SimpleFeatureType, SimpleFeature> tuMetadata = (FeatureStore<SimpleFeatureType, SimpleFeature>) ds
.getFeatureSource(SYNCH_UNIT_TABLES);
tuMetadata.setTransaction(transaction);
SimpleFeatureType tuSchema = tuMetadata.getSchema();
int unitChangeCount = core.countChanges(unitChanges);
int centralChangeCount = core.countChanges(centralChanges);
if (unitChangeCount == 0 && centralChangeCount == 0) {
// just update the last_synch marker, as nothing else happened and
// this way we can avoid eating away central revision number (which
// might go up very rapidly otherwise)
AttributeDescriptor[] atts = new AttributeDescriptor[] { tuSchema
.getDescriptor("last_synchronization") };
Object[] values = new Object[] { new Date() };
Filter filter = ff.and(ff.equals(ff.property("table_id"), ff
.literal(tableId)), ff.equals(ff.property("unit_id"), ff
.literal(unitId)));
tuMetadata.modifyFeatures(atts, values, filter);
} else {
AttributeDescriptor[] atts = new AttributeDescriptor[] {
tuSchema.getDescriptor("last_synchronization"),
tuSchema.getDescriptor("getdiff_central_revision"),
tuSchema.getDescriptor("last_unit_revision") };
Object[] values = new Object[] { new Date(),
Long.parseLong(fs.getVersion()), gdr.getToVersion() };
Filter filter = ff.and(ff.equals(ff.property("table_id"), ff
.literal(tableId)), ff.equals(ff.property("unit_id"), ff
.literal(unitId)));
tuMetadata.modifyFeatures(atts, values, filter);
}
// mark the unit as succeffully updated
updateUnitStatus(ds, transaction, unitId, false);
// the the commit log
transaction.putProperty(VersioningDataStore.AUTHOR, "gss");
transaction.putProperty(VersioningDataStore.MESSAGE, "Synchronizing with Unit '"
+ unitName + "' on table '" + tableName + "': " + centralChangeCount
+ " changes sent and " + unitChangeCount + " changes received");
// close up
transaction.commit();
LOGGER.log(Level.INFO, "Successfull synchronisation of table " + tableName
+ " for unit " + unitName + "(" + centralChangeCount
+ " changes sent to the Unit, " + unitChangeCount
+ " change incoming from the Unit)");
} catch (Exception e) {
LOGGER.log(Level.SEVERE, "Synchronisation of table " + tableName + " for unit "
+ unitName + " failed", e);
// rollback all current changes
transaction.rollback();
// if anything at all went bad mark the layer synch as failed
FeatureStore<SimpleFeatureType, SimpleFeature> tuMetadata = (FeatureStore<SimpleFeatureType, SimpleFeature>) ds
.getFeatureSource(SYNCH_UNIT_TABLES);
SimpleFeatureType tuSchema = tuMetadata.getSchema();
AttributeDescriptor[] atts = new AttributeDescriptor[] { tuSchema
.getDescriptor("last_failure"), };
Object[] values = new Object[] { new Date() };
Filter filter = ff.and(ff.equals(ff.property("table_id"), ff.literal(tableId)),
ff.equals(ff.property("unit_id"), ff.literal(unitId)));
tuMetadata.modifyFeatures(atts, values, filter);
// mark the unit as failed
updateUnitStatus(ds, Transaction.AUTO_COMMIT, unitId, true);
// blacklist the unit, we'll retry later
unitBlacklist.add(unitId);
} finally {
if (transaction != null) {
transaction.close();
}
}
}
} finally {
if (fi != null) {
fi.close();
}
if (li != null) {
li.close();
}
}
}
/**
* Updates the "errors" flag in the specified unit
* @param ds
* @param transaction
* @param unitId
* @param success
* @throws IOException
*/
void updateUnitStatus(VersioningDataStore ds, Transaction transaction, int unitId,
boolean errors) throws IOException {
FeatureStore<SimpleFeatureType, SimpleFeature> fs = (FeatureStore<SimpleFeatureType, SimpleFeature>) ds
.getFeatureSource(SYNCH_UNITS);
SimpleFeatureType tuSchema = fs.getSchema();
AttributeDescriptor[] atts = new AttributeDescriptor[] { tuSchema.getDescriptor("errors") };
Object[] values = new Object[] { errors };
Filter filter = ff.id(Collections.singleton(ff.featureId(SYNCH_UNITS + "." + unitId)));
fs.setTransaction(transaction);
fs.modifyFeatures(atts, values, filter);
}
/**
* Turns a table name into a fully qualified layer name
*
* @param tableName
* @return
*/
QName getLayerName(String tableName) {
String wsName = core.getVersioningStoreInfo().getWorkspace().getName();
NamespaceInfo ns = catalog.getNamespaceByPrefix(wsName);
return new QName(ns.getURI(), tableName, ns.getPrefix());
}
protected GSSClient getClient(String address, String username, String password)
throws MalformedURLException {
return clientFactory.createClient(new URL(address), username, password);
}
}
| false | true | public void synchronizeOustandlingLayers() throws IOException {
// make sure we're properly configured
core.ensureEnabled();
if (core.getMode() != GSSMode.Central) {
return;
}
FeatureIterator<SimpleFeature> fi = null;
FeatureIterator<SimpleFeature> li = null;
try {
// grab the layers to be synchronised
VersioningDataStore ds = core.getVersioningStore();
FeatureSource<SimpleFeatureType, SimpleFeature> outstanding = ds
.getFeatureSource(SYNCH_OUTSTANDING);
DefaultQuery q = new DefaultQuery(SYNCH_OUTSTANDING);
q.setSortBy(new SortBy[] { ff.sort("last_synchronization", SortOrder.ASCENDING) });
LOGGER.info("Performing scheduled synchronisation");
fi = outstanding.getFeatures(q).features();
// the set of units we failed to synchronize with. The problem might be a connection
// timeout, we don't really want to multiply the timeout by the number of layers
Set<Integer> unitBlacklist = new HashSet<Integer>();
while (fi.hasNext()) {
// extract relevant attributes
SimpleFeature layer = fi.next();
int unitId = (Integer) layer.getAttribute("unit_id");
int tableId = (Integer) layer.getAttribute("table_id");
String unitName = (String) layer.getAttribute("unit_name");
String tableName = (String) layer.getAttribute("table_name");
String address = (String) layer.getAttribute("unit_address");
String user = (String) layer.getAttribute("synch_user");
String password = (String) layer.getAttribute("synch_password");
Long getDiffCentralRevision = (Long) layer.getAttribute("getdiff_central_revision");
Long lastUnitRevision = (Long) layer.getAttribute("last_unit_revision");
// avoid the unit that already failed this run, we'll try next run
if (unitBlacklist.contains(unitId)) {
LOGGER.log(Level.INFO, "Unit " + unitName + " is blacklisted "
+ "for this run, skipping " + tableName);
continue;
}
Transaction transaction = null;
try {
// build the transaction with the proper author and commit message
transaction = new DefaultTransaction();
// get the last central revision the client knows about
GSSClient client = getClient(address, user, password);
QName layerName = getLayerName(tableName);
long clientCentralRevision = client.getCentralRevision(layerName);
// compute the diff that we have to send the client. Notice that we have
// to skip over the local change occurred when we last performed a GetDiff
// against the client
VersioningFeatureStore fs = (VersioningFeatureStore) ds
.getFeatureSource(tableName);
fs.setTransaction(transaction);
String fromRevision = clientCentralRevision == -1 ? "FIRST" : String
.valueOf(clientCentralRevision);
TransactionType centralChanges;
if (getDiffCentralRevision == null) {
// first time
FeatureDiffReader fdr = fs.getDifferences(fromRevision, "LAST", null, null);
centralChanges = new VersioningTransactionConverter().convert(fdr,
TransactionType.class);
} else {
// we need to jump over the last local changes
String before = String.valueOf(getDiffCentralRevision - 1);
String after = String.valueOf(getDiffCentralRevision);
FeatureDiffReader fdr1 = fs
.getDifferences(fromRevision, before, null, null);
FeatureDiffReader fdr2 = fs.getDifferences(after, "LAST", null, null);
FeatureDiffReader[] fdr = new FeatureDiffReader[] { fdr1, fdr2 };
centralChanges = new VersioningTransactionConverter().convert(fdr,
TransactionType.class);
}
// what is the latest change on this layer? (worst case it's the last GetDiff
// from this Unit)
long lastRevision = clientCentralRevision;
li = fs.getLog("LAST", fromRevision, null, null, 1).features();
if (li.hasNext()) {
lastRevision = (Long) li.next().getAttribute("revision");
}
li.close();
// finally run the PostDiff
PostDiffType postDiff = new PostDiffType();
postDiff.setTypeName(layerName);
postDiff.setFromVersion(clientCentralRevision);
postDiff.setToVersion(lastRevision);
postDiff.setTransaction(centralChanges);
client.postDiff(postDiff);
// grab the changes from the client and apply them locally
GetDiffType getDiff = new GetDiffType();
getDiff.setFromVersion(lastUnitRevision == null ? -1 : lastRevision);
getDiff.setTypeName(layerName);
GetDiffResponseType gdr = client.getDiff(getDiff);
TransactionType unitChanges = gdr.getTransaction();
core.applyChanges(unitChanges, fs);
// mark down this layer as succesfully synchronised
FeatureStore<SimpleFeatureType, SimpleFeature> tuMetadata = (FeatureStore<SimpleFeatureType, SimpleFeature>) ds
.getFeatureSource(SYNCH_UNIT_TABLES);
tuMetadata.setTransaction(transaction);
SimpleFeatureType tuSchema = tuMetadata.getSchema();
int unitChangeCount = core.countChanges(unitChanges);
int centralChangeCount = core.countChanges(centralChanges);
if (unitChangeCount == 0 && centralChangeCount == 0) {
// just update the last_synch marker, as nothing else happened and
// this way we can avoid eating away central revision number (which
// might go up very rapidly otherwise)
AttributeDescriptor[] atts = new AttributeDescriptor[] { tuSchema
.getDescriptor("last_synchronization") };
Object[] values = new Object[] { new Date() };
Filter filter = ff.and(ff.equals(ff.property("table_id"), ff
.literal(tableId)), ff.equals(ff.property("unit_id"), ff
.literal(unitId)));
tuMetadata.modifyFeatures(atts, values, filter);
} else {
AttributeDescriptor[] atts = new AttributeDescriptor[] {
tuSchema.getDescriptor("last_synchronization"),
tuSchema.getDescriptor("getdiff_central_revision"),
tuSchema.getDescriptor("last_unit_revision") };
Object[] values = new Object[] { new Date(),
Long.parseLong(fs.getVersion()), gdr.getToVersion() };
Filter filter = ff.and(ff.equals(ff.property("table_id"), ff
.literal(tableId)), ff.equals(ff.property("unit_id"), ff
.literal(unitId)));
tuMetadata.modifyFeatures(atts, values, filter);
}
// mark the unit as succeffully updated
updateUnitStatus(ds, transaction, unitId, false);
// the the commit log
transaction.putProperty(VersioningDataStore.AUTHOR, "gss");
transaction.putProperty(VersioningDataStore.MESSAGE, "Synchronizing with Unit '"
+ unitName + "' on table '" + tableName + "': " + centralChangeCount
+ " changes sent and " + unitChangeCount + " changes received");
// close up
transaction.commit();
LOGGER.log(Level.INFO, "Successfull synchronisation of table " + tableName
+ " for unit " + unitName + "(" + centralChangeCount
+ " changes sent to the Unit, " + unitChangeCount
+ " change incoming from the Unit)");
} catch (Exception e) {
LOGGER.log(Level.SEVERE, "Synchronisation of table " + tableName + " for unit "
+ unitName + " failed", e);
// rollback all current changes
transaction.rollback();
// if anything at all went bad mark the layer synch as failed
FeatureStore<SimpleFeatureType, SimpleFeature> tuMetadata = (FeatureStore<SimpleFeatureType, SimpleFeature>) ds
.getFeatureSource(SYNCH_UNIT_TABLES);
SimpleFeatureType tuSchema = tuMetadata.getSchema();
AttributeDescriptor[] atts = new AttributeDescriptor[] { tuSchema
.getDescriptor("last_failure"), };
Object[] values = new Object[] { new Date() };
Filter filter = ff.and(ff.equals(ff.property("table_id"), ff.literal(tableId)),
ff.equals(ff.property("unit_id"), ff.literal(unitId)));
tuMetadata.modifyFeatures(atts, values, filter);
// mark the unit as failed
updateUnitStatus(ds, Transaction.AUTO_COMMIT, unitId, true);
// blacklist the unit, we'll retry later
unitBlacklist.add(unitId);
} finally {
if (transaction != null) {
transaction.close();
}
}
}
} finally {
if (fi != null) {
fi.close();
}
if (li != null) {
li.close();
}
}
}
| public void synchronizeOustandlingLayers() throws IOException {
// make sure we're properly configured
core.ensureEnabled();
if (core.getMode() != GSSMode.Central) {
return;
}
FeatureIterator<SimpleFeature> fi = null;
FeatureIterator<SimpleFeature> li = null;
try {
// grab the layers to be synchronised
VersioningDataStore ds = core.getVersioningStore();
FeatureSource<SimpleFeatureType, SimpleFeature> outstanding = ds
.getFeatureSource(SYNCH_OUTSTANDING);
DefaultQuery q = new DefaultQuery(SYNCH_OUTSTANDING);
q.setSortBy(new SortBy[] { ff.sort("last_synchronization", SortOrder.ASCENDING) });
LOGGER.info("Performing scheduled synchronisation");
fi = outstanding.getFeatures(q).features();
// the set of units we failed to synchronize with. The problem might be a connection
// timeout, we don't really want to multiply the timeout by the number of layers
Set<Integer> unitBlacklist = new HashSet<Integer>();
while (fi.hasNext()) {
// extract relevant attributes
SimpleFeature layer = fi.next();
int unitId = (Integer) layer.getAttribute("unit_id");
int tableId = (Integer) layer.getAttribute("table_id");
String unitName = (String) layer.getAttribute("unit_name");
String tableName = (String) layer.getAttribute("table_name");
String address = (String) layer.getAttribute("unit_address");
String user = (String) layer.getAttribute("synch_user");
String password = (String) layer.getAttribute("synch_password");
Long getDiffCentralRevision = (Long) layer.getAttribute("getdiff_central_revision");
Long lastUnitRevision = (Long) layer.getAttribute("last_unit_revision");
// avoid the unit that already failed this run, we'll try next run
if (unitBlacklist.contains(unitId)) {
LOGGER.log(Level.INFO, "Unit " + unitName + " is blacklisted "
+ "for this run, skipping " + tableName);
continue;
}
Transaction transaction = null;
try {
// build the transaction with the proper author and commit message
transaction = new DefaultTransaction();
// get the last central revision the client knows about
GSSClient client = getClient(address, user, password);
QName layerName = getLayerName(tableName);
long clientCentralRevision = client.getCentralRevision(layerName);
// compute the diff that we have to send the client. Notice that we have
// to skip over the local change occurred when we last performed a GetDiff
// against the client
VersioningFeatureStore fs = (VersioningFeatureStore) ds
.getFeatureSource(tableName);
fs.setTransaction(transaction);
String fromRevision = clientCentralRevision == -1 ? "FIRST" : String
.valueOf(clientCentralRevision);
TransactionType centralChanges;
if (getDiffCentralRevision == null) {
// first time
FeatureDiffReader fdr = fs.getDifferences(fromRevision, "LAST", null, null);
centralChanges = new VersioningTransactionConverter().convert(fdr,
TransactionType.class);
} else {
// we need to jump over the last local changes
String before = String.valueOf(getDiffCentralRevision - 1);
String after = String.valueOf(getDiffCentralRevision);
FeatureDiffReader fdr1 = fs
.getDifferences(fromRevision, before, null, null);
FeatureDiffReader fdr2 = fs.getDifferences(after, "LAST", null, null);
FeatureDiffReader[] fdr = new FeatureDiffReader[] { fdr1, fdr2 };
centralChanges = new VersioningTransactionConverter().convert(fdr,
TransactionType.class);
}
// what is the latest change on this layer? (worst case it's the last GetDiff
// from this Unit)
long lastCentralRevision = clientCentralRevision;
li = fs.getLog("LAST", fromRevision, null, null, 1).features();
if (li.hasNext()) {
lastCentralRevision = (Long) li.next().getAttribute("revision");
}
li.close();
// finally run the PostDiff
PostDiffType postDiff = new PostDiffType();
postDiff.setTypeName(layerName);
postDiff.setFromVersion(clientCentralRevision);
postDiff.setToVersion(lastCentralRevision);
postDiff.setTransaction(centralChanges);
client.postDiff(postDiff);
// grab the changes from the client and apply them locally
GetDiffType getDiff = new GetDiffType();
getDiff.setFromVersion(lastUnitRevision == null ? -1 : lastUnitRevision);
getDiff.setTypeName(layerName);
GetDiffResponseType gdr = client.getDiff(getDiff);
TransactionType unitChanges = gdr.getTransaction();
core.applyChanges(unitChanges, fs);
// mark down this layer as succesfully synchronised
FeatureStore<SimpleFeatureType, SimpleFeature> tuMetadata = (FeatureStore<SimpleFeatureType, SimpleFeature>) ds
.getFeatureSource(SYNCH_UNIT_TABLES);
tuMetadata.setTransaction(transaction);
SimpleFeatureType tuSchema = tuMetadata.getSchema();
int unitChangeCount = core.countChanges(unitChanges);
int centralChangeCount = core.countChanges(centralChanges);
if (unitChangeCount == 0 && centralChangeCount == 0) {
// just update the last_synch marker, as nothing else happened and
// this way we can avoid eating away central revision number (which
// might go up very rapidly otherwise)
AttributeDescriptor[] atts = new AttributeDescriptor[] { tuSchema
.getDescriptor("last_synchronization") };
Object[] values = new Object[] { new Date() };
Filter filter = ff.and(ff.equals(ff.property("table_id"), ff
.literal(tableId)), ff.equals(ff.property("unit_id"), ff
.literal(unitId)));
tuMetadata.modifyFeatures(atts, values, filter);
} else {
AttributeDescriptor[] atts = new AttributeDescriptor[] {
tuSchema.getDescriptor("last_synchronization"),
tuSchema.getDescriptor("getdiff_central_revision"),
tuSchema.getDescriptor("last_unit_revision") };
Object[] values = new Object[] { new Date(),
Long.parseLong(fs.getVersion()), gdr.getToVersion() };
Filter filter = ff.and(ff.equals(ff.property("table_id"), ff
.literal(tableId)), ff.equals(ff.property("unit_id"), ff
.literal(unitId)));
tuMetadata.modifyFeatures(atts, values, filter);
}
// mark the unit as succeffully updated
updateUnitStatus(ds, transaction, unitId, false);
// the the commit log
transaction.putProperty(VersioningDataStore.AUTHOR, "gss");
transaction.putProperty(VersioningDataStore.MESSAGE, "Synchronizing with Unit '"
+ unitName + "' on table '" + tableName + "': " + centralChangeCount
+ " changes sent and " + unitChangeCount + " changes received");
// close up
transaction.commit();
LOGGER.log(Level.INFO, "Successfull synchronisation of table " + tableName
+ " for unit " + unitName + "(" + centralChangeCount
+ " changes sent to the Unit, " + unitChangeCount
+ " change incoming from the Unit)");
} catch (Exception e) {
LOGGER.log(Level.SEVERE, "Synchronisation of table " + tableName + " for unit "
+ unitName + " failed", e);
// rollback all current changes
transaction.rollback();
// if anything at all went bad mark the layer synch as failed
FeatureStore<SimpleFeatureType, SimpleFeature> tuMetadata = (FeatureStore<SimpleFeatureType, SimpleFeature>) ds
.getFeatureSource(SYNCH_UNIT_TABLES);
SimpleFeatureType tuSchema = tuMetadata.getSchema();
AttributeDescriptor[] atts = new AttributeDescriptor[] { tuSchema
.getDescriptor("last_failure"), };
Object[] values = new Object[] { new Date() };
Filter filter = ff.and(ff.equals(ff.property("table_id"), ff.literal(tableId)),
ff.equals(ff.property("unit_id"), ff.literal(unitId)));
tuMetadata.modifyFeatures(atts, values, filter);
// mark the unit as failed
updateUnitStatus(ds, Transaction.AUTO_COMMIT, unitId, true);
// blacklist the unit, we'll retry later
unitBlacklist.add(unitId);
} finally {
if (transaction != null) {
transaction.close();
}
}
}
} finally {
if (fi != null) {
fi.close();
}
if (li != null) {
li.close();
}
}
}
|
diff --git a/examples/activeweb-simple/src/test/java/app/views/books/ShowSpec.java b/examples/activeweb-simple/src/test/java/app/views/books/ShowSpec.java
index 789ebdc..db0b854 100644
--- a/examples/activeweb-simple/src/test/java/app/views/books/ShowSpec.java
+++ b/examples/activeweb-simple/src/test/java/app/views/books/ShowSpec.java
@@ -1,29 +1,29 @@
package app.views.books;
import app.controllers.BooksController;
import org.javalite.activeweb.ViewSpec;
import org.junit.Test;
import java.util.Map;
import static org.javalite.common.Collections.map;
/**
* @author Igor Polevoy: 3/31/12 5:13 PM
*/
public class ShowSpec extends ViewSpec {
@Test
- public void shouldRenderOneBook(){
+ public void shouldRenderOneBook() {
setCurrentController(BooksController.class);
Map book = map("author", "Douglas Adams", "title", "The Restaurant at the End of the Universe", "isbn", "ISBN 0-345-39181-0");
- a(render("/books/show", map("book", book))).shouldBeEqual("\n<a href=\"/test_context/books\" data-link=\"aw\">Back to all books</a>\n" +
- "<h2>Book: \"The Restaurant at the End of the Universe\"</h2>\n" +
- "<strong>Author:</strong> Douglas Adams, <strong>ISBN:</strong> ISBN 0-345-39181-0");
+ String renderedPage = render("/books/show", map("book", book));
+ a(renderedPage).shouldContain("<h2>Book: The Restaurant at the End of the Universe</h2>");
+ a(renderedPage).shouldContain("<strong>Author:</strong> Douglas Adams, <strong>ISBN:</strong> ISBN 0-345-39181-0");
a(contentFor("title").get(0)).shouldBeEqual("Book: The Restaurant at the End of the Universe");
}
}
| false | true | public void shouldRenderOneBook(){
setCurrentController(BooksController.class);
Map book = map("author", "Douglas Adams", "title", "The Restaurant at the End of the Universe", "isbn", "ISBN 0-345-39181-0");
a(render("/books/show", map("book", book))).shouldBeEqual("\n<a href=\"/test_context/books\" data-link=\"aw\">Back to all books</a>\n" +
"<h2>Book: \"The Restaurant at the End of the Universe\"</h2>\n" +
"<strong>Author:</strong> Douglas Adams, <strong>ISBN:</strong> ISBN 0-345-39181-0");
a(contentFor("title").get(0)).shouldBeEqual("Book: The Restaurant at the End of the Universe");
}
| public void shouldRenderOneBook() {
setCurrentController(BooksController.class);
Map book = map("author", "Douglas Adams", "title", "The Restaurant at the End of the Universe", "isbn", "ISBN 0-345-39181-0");
String renderedPage = render("/books/show", map("book", book));
a(renderedPage).shouldContain("<h2>Book: The Restaurant at the End of the Universe</h2>");
a(renderedPage).shouldContain("<strong>Author:</strong> Douglas Adams, <strong>ISBN:</strong> ISBN 0-345-39181-0");
a(contentFor("title").get(0)).shouldBeEqual("Book: The Restaurant at the End of the Universe");
}
|
diff --git a/src/ca/ubc/ctlt/copyalerts/indexer/CSIndexJob.java b/src/ca/ubc/ctlt/copyalerts/indexer/CSIndexJob.java
index 1cbad72..6b453dd 100644
--- a/src/ca/ubc/ctlt/copyalerts/indexer/CSIndexJob.java
+++ b/src/ca/ubc/ctlt/copyalerts/indexer/CSIndexJob.java
@@ -1,392 +1,408 @@
package ca.ubc.ctlt.copyalerts.indexer;
import java.sql.Timestamp;
import java.util.ArrayList;
import java.util.Date;
import org.quartz.DateBuilder.IntervalUnit;
import org.quartz.DisallowConcurrentExecution;
import org.quartz.InterruptableJob;
import org.quartz.JobDetail;
import org.quartz.JobExecutionContext;
import org.quartz.JobExecutionException;
import org.quartz.Scheduler;
import org.quartz.SchedulerException;
import org.quartz.Trigger;
import org.quartz.Trigger.CompletedExecutionInstruction;
import org.quartz.TriggerListener;
import org.quartz.UnableToInterruptJobException;
import org.quartz.jobs.NoOpJob;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import static org.quartz.JobBuilder.*;
import static org.quartz.TriggerBuilder.*;
import static org.quartz.DateBuilder.*;
import static org.quartz.impl.matchers.GroupMatcher.*;
import blackboard.cms.filesystem.CSContext;
import blackboard.cms.filesystem.CSEntry;
import blackboard.cms.filesystem.CSFile;
import blackboard.db.ConnectionNotAvailableException;
import blackboard.persist.PersistenceException;
import blackboard.platform.vxi.service.VirtualSystemException;
import ca.ubc.ctlt.copyalerts.configuration.HostResolver;
import ca.ubc.ctlt.copyalerts.configuration.SavedConfiguration;
import ca.ubc.ctlt.copyalerts.db.FilesTable;
import ca.ubc.ctlt.copyalerts.db.HostsTable;
import ca.ubc.ctlt.copyalerts.db.InaccessibleDbException;
import ca.ubc.ctlt.copyalerts.db.QueueTable;
@DisallowConcurrentExecution
public class CSIndexJob implements InterruptableJob, TriggerListener
{
private final static Logger logger = LoggerFactory.getLogger(CSIndexJob.class);
private final static String JOBGROUP = "CSIndexJobGroup";
// Execute will check this variable periodically. If true, it'll immediately stop execution.
public Boolean stop = false;
// this job does nothing, but we use the trigger to tell us if the job's time limit has been reached
private JobDetail noopJob = newJob(NoOpJob.class).withIdentity("CSIndexJobNoOp", JOBGROUP).build();
// needed to be made class vars for use by cleanUpOnException
private HostsTable ht = null;
private JobExecutionContext context = null;
private Timestamp started = new Timestamp(0);
private Timestamp ended = new Timestamp(0);
private String hostname = HostResolver.getHostname();
public CSIndexJob() throws ConnectionNotAvailableException
{
}
@Override
public void execute(JobExecutionContext context) throws JobExecutionException
{
logger.info("Indexing Start");
this.context = context;
// only 1 of the servers should be running indexing, check if this is us
try
{
ht = new HostsTable();
if (!ht.getLeader().equals(hostname))
{
logger.info("We're not selected as the alert generation host, stopping.");
return;
}
} catch (VirtualSystemException e)
{
throw cleanUpOnException(e);
} catch (InaccessibleDbException e)
{
throw cleanUpOnException(e);
}
// Implement execution time limit (if needed)
// Basically, we'll have a trigger that'll fire after the time limit has passed. We use the CSIndexJob object as a trigger listener
// and will trigger an interrupt when the time has passed.
SavedConfiguration config;
started = new Timestamp((new Date()).getTime());
try
{
// Save the fact that we've started running
ht.saveRunStats(hostname, HostsTable.STATUS_RUNNING, started, ended);
// load configuration
config = SavedConfiguration.getInstance();
} catch (InaccessibleDbException e)
{
throw cleanUpOnException(e);
}
Scheduler sched = context.getScheduler();
Trigger trigger;
if (config.isLimited())
{
int minutes = (config.getHours() * 60) + config.getMinutes();
logger.info("Limit execution to " + minutes + " minutes.");
trigger = newTrigger()
.withIdentity("CSIndexJobStopTrigger", JOBGROUP)
.startAt(futureDate(minutes, IntervalUnit.MINUTE))
.build();
try
{
sched.scheduleJob(noopJob, trigger);
sched.getListenerManager().addTriggerListener(this, triggerGroupEquals(JOBGROUP));
} catch (SchedulerException e)
{
throw cleanUpOnException(e);
}
}
// run indexing
boolean limitReached = false;
try
{
boolean ret = indexer(config);
if (ret)
{
ended = new Timestamp((new Date()).getTime());
logger.debug("Finished by time limit");
ht.saveRunStats(hostname, HostsTable.STATUS_LIMIT, started, ended);
limitReached = true;
}
} catch (JobExecutionException e)
{
logger.error("Indexer failed during execution.");
throw cleanUpOnException(e);
} catch (InaccessibleDbException e)
{
logger.error("Indexer could not access database.");
throw cleanUpOnException(e);
} catch(Exception e)
{
logger.error("Indexer threw unexpected exception.");
throw new JobExecutionException(e);
}
// Remove execution time limit now that we're done
if (config.isLimited())
{
try
{
logger.debug("Removing limit trigger");
sched.deleteJob(noopJob.getKey());
} catch (SchedulerException e)
{
logger.warn("Unable to remove limit trigger listener.", e);
}
}
// Save the fact that we've finished running only if we didn't finish by time limit
if (!limitReached)
{
Timestamp ended = new Timestamp((new Date()).getTime());
try
{
ht.saveRunStats(hostname, HostsTable.STATUS_STOPPED, started, ended);
} catch (InaccessibleDbException e)
{
logger.warn("Unable to save run stats.", e);
}
}
logger.info("ubc.ctlt.copyalerts Done");
}
/**
* Need to remove the limit trigger if we've set it and need to update status with error
* @param e
* @throws JobExecutionException
*/
private JobExecutionException cleanUpOnException(Exception e)
{
Scheduler sched = context.getScheduler();
try
{
if (sched.checkExists(noopJob.getKey()))
{
sched.deleteJob(noopJob.getKey());
}
} catch (SchedulerException e1)
{
logger.error("Exception clean up failed, unable to remove time limit trigger.");
}
try
{
ht.saveRunStats(hostname, HostsTable.STATUS_ERROR, started, ended);
} catch (InaccessibleDbException e1)
{
logger.error("Exception clean up failed, unable to update execution status.");
}
logger.error(e.getMessage(), e);
return new JobExecutionException(e);
}
/**
* The actual indexing operation
* @param config
* @return true if stopped by time limit, false otherwise
* @throws JobExecutionException
*/
private boolean indexer(SavedConfiguration config) throws JobExecutionException
{
// run actual job
// part 1, try generating the queue
QueueTable queue;
logger.info("Queue Generation Start");
ArrayList<String> paths = new ArrayList<String>();
+ // we're either going to continue processing a previously generated queue or have to generate a new queue entirely.
+ // assume that we're continuing processing a previously generated queue for now
+ boolean newQueue = false;
try
{
queue = new QueueTable();
paths = queue.load();
if (paths.isEmpty())
{
QueueGenerator generator = new QueueGenerator();
// put files into the queue, 500 at a time, making sure to check if we need to stop
while (generator.hasNext())
{
paths = generator.next();
queue.add(paths);
if (syncStop())
{
return true;
}
}
// now we can process the paths from the start
paths = queue.load();
+ // we just generated a new queue, so definitely not loading leftovers from the last run
+ newQueue = true;
+ logger.debug("Generated new queue.");
+ }
+ else
+ {
+ logger.debug("Continue with previously generated queue.");
}
} catch (InaccessibleDbException e1)
{
logger.error("Could not access database, stopping index job.", e1);
throw new JobExecutionException(e1);
} catch (PersistenceException e)
{
logger.error("Persistence Exception.", e);
throw new JobExecutionException(e);
}
// make sure not to execute next part if we're supposed to halt
logger.info("Queue Generation Done");
if (syncStop())
{
return true;
}
// part 2, go through the queue and check each file's metadata
logger.info("Check Metadata Start");
IndexGenerator indexGen;
try
{
indexGen = new IndexGenerator(config.getAttributes());
} catch (PersistenceException e)
{
logger.error("Could not get metadata template attributes.", e);
throw new JobExecutionException(e);
}
// clear the database
try
{
- FilesTable ft = new FilesTable();
- ft.deleteAll();
+ // only clear the database if it's a new run
+ // and we're not finishing up the last run
+ if (newQueue)
+ {
+ logger.debug("Removing all previous file records.");
+ FilesTable ft = new FilesTable();
+ ft.deleteAll();
+ }
} catch (InaccessibleDbException e)
{
logger.error("Could not reset the database.", e);
throw new JobExecutionException(e);
}
while (!paths.isEmpty())
{
logger.debug("Copyright Alerts Indexing: " + paths.get(0));
for (String p : paths)
{
CSContext ctx = CSContext.getContext();
// Give ourself permission to do anything in the Content Collections.
// Must do this cause we don't have a real request contest that many of the CS API calls
// require when you're not a superuser.
ctx.isSuperUser(true);
// Retrieve file entry
CSEntry entry = ctx.findEntry(p);
if (entry == null)
{
continue;
}
CSFile file = (CSFile) entry;
// Retrieve metadata
try
{
indexGen.process(file);
} catch (PersistenceException e)
{
logger.error("Could not access BB database, stopping index job.", e);
throw new JobExecutionException(e);
} catch (InaccessibleDbException e)
{
logger.error("Could not access database, stopping index job.", e);
throw new JobExecutionException(e);
}
}
// load next batch of files
try
{
queue.pop();
paths = queue.load();
} catch (InaccessibleDbException e)
{
logger.error("Could not access database, stopping index job.", e);
throw new JobExecutionException(e);
}
if (syncStop())
{
return true;
}
}
logger.info("Check Metadata Done");
return false;
}
@Override
public void interrupt() throws UnableToInterruptJobException
{
logger.debug("Index job interrupt.");
// inform execute that it should stop now
synchronized (stop)
{
stop = true;
}
}
/**
* For implementing execution time limits, interrupt myself when time is up.
*/
@Override
public void triggerFired(Trigger arg0, JobExecutionContext arg1)
{
try
{
interrupt();
} catch (UnableToInterruptJobException e)
{
logger.error("Unable to self interrupt.", e);
}
}
private boolean syncStop()
{
synchronized (stop)
{
if (stop)
{
logger.info("Indexing stopping");
return true;
}
}
return false;
}
// trigger required methods that I don't care about
@Override
public String getName()
{
// TODO Auto-generated method stub
return "CSIndexJobListener";
}
@Override
public void triggerComplete(Trigger arg0, JobExecutionContext arg1, CompletedExecutionInstruction arg2)
{
}
@Override
public void triggerMisfired(Trigger arg0)
{
}
@Override
public boolean vetoJobExecution(Trigger arg0, JobExecutionContext arg1)
{
return false;
}
}
| false | true | private boolean indexer(SavedConfiguration config) throws JobExecutionException
{
// run actual job
// part 1, try generating the queue
QueueTable queue;
logger.info("Queue Generation Start");
ArrayList<String> paths = new ArrayList<String>();
try
{
queue = new QueueTable();
paths = queue.load();
if (paths.isEmpty())
{
QueueGenerator generator = new QueueGenerator();
// put files into the queue, 500 at a time, making sure to check if we need to stop
while (generator.hasNext())
{
paths = generator.next();
queue.add(paths);
if (syncStop())
{
return true;
}
}
// now we can process the paths from the start
paths = queue.load();
}
} catch (InaccessibleDbException e1)
{
logger.error("Could not access database, stopping index job.", e1);
throw new JobExecutionException(e1);
} catch (PersistenceException e)
{
logger.error("Persistence Exception.", e);
throw new JobExecutionException(e);
}
// make sure not to execute next part if we're supposed to halt
logger.info("Queue Generation Done");
if (syncStop())
{
return true;
}
// part 2, go through the queue and check each file's metadata
logger.info("Check Metadata Start");
IndexGenerator indexGen;
try
{
indexGen = new IndexGenerator(config.getAttributes());
} catch (PersistenceException e)
{
logger.error("Could not get metadata template attributes.", e);
throw new JobExecutionException(e);
}
// clear the database
try
{
FilesTable ft = new FilesTable();
ft.deleteAll();
} catch (InaccessibleDbException e)
{
logger.error("Could not reset the database.", e);
throw new JobExecutionException(e);
}
while (!paths.isEmpty())
{
logger.debug("Copyright Alerts Indexing: " + paths.get(0));
for (String p : paths)
{
CSContext ctx = CSContext.getContext();
// Give ourself permission to do anything in the Content Collections.
// Must do this cause we don't have a real request contest that many of the CS API calls
// require when you're not a superuser.
ctx.isSuperUser(true);
// Retrieve file entry
CSEntry entry = ctx.findEntry(p);
if (entry == null)
{
continue;
}
CSFile file = (CSFile) entry;
// Retrieve metadata
try
{
indexGen.process(file);
} catch (PersistenceException e)
{
logger.error("Could not access BB database, stopping index job.", e);
throw new JobExecutionException(e);
} catch (InaccessibleDbException e)
{
logger.error("Could not access database, stopping index job.", e);
throw new JobExecutionException(e);
}
}
// load next batch of files
try
{
queue.pop();
paths = queue.load();
} catch (InaccessibleDbException e)
{
logger.error("Could not access database, stopping index job.", e);
throw new JobExecutionException(e);
}
if (syncStop())
{
return true;
}
}
logger.info("Check Metadata Done");
return false;
}
| private boolean indexer(SavedConfiguration config) throws JobExecutionException
{
// run actual job
// part 1, try generating the queue
QueueTable queue;
logger.info("Queue Generation Start");
ArrayList<String> paths = new ArrayList<String>();
// we're either going to continue processing a previously generated queue or have to generate a new queue entirely.
// assume that we're continuing processing a previously generated queue for now
boolean newQueue = false;
try
{
queue = new QueueTable();
paths = queue.load();
if (paths.isEmpty())
{
QueueGenerator generator = new QueueGenerator();
// put files into the queue, 500 at a time, making sure to check if we need to stop
while (generator.hasNext())
{
paths = generator.next();
queue.add(paths);
if (syncStop())
{
return true;
}
}
// now we can process the paths from the start
paths = queue.load();
// we just generated a new queue, so definitely not loading leftovers from the last run
newQueue = true;
logger.debug("Generated new queue.");
}
else
{
logger.debug("Continue with previously generated queue.");
}
} catch (InaccessibleDbException e1)
{
logger.error("Could not access database, stopping index job.", e1);
throw new JobExecutionException(e1);
} catch (PersistenceException e)
{
logger.error("Persistence Exception.", e);
throw new JobExecutionException(e);
}
// make sure not to execute next part if we're supposed to halt
logger.info("Queue Generation Done");
if (syncStop())
{
return true;
}
// part 2, go through the queue and check each file's metadata
logger.info("Check Metadata Start");
IndexGenerator indexGen;
try
{
indexGen = new IndexGenerator(config.getAttributes());
} catch (PersistenceException e)
{
logger.error("Could not get metadata template attributes.", e);
throw new JobExecutionException(e);
}
// clear the database
try
{
// only clear the database if it's a new run
// and we're not finishing up the last run
if (newQueue)
{
logger.debug("Removing all previous file records.");
FilesTable ft = new FilesTable();
ft.deleteAll();
}
} catch (InaccessibleDbException e)
{
logger.error("Could not reset the database.", e);
throw new JobExecutionException(e);
}
while (!paths.isEmpty())
{
logger.debug("Copyright Alerts Indexing: " + paths.get(0));
for (String p : paths)
{
CSContext ctx = CSContext.getContext();
// Give ourself permission to do anything in the Content Collections.
// Must do this cause we don't have a real request contest that many of the CS API calls
// require when you're not a superuser.
ctx.isSuperUser(true);
// Retrieve file entry
CSEntry entry = ctx.findEntry(p);
if (entry == null)
{
continue;
}
CSFile file = (CSFile) entry;
// Retrieve metadata
try
{
indexGen.process(file);
} catch (PersistenceException e)
{
logger.error("Could not access BB database, stopping index job.", e);
throw new JobExecutionException(e);
} catch (InaccessibleDbException e)
{
logger.error("Could not access database, stopping index job.", e);
throw new JobExecutionException(e);
}
}
// load next batch of files
try
{
queue.pop();
paths = queue.load();
} catch (InaccessibleDbException e)
{
logger.error("Could not access database, stopping index job.", e);
throw new JobExecutionException(e);
}
if (syncStop())
{
return true;
}
}
logger.info("Check Metadata Done");
return false;
}
|
diff --git a/src/org/eclipse/imp/lpg/parser/ParseController.java b/src/org/eclipse/imp/lpg/parser/ParseController.java
index 2147eb3..7b3e5e2 100644
--- a/src/org/eclipse/imp/lpg/parser/ParseController.java
+++ b/src/org/eclipse/imp/lpg/parser/ParseController.java
@@ -1,113 +1,113 @@
/*
* Created on Oct 28, 2005
*/
package org.jikespg.uide.parser;
import java.util.Collections;
import java.util.List;
import lpg.lpgjavaruntime.IToken;
import lpg.lpgjavaruntime.Monitor;
import org.eclipse.core.resources.IProject;
import org.eclipse.core.runtime.IProgressMonitor;
import org.eclipse.uide.parser.IASTNodeLocator;
import org.eclipse.uide.parser.ILexer;
import org.eclipse.uide.parser.IParseController;
import org.eclipse.uide.parser.IParser;
import org.eclipse.uide.parser.ParseError;
import org.jikespg.uide.parser.JikesPGParser.ASTNode;
public class ParseController implements IParseController {
private String filePath;
private IProject project;
private JikesPGParser parser;
private JikesPGLexer lexer;
private ASTNode currentAst;
private char keywords[][];
private boolean isKeyword[];
public void initialize(String filePath, IProject project) {
this.filePath= filePath;
this.project= project;
}
public IParser getParser() { return parser; }
public ILexer getLexer() { return lexer; }
public Object getCurrentAst() { return currentAst; }
public char [][] getKeywords() { return keywords; }
public boolean isKeyword(int kind) { return isKeyword[kind]; }
public int getTokenIndexAtCharacter(int offset)
{
int index = parser.getParseStream().getTokenIndexAtCharacter(offset);
return (index < 0 ? -index : index);
}
public IToken getTokenAtCharacter(int offset) {
return parser.getParseStream().getTokenAtCharacter(offset);
}
public IASTNodeLocator getNodeLocator() {
return new NodeLocator(this);
}
public boolean hasErrors() { return currentAst == null; }
public List getErrors() { return Collections.singletonList(new ParseError("parse error", null)); }
public ParseController() {
lexer = new JikesPGLexer(); // Create the lexer
parser = new JikesPGParser(lexer.getLexStream()); // Create the parser
}
class MyMonitor implements Monitor {
IProgressMonitor monitor;
boolean wasCancelled= false;
MyMonitor(IProgressMonitor monitor) {
this.monitor = monitor;
}
public boolean isCancelled() {
if (!wasCancelled)
wasCancelled = monitor.isCanceled();
return wasCancelled;
}
}
public Object parse(String contents, boolean scanOnly, IProgressMonitor monitor) {
MyMonitor my_monitor = new MyMonitor(monitor);
char[] contentsArray = contents.toCharArray();
//
// No need to reconstruct the parser. Just reset the lexer.
//
// lexer = new SmalltalkLexer(contentsArray, "ECLIPSE FILE"); // Create the lexer
// parser = new SmalltalkParser((LexStream) lexer); // Create the parser
lexer.initialize(contentsArray, filePath);
parser.getParseStream().resetTokenStream();
lexer.lexer(my_monitor, parser.getParseStream()); // Lex the stream to produce the token stream
if (my_monitor.isCancelled())
return currentAst; // TODO currentAst might (probably will) be inconsistent wrt the lex stream now
currentAst = (ASTNode) parser.parser(my_monitor, 0);
-// if (currentAst == null)
+ if (currentAst == null)
parser.dumpTokens();
if (keywords == null)
initKeywords();
return currentAst;
}
private void initKeywords() {
String tokenKindNames[] = parser.getParseStream().orderedTerminalSymbols();
this.isKeyword = new boolean[tokenKindNames.length];
this.keywords = new char[tokenKindNames.length][];
int [] keywordKinds = lexer.getKeywordKinds();
for (int i = 1; i < keywordKinds.length; i++)
{
int index = parser.getParseStream().mapKind(keywordKinds[i]);
isKeyword[index] = true;
keywords[index] = parser.getParseStream().orderedTerminalSymbols()[index].toCharArray();
}
}
}
| true | true | public Object parse(String contents, boolean scanOnly, IProgressMonitor monitor) {
MyMonitor my_monitor = new MyMonitor(monitor);
char[] contentsArray = contents.toCharArray();
//
// No need to reconstruct the parser. Just reset the lexer.
//
// lexer = new SmalltalkLexer(contentsArray, "ECLIPSE FILE"); // Create the lexer
// parser = new SmalltalkParser((LexStream) lexer); // Create the parser
lexer.initialize(contentsArray, filePath);
parser.getParseStream().resetTokenStream();
lexer.lexer(my_monitor, parser.getParseStream()); // Lex the stream to produce the token stream
if (my_monitor.isCancelled())
return currentAst; // TODO currentAst might (probably will) be inconsistent wrt the lex stream now
currentAst = (ASTNode) parser.parser(my_monitor, 0);
// if (currentAst == null)
parser.dumpTokens();
if (keywords == null)
initKeywords();
return currentAst;
}
| public Object parse(String contents, boolean scanOnly, IProgressMonitor monitor) {
MyMonitor my_monitor = new MyMonitor(monitor);
char[] contentsArray = contents.toCharArray();
//
// No need to reconstruct the parser. Just reset the lexer.
//
// lexer = new SmalltalkLexer(contentsArray, "ECLIPSE FILE"); // Create the lexer
// parser = new SmalltalkParser((LexStream) lexer); // Create the parser
lexer.initialize(contentsArray, filePath);
parser.getParseStream().resetTokenStream();
lexer.lexer(my_monitor, parser.getParseStream()); // Lex the stream to produce the token stream
if (my_monitor.isCancelled())
return currentAst; // TODO currentAst might (probably will) be inconsistent wrt the lex stream now
currentAst = (ASTNode) parser.parser(my_monitor, 0);
if (currentAst == null)
parser.dumpTokens();
if (keywords == null)
initKeywords();
return currentAst;
}
|
diff --git a/panc/src/main/java/org/quattor/pan/utils/XmlUtils.java b/panc/src/main/java/org/quattor/pan/utils/XmlUtils.java
index 02f04fa..923e46a 100644
--- a/panc/src/main/java/org/quattor/pan/utils/XmlUtils.java
+++ b/panc/src/main/java/org/quattor/pan/utils/XmlUtils.java
@@ -1,67 +1,65 @@
package org.quattor.pan.utils;
import static org.quattor.pan.utils.MessageUtils.MSG_MISSING_SAX_TRANSFORMER;
import static org.quattor.pan.utils.MessageUtils.MSG_UNEXPECTED_EXCEPTION_WHILE_WRITING_OUTPUT;
import java.util.Properties;
import javax.xml.transform.OutputKeys;
import javax.xml.transform.Transformer;
import javax.xml.transform.TransformerConfigurationException;
import javax.xml.transform.TransformerFactory;
import javax.xml.transform.sax.SAXTransformerFactory;
import javax.xml.transform.sax.TransformerHandler;
import org.quattor.pan.exceptions.CompilerError;
public class XmlUtils {
private XmlUtils() {
}
public static TransformerHandler getSaxTransformerHandler() {
try {
// Generate the transformer factory. Need to guarantee that we get a
// SAXTransformerFactory.
TransformerFactory factory = TransformerFactory.newInstance();
if (!factory.getFeature(SAXTransformerFactory.FEATURE)) {
throw CompilerError.create(MSG_MISSING_SAX_TRANSFORMER);
}
// Only set the indentation if the returned TransformerFactory
// supports it.
- if (factory.getFeature("indent-number")) {
- try {
- factory.setAttribute("indent-number", Integer.valueOf(4));
- } catch (Exception consumed) {
- }
+ try {
+ factory.setAttribute("indent-number", Integer.valueOf(4));
+ } catch (IllegalArgumentException consumed) {
}
// Can safely cast the factory to a SAX-specific one. Get the
// handler to feed with SAX events.
SAXTransformerFactory saxfactory = (SAXTransformerFactory) factory;
TransformerHandler handler = saxfactory.newTransformerHandler();
// Set parameters of the embedded transformer.
Transformer transformer = handler.getTransformer();
Properties properties = new Properties();
properties.setProperty(OutputKeys.INDENT, "yes");
properties.setProperty(OutputKeys.METHOD, "xml");
transformer.setOutputProperties(properties);
return handler;
} catch (TransformerConfigurationException tce) {
Error error = CompilerError
.create(MSG_UNEXPECTED_EXCEPTION_WHILE_WRITING_OUTPUT);
error.initCause(tce);
throw error;
}
}
}
| true | true | public static TransformerHandler getSaxTransformerHandler() {
try {
// Generate the transformer factory. Need to guarantee that we get a
// SAXTransformerFactory.
TransformerFactory factory = TransformerFactory.newInstance();
if (!factory.getFeature(SAXTransformerFactory.FEATURE)) {
throw CompilerError.create(MSG_MISSING_SAX_TRANSFORMER);
}
// Only set the indentation if the returned TransformerFactory
// supports it.
if (factory.getFeature("indent-number")) {
try {
factory.setAttribute("indent-number", Integer.valueOf(4));
} catch (Exception consumed) {
}
}
// Can safely cast the factory to a SAX-specific one. Get the
// handler to feed with SAX events.
SAXTransformerFactory saxfactory = (SAXTransformerFactory) factory;
TransformerHandler handler = saxfactory.newTransformerHandler();
// Set parameters of the embedded transformer.
Transformer transformer = handler.getTransformer();
Properties properties = new Properties();
properties.setProperty(OutputKeys.INDENT, "yes");
properties.setProperty(OutputKeys.METHOD, "xml");
transformer.setOutputProperties(properties);
return handler;
} catch (TransformerConfigurationException tce) {
Error error = CompilerError
.create(MSG_UNEXPECTED_EXCEPTION_WHILE_WRITING_OUTPUT);
error.initCause(tce);
throw error;
}
}
| public static TransformerHandler getSaxTransformerHandler() {
try {
// Generate the transformer factory. Need to guarantee that we get a
// SAXTransformerFactory.
TransformerFactory factory = TransformerFactory.newInstance();
if (!factory.getFeature(SAXTransformerFactory.FEATURE)) {
throw CompilerError.create(MSG_MISSING_SAX_TRANSFORMER);
}
// Only set the indentation if the returned TransformerFactory
// supports it.
try {
factory.setAttribute("indent-number", Integer.valueOf(4));
} catch (IllegalArgumentException consumed) {
}
// Can safely cast the factory to a SAX-specific one. Get the
// handler to feed with SAX events.
SAXTransformerFactory saxfactory = (SAXTransformerFactory) factory;
TransformerHandler handler = saxfactory.newTransformerHandler();
// Set parameters of the embedded transformer.
Transformer transformer = handler.getTransformer();
Properties properties = new Properties();
properties.setProperty(OutputKeys.INDENT, "yes");
properties.setProperty(OutputKeys.METHOD, "xml");
transformer.setOutputProperties(properties);
return handler;
} catch (TransformerConfigurationException tce) {
Error error = CompilerError
.create(MSG_UNEXPECTED_EXCEPTION_WHILE_WRITING_OUTPUT);
error.initCause(tce);
throw error;
}
}
|
diff --git a/52n-sos-importer/52n-sos-importer-core/src/main/java/org/n52/sos/importer/controller/Step6bSpecialController.java b/52n-sos-importer/52n-sos-importer-core/src/main/java/org/n52/sos/importer/controller/Step6bSpecialController.java
index c54af863..ab700302 100644
--- a/52n-sos-importer/52n-sos-importer-core/src/main/java/org/n52/sos/importer/controller/Step6bSpecialController.java
+++ b/52n-sos-importer/52n-sos-importer-core/src/main/java/org/n52/sos/importer/controller/Step6bSpecialController.java
@@ -1,195 +1,197 @@
/**
* Copyright (C) 2012
* by 52North Initiative for Geospatial Open Source Software GmbH
*
* Contact: Andreas Wytzisk
* 52 North Initiative for Geospatial Open Source Software GmbH
* Martin-Luther-King-Weg 24
* 48155 Muenster, Germany
* [email protected]
*
* This program is free software; you can redistribute and/or modify it under
* the terms of the GNU General Public License version 2 as published by the
* Free Software Foundation.
*
* This program is distributed WITHOUT ANY WARRANTY; even without the implied
* WARRANTY OF MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
* General Public License for more details.
*
* You should have received a copy of the GNU General Public License along with
* this program (see gnu-gpl v2.txt). If not, write to the Free Software
* Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA or
* visit the Free Software Foundation web page, http://www.fsf.org.
*/
package org.n52.sos.importer.controller;
import java.util.ArrayList;
import java.util.List;
import javax.swing.JPanel;
import org.apache.log4j.Logger;
import org.n52.sos.importer.model.ModelStore;
import org.n52.sos.importer.model.Step6bSpecialModel;
import org.n52.sos.importer.model.StepModel;
import org.n52.sos.importer.model.measuredValue.MeasuredValue;
import org.n52.sos.importer.model.resources.FeatureOfInterest;
import org.n52.sos.importer.model.resources.ObservedProperty;
import org.n52.sos.importer.model.resources.Sensor;
import org.n52.sos.importer.model.table.Cell;
import org.n52.sos.importer.model.table.Column;
import org.n52.sos.importer.model.table.Row;
import org.n52.sos.importer.view.MissingComponentPanel;
import org.n52.sos.importer.view.Step6Panel;
import org.n52.sos.importer.view.i18n.Lang;
import org.n52.sos.importer.view.resources.MissingResourcePanel;
/**
* used to determine sensors in case there is one of the following
* relationships between feature of interest and observed property
* column: 0:1, 0:n, n:0, 1:0, 1:1, n:n
* @author Raimund
*
*/
public class Step6bSpecialController extends StepController {
private static final Logger logger = Logger.getLogger(Step6bSpecialController.class);
private Step6bSpecialModel step6bSpecialModel;
private Step6Panel step6cPanel;
private MissingResourcePanel missingResourcePanel;
private TableController tableController;
private int firstLineWithData;
public Step6bSpecialController(int firstLineWithData) {
this.firstLineWithData = firstLineWithData;
this.tableController = TableController.getInstance();
}
public Step6bSpecialController(Step6bSpecialModel step6bSpecialModel, int firstLineWithData) {
this(firstLineWithData);
this.step6bSpecialModel = step6bSpecialModel;
}
@Override
public void loadSettings() {
String description = step6bSpecialModel.getDescription();
String foiName = step6bSpecialModel.getFeatureOfInterest().getName();
String opName = step6bSpecialModel.getObservedProperty().getName();
Sensor sensor = step6bSpecialModel.getSensor();
missingResourcePanel = new MissingResourcePanel(sensor);
missingResourcePanel.setMissingComponent(sensor);
ModelStore.getInstance().remove(step6bSpecialModel);
missingResourcePanel.unassignValues();
List<MissingComponentPanel> missingComponentPanels = new ArrayList<MissingComponentPanel>();
missingComponentPanels.add(missingResourcePanel);
step6cPanel = new Step6Panel(description, foiName, opName, missingComponentPanels);
}
@Override
public void saveSettings() {
missingResourcePanel.assignValues();
ModelStore.getInstance().add(step6bSpecialModel);
step6cPanel = null;
missingResourcePanel = null;
}
@Override
public String getDescription() {
return Lang.l().step6bSpecialDescription();
}
@Override
public JPanel getStepPanel() {
return step6cPanel;
}
@Override
public StepController getNextStepController() {
return new Step6cController(this.firstLineWithData);
}
@Override
public boolean isNecessary() {
if (ModelStore.getInstance().getSensorsInTable().size() > 0) {
logger.info("Skip 6b (Special) since there are sensors in the table.");
return false;
}
if (ModelStore.getInstance().getFeatureOfInterestsInTable().size() == 0 &&
ModelStore.getInstance().getObservedPropertiesInTable().size() == 0) {
logger.info("Skip 6b (Special) since there are not any features of interest" +
"and observed properties in the table.");
return false;
}
step6bSpecialModel = getNextModel();
return true;
}
public Step6bSpecialModel getNextModel() {
int rows = this.tableController.getRowCount();
+ int flwd = this.tableController.getFirstLineWithData();
//iterate through all measured value columns/rows
for (MeasuredValue mv: ModelStore.getInstance().getMeasuredValues()) {
int rowOrColumnNumber;
if (mv.getTableElement() instanceof Column)
rowOrColumnNumber = ((Column)mv.getTableElement()).getNumber();
else
rowOrColumnNumber = ((Row)mv.getTableElement()).getNumber();
- for (int i = 0; i < rows; i++) {
+ for (int i = flwd; i < rows; i++) {
//test if the measuredValue can be parsed
Cell cell = new Cell(i, rowOrColumnNumber);
String value = this.tableController.getValueAt(cell);
if (i >= firstLineWithData) {
try {
mv.parse(value);
} catch (Exception e) {
if (logger.isTraceEnabled()) {
logger.trace("Value could not be parsed: " + value, e);
}
continue;
+ // TODO implement better exception handling here. Do not just skip!
}
FeatureOfInterest foi = mv.getFeatureOfInterest().forThis(cell);
ObservedProperty op = mv.getObservedProperty().forThis(cell);
Step6bSpecialModel model = new Step6bSpecialModel(foi, op);
if (!ModelStore.getInstance().getStep6bSpecialModels().contains(model)) {
return model;
}
}
}
}
return null;
}
@Override
public boolean isFinished() {
return missingResourcePanel.checkValues();
}
@Override
public StepController getNext() {
Step6bSpecialModel step6bSpecialModel = getNextModel();
if (step6bSpecialModel != null)
return new Step6bSpecialController(step6bSpecialModel,this.firstLineWithData);
return null;
}
@Override
public StepModel getModel() {
return this.step6bSpecialModel;
}
}
| false | true | public Step6bSpecialModel getNextModel() {
int rows = this.tableController.getRowCount();
//iterate through all measured value columns/rows
for (MeasuredValue mv: ModelStore.getInstance().getMeasuredValues()) {
int rowOrColumnNumber;
if (mv.getTableElement() instanceof Column)
rowOrColumnNumber = ((Column)mv.getTableElement()).getNumber();
else
rowOrColumnNumber = ((Row)mv.getTableElement()).getNumber();
for (int i = 0; i < rows; i++) {
//test if the measuredValue can be parsed
Cell cell = new Cell(i, rowOrColumnNumber);
String value = this.tableController.getValueAt(cell);
if (i >= firstLineWithData) {
try {
mv.parse(value);
} catch (Exception e) {
if (logger.isTraceEnabled()) {
logger.trace("Value could not be parsed: " + value, e);
}
continue;
}
FeatureOfInterest foi = mv.getFeatureOfInterest().forThis(cell);
ObservedProperty op = mv.getObservedProperty().forThis(cell);
Step6bSpecialModel model = new Step6bSpecialModel(foi, op);
if (!ModelStore.getInstance().getStep6bSpecialModels().contains(model)) {
return model;
}
}
}
}
return null;
}
| public Step6bSpecialModel getNextModel() {
int rows = this.tableController.getRowCount();
int flwd = this.tableController.getFirstLineWithData();
//iterate through all measured value columns/rows
for (MeasuredValue mv: ModelStore.getInstance().getMeasuredValues()) {
int rowOrColumnNumber;
if (mv.getTableElement() instanceof Column)
rowOrColumnNumber = ((Column)mv.getTableElement()).getNumber();
else
rowOrColumnNumber = ((Row)mv.getTableElement()).getNumber();
for (int i = flwd; i < rows; i++) {
//test if the measuredValue can be parsed
Cell cell = new Cell(i, rowOrColumnNumber);
String value = this.tableController.getValueAt(cell);
if (i >= firstLineWithData) {
try {
mv.parse(value);
} catch (Exception e) {
if (logger.isTraceEnabled()) {
logger.trace("Value could not be parsed: " + value, e);
}
continue;
// TODO implement better exception handling here. Do not just skip!
}
FeatureOfInterest foi = mv.getFeatureOfInterest().forThis(cell);
ObservedProperty op = mv.getObservedProperty().forThis(cell);
Step6bSpecialModel model = new Step6bSpecialModel(foi, op);
if (!ModelStore.getInstance().getStep6bSpecialModels().contains(model)) {
return model;
}
}
}
}
return null;
}
|
diff --git a/src/main/java/br/com/yaw/sjpac/controller/BuscarMercadoriaController.java b/src/main/java/br/com/yaw/sjpac/controller/BuscarMercadoriaController.java
index 1e7b6c1..8d8bd65 100755
--- a/src/main/java/br/com/yaw/sjpac/controller/BuscarMercadoriaController.java
+++ b/src/main/java/br/com/yaw/sjpac/controller/BuscarMercadoriaController.java
@@ -1,67 +1,67 @@
package br.com.yaw.sjpac.controller;
import java.util.List;
import javax.swing.JFrame;
import br.com.yaw.sjpac.action.AbstractAction;
import br.com.yaw.sjpac.dao.MercadoriaDAO;
import br.com.yaw.sjpac.dao.MercadoriaDAOJPA;
import br.com.yaw.sjpac.event.BuscarMercadoriaEvent;
import br.com.yaw.sjpac.model.Mercadoria;
import br.com.yaw.sjpac.ui.BuscaMercadoriaFrame;
/**
* Define a <code>Controller</code> responsável por gerir a tela de Busca de <code>Mercadoria</code> pelo campo <code>nome</code>.
*
* @see br.com.yaw.ssjc.controller.PersistenceController
*
* @author YaW Tecnologia
*/
public class BuscarMercadoriaController extends PersistenceController {
private BuscaMercadoriaFrame frame;
public BuscarMercadoriaController(AbstractController parent) {
super(parent);
frame = new BuscaMercadoriaFrame();
frame.addWindowListener(this);
registerAction(frame.getBuscarButton(), new AbstractAction() {
List<Mercadoria> list;
public void action() {
if (frame.getText().length() > 0) {
MercadoriaDAO dao = new MercadoriaDAOJPA(getPersistenceContext());
list = dao.getMercadoriasByNome(frame.getText());
}
}
public void posAction() {
cleanUp();
- if (list != null && !list.isEmpty()) {
+ if (list != null) {
fireEvent(new BuscarMercadoriaEvent(list));
}
}
});
}
@Override
protected JFrame getFrame() {
return frame;
}
public void show() {
loadPersistenceContext();
frame.setVisible(true);
}
@Override
protected void cleanUp() {
frame.setVisible(false);
frame.resetForm();
super.cleanUp();
}
}
| true | true | public BuscarMercadoriaController(AbstractController parent) {
super(parent);
frame = new BuscaMercadoriaFrame();
frame.addWindowListener(this);
registerAction(frame.getBuscarButton(), new AbstractAction() {
List<Mercadoria> list;
public void action() {
if (frame.getText().length() > 0) {
MercadoriaDAO dao = new MercadoriaDAOJPA(getPersistenceContext());
list = dao.getMercadoriasByNome(frame.getText());
}
}
public void posAction() {
cleanUp();
if (list != null && !list.isEmpty()) {
fireEvent(new BuscarMercadoriaEvent(list));
}
}
});
}
| public BuscarMercadoriaController(AbstractController parent) {
super(parent);
frame = new BuscaMercadoriaFrame();
frame.addWindowListener(this);
registerAction(frame.getBuscarButton(), new AbstractAction() {
List<Mercadoria> list;
public void action() {
if (frame.getText().length() > 0) {
MercadoriaDAO dao = new MercadoriaDAOJPA(getPersistenceContext());
list = dao.getMercadoriasByNome(frame.getText());
}
}
public void posAction() {
cleanUp();
if (list != null) {
fireEvent(new BuscarMercadoriaEvent(list));
}
}
});
}
|
diff --git a/src/net/sf/freecol/client/gui/panel/ReportLabourPanel.java b/src/net/sf/freecol/client/gui/panel/ReportLabourPanel.java
index 960539779..38b221f16 100644
--- a/src/net/sf/freecol/client/gui/panel/ReportLabourPanel.java
+++ b/src/net/sf/freecol/client/gui/panel/ReportLabourPanel.java
@@ -1,201 +1,201 @@
package net.sf.freecol.client.gui.panel;
import java.awt.Color;
import java.awt.event.ActionListener;
import java.util.ArrayList;
import java.util.Collections;
import java.util.HashMap;
import java.util.Iterator;
import java.util.Vector;
import javax.swing.JLabel;
import javax.swing.JPanel;
import net.sf.freecol.client.gui.Canvas;
import net.sf.freecol.client.gui.ImageLibrary;
import net.sf.freecol.client.gui.i18n.Messages;
import net.sf.freecol.common.model.Colony;
import net.sf.freecol.common.model.Europe;
import net.sf.freecol.common.model.Location;
import net.sf.freecol.common.model.Player;
import net.sf.freecol.common.model.Settlement;
import net.sf.freecol.common.model.Tile;
import net.sf.freecol.common.model.Unit;
import net.sf.freecol.common.model.WorkLocation;
import cz.autel.dmi.HIGLayout;
/**
* This panel displays the Labour Report.
*/
public final class ReportLabourPanel extends ReportPanel implements ActionListener {
public static final String COPYRIGHT = "Copyright (C) 2003-2006 The FreeCol Team";
public static final String LICENSE = "http://www.gnu.org/licenses/gpl.html";
public static final String REVISION = "$Revision$";
private int[] unitCount;
private Vector<HashMap<String, Integer>> unitLocations;
private ArrayList<String> locationNames = new ArrayList<String>();
/**
* The constructor that will add the items to this panel.
* @param parent The parent of this panel.
*/
public ReportLabourPanel(Canvas parent) {
super(parent, Messages.message("report.labour"));
}
/**
* Prepares this panel to be displayed.
*/
public void initialize() {
// Count Units
unitCount = new int[Unit.UNIT_COUNT];
unitLocations = new Vector<HashMap<String,Integer>>(Unit.UNIT_COUNT);
for (int index = 0; index < Unit.UNIT_COUNT; index++) {
- unitLocations.set(index,new HashMap<String, Integer>());
+ unitLocations.add(new HashMap<String, Integer>());
}
Player player = getCanvas().getClient().getMyPlayer();
Iterator<Unit> units = player.getUnitIterator();
ArrayList<Colony> colonies = new ArrayList<Colony>();
for(Settlement s : player.getSettlements()) {
if (s instanceof Colony) {
colonies.add((Colony) s);
} else {
throw new RuntimeException("Invalid type in array returned by getSettlements()");
}
}
Collections.sort(colonies, getCanvas().getClient().getClientOptions().getColonyComparator());
Iterator<Colony> colonyIterator = colonies.iterator();
locationNames = new ArrayList<String>();
locationNames.add(Messages.message("report.atSea"));
locationNames.add(Messages.message("report.onLand"));
if (player.getEurope() != null)
locationNames.add(player.getEurope().toString());
while (colonyIterator.hasNext()) {
locationNames.add(colonyIterator.next().getName());
}
while (units.hasNext()) {
Unit unit = units.next();
int type = unit.getType();
Location location = unit.getLocation();
String locationName = null;
if (location instanceof WorkLocation) {
locationName = ((WorkLocation) location).getColony().getName();
} else if (location instanceof Europe) {
locationName = player.getEurope().toString();
} else if (location instanceof Tile &&
((Tile) location).getSettlement() != null) {
locationName = ((Colony) ((Tile) location).getSettlement()).getName();
} else if (location instanceof Unit) {
locationName = Messages.message("report.atSea");
} else {
locationName = Messages.message("report.onLand");
}
if (locationName != null) {
if (unitLocations.get(type).containsKey(locationName)) {
int oldValue = unitLocations.get(type).get(locationName).intValue();
unitLocations.get(type).put(locationName, new Integer(oldValue + 1));
} else {
unitLocations.get(type).put(locationName, new Integer(1));
}
}
unitCount[unit.getType()]++;
}
// Display Panel
reportPanel.removeAll();
int margin = 30;
int[] widths = new int[] {0, 5, 0, margin, 0, 5, 0, margin, 0, 5, 0};
int[] heights = new int[] {0, 12, 0, 12, 0, 12, 0, 12, 0, 12, 0, 12, 0, 12, 0, 12, 0};
reportPanel.setLayout(new HIGLayout(widths, heights));
int[][] unitTypes = new int[][] {
{Unit.FREE_COLONIST, Unit.INDENTURED_SERVANT, Unit.PETTY_CRIMINAL},
{Unit.INDIAN_CONVERT, Unit.EXPERT_FARMER, Unit.EXPERT_FISHERMAN},
{Unit.MASTER_SUGAR_PLANTER, Unit.MASTER_DISTILLER, Unit.EXPERT_LUMBER_JACK},
{Unit.MASTER_CARPENTER, Unit.MASTER_TOBACCO_PLANTER, Unit.MASTER_TOBACCONIST},
{Unit.EXPERT_FUR_TRAPPER, Unit.MASTER_FUR_TRADER, Unit.MASTER_COTTON_PLANTER},
{Unit.MASTER_WEAVER, Unit.EXPERT_ORE_MINER, Unit.MASTER_BLACKSMITH},
{Unit.MASTER_GUNSMITH, Unit.EXPERT_SILVER_MINER, Unit.HARDY_PIONEER},
{Unit.VETERAN_SOLDIER, Unit.SEASONED_SCOUT, Unit.JESUIT_MISSIONARY},
{Unit.ELDER_STATESMAN, Unit.FIREBRAND_PREACHER, -1}
};
for (int row = 0; row < 9; row++) {
for (int column = 0; column < 3; column++) {
int tools = 0;
if (unitTypes[row][column] < 0) {
continue;
} else if (unitTypes[row][column] == Unit.HARDY_PIONEER) {
tools = 20;
}
int imageType = ImageLibrary.getUnitGraphicsType(unitTypes[row][column], false, false, tools, false);
reportPanel.add(buildUnitLabel(imageType, 1f),
higConst.rc(2 * row + 1, 4 * column + 1));
reportPanel.add(buildUnitReport(unitTypes[row][column]),
higConst.rc(2 * row + 1, 4 * column + 3));
}
}
reportPanel.doLayout();
}
private JPanel buildUnitReport(int unit) {
JPanel textPanel = new JPanel();
textPanel.setOpaque(false);
int[] widths = {0, 5, 0};
int[] heights = null;
int colonyColumn = 1;
int countColumn = 3;
int keys = 0;
if (unitLocations.get(unit) != null) {
keys = unitLocations.get(unit).size();
}
if (keys == 0) {
heights = new int[] {0};
} else {
heights = new int[keys + 2];
for (int index = 0; index < heights.length; index++) {
heights[index] = 0;
}
heights[1] = 5;
}
textPanel.setLayout(new HIGLayout(widths, heights));
// summary
int row = 1;
JLabel unitLabel = new JLabel(Unit.getName(unit));
textPanel.add(unitLabel, higConst.rc(row, colonyColumn));
if (unitCount[unit] == 0) {
unitLabel.setForeground(Color.GRAY);
} else {
textPanel.add(new JLabel(String.valueOf(unitCount[unit])),
higConst.rc(row, countColumn));
row = 3;
Iterator<String> locationIterator = locationNames.iterator();
while (locationIterator.hasNext()) {
String name = locationIterator.next();
if (unitLocations.get(unit).get(name) != null) {
JLabel colonyLabel = new JLabel(name);
colonyLabel.setForeground(Color.GRAY);
textPanel.add(colonyLabel, higConst.rc(row, colonyColumn));
JLabel countLabel = new JLabel(unitLocations.get(unit).get(name).toString());
countLabel.setForeground(Color.GRAY);
textPanel.add(countLabel, higConst.rc(row, countColumn));
row++;
}
}
}
return textPanel;
}
}
| true | true | public void initialize() {
// Count Units
unitCount = new int[Unit.UNIT_COUNT];
unitLocations = new Vector<HashMap<String,Integer>>(Unit.UNIT_COUNT);
for (int index = 0; index < Unit.UNIT_COUNT; index++) {
unitLocations.set(index,new HashMap<String, Integer>());
}
Player player = getCanvas().getClient().getMyPlayer();
Iterator<Unit> units = player.getUnitIterator();
ArrayList<Colony> colonies = new ArrayList<Colony>();
for(Settlement s : player.getSettlements()) {
if (s instanceof Colony) {
colonies.add((Colony) s);
} else {
throw new RuntimeException("Invalid type in array returned by getSettlements()");
}
}
Collections.sort(colonies, getCanvas().getClient().getClientOptions().getColonyComparator());
Iterator<Colony> colonyIterator = colonies.iterator();
locationNames = new ArrayList<String>();
locationNames.add(Messages.message("report.atSea"));
locationNames.add(Messages.message("report.onLand"));
if (player.getEurope() != null)
locationNames.add(player.getEurope().toString());
while (colonyIterator.hasNext()) {
locationNames.add(colonyIterator.next().getName());
}
while (units.hasNext()) {
Unit unit = units.next();
int type = unit.getType();
Location location = unit.getLocation();
String locationName = null;
if (location instanceof WorkLocation) {
locationName = ((WorkLocation) location).getColony().getName();
} else if (location instanceof Europe) {
locationName = player.getEurope().toString();
} else if (location instanceof Tile &&
((Tile) location).getSettlement() != null) {
locationName = ((Colony) ((Tile) location).getSettlement()).getName();
} else if (location instanceof Unit) {
locationName = Messages.message("report.atSea");
} else {
locationName = Messages.message("report.onLand");
}
if (locationName != null) {
if (unitLocations.get(type).containsKey(locationName)) {
int oldValue = unitLocations.get(type).get(locationName).intValue();
unitLocations.get(type).put(locationName, new Integer(oldValue + 1));
} else {
unitLocations.get(type).put(locationName, new Integer(1));
}
}
unitCount[unit.getType()]++;
}
// Display Panel
reportPanel.removeAll();
int margin = 30;
int[] widths = new int[] {0, 5, 0, margin, 0, 5, 0, margin, 0, 5, 0};
int[] heights = new int[] {0, 12, 0, 12, 0, 12, 0, 12, 0, 12, 0, 12, 0, 12, 0, 12, 0};
reportPanel.setLayout(new HIGLayout(widths, heights));
int[][] unitTypes = new int[][] {
{Unit.FREE_COLONIST, Unit.INDENTURED_SERVANT, Unit.PETTY_CRIMINAL},
{Unit.INDIAN_CONVERT, Unit.EXPERT_FARMER, Unit.EXPERT_FISHERMAN},
{Unit.MASTER_SUGAR_PLANTER, Unit.MASTER_DISTILLER, Unit.EXPERT_LUMBER_JACK},
{Unit.MASTER_CARPENTER, Unit.MASTER_TOBACCO_PLANTER, Unit.MASTER_TOBACCONIST},
{Unit.EXPERT_FUR_TRAPPER, Unit.MASTER_FUR_TRADER, Unit.MASTER_COTTON_PLANTER},
{Unit.MASTER_WEAVER, Unit.EXPERT_ORE_MINER, Unit.MASTER_BLACKSMITH},
{Unit.MASTER_GUNSMITH, Unit.EXPERT_SILVER_MINER, Unit.HARDY_PIONEER},
{Unit.VETERAN_SOLDIER, Unit.SEASONED_SCOUT, Unit.JESUIT_MISSIONARY},
{Unit.ELDER_STATESMAN, Unit.FIREBRAND_PREACHER, -1}
};
for (int row = 0; row < 9; row++) {
for (int column = 0; column < 3; column++) {
int tools = 0;
if (unitTypes[row][column] < 0) {
continue;
} else if (unitTypes[row][column] == Unit.HARDY_PIONEER) {
tools = 20;
}
int imageType = ImageLibrary.getUnitGraphicsType(unitTypes[row][column], false, false, tools, false);
reportPanel.add(buildUnitLabel(imageType, 1f),
higConst.rc(2 * row + 1, 4 * column + 1));
reportPanel.add(buildUnitReport(unitTypes[row][column]),
higConst.rc(2 * row + 1, 4 * column + 3));
}
}
reportPanel.doLayout();
}
| public void initialize() {
// Count Units
unitCount = new int[Unit.UNIT_COUNT];
unitLocations = new Vector<HashMap<String,Integer>>(Unit.UNIT_COUNT);
for (int index = 0; index < Unit.UNIT_COUNT; index++) {
unitLocations.add(new HashMap<String, Integer>());
}
Player player = getCanvas().getClient().getMyPlayer();
Iterator<Unit> units = player.getUnitIterator();
ArrayList<Colony> colonies = new ArrayList<Colony>();
for(Settlement s : player.getSettlements()) {
if (s instanceof Colony) {
colonies.add((Colony) s);
} else {
throw new RuntimeException("Invalid type in array returned by getSettlements()");
}
}
Collections.sort(colonies, getCanvas().getClient().getClientOptions().getColonyComparator());
Iterator<Colony> colonyIterator = colonies.iterator();
locationNames = new ArrayList<String>();
locationNames.add(Messages.message("report.atSea"));
locationNames.add(Messages.message("report.onLand"));
if (player.getEurope() != null)
locationNames.add(player.getEurope().toString());
while (colonyIterator.hasNext()) {
locationNames.add(colonyIterator.next().getName());
}
while (units.hasNext()) {
Unit unit = units.next();
int type = unit.getType();
Location location = unit.getLocation();
String locationName = null;
if (location instanceof WorkLocation) {
locationName = ((WorkLocation) location).getColony().getName();
} else if (location instanceof Europe) {
locationName = player.getEurope().toString();
} else if (location instanceof Tile &&
((Tile) location).getSettlement() != null) {
locationName = ((Colony) ((Tile) location).getSettlement()).getName();
} else if (location instanceof Unit) {
locationName = Messages.message("report.atSea");
} else {
locationName = Messages.message("report.onLand");
}
if (locationName != null) {
if (unitLocations.get(type).containsKey(locationName)) {
int oldValue = unitLocations.get(type).get(locationName).intValue();
unitLocations.get(type).put(locationName, new Integer(oldValue + 1));
} else {
unitLocations.get(type).put(locationName, new Integer(1));
}
}
unitCount[unit.getType()]++;
}
// Display Panel
reportPanel.removeAll();
int margin = 30;
int[] widths = new int[] {0, 5, 0, margin, 0, 5, 0, margin, 0, 5, 0};
int[] heights = new int[] {0, 12, 0, 12, 0, 12, 0, 12, 0, 12, 0, 12, 0, 12, 0, 12, 0};
reportPanel.setLayout(new HIGLayout(widths, heights));
int[][] unitTypes = new int[][] {
{Unit.FREE_COLONIST, Unit.INDENTURED_SERVANT, Unit.PETTY_CRIMINAL},
{Unit.INDIAN_CONVERT, Unit.EXPERT_FARMER, Unit.EXPERT_FISHERMAN},
{Unit.MASTER_SUGAR_PLANTER, Unit.MASTER_DISTILLER, Unit.EXPERT_LUMBER_JACK},
{Unit.MASTER_CARPENTER, Unit.MASTER_TOBACCO_PLANTER, Unit.MASTER_TOBACCONIST},
{Unit.EXPERT_FUR_TRAPPER, Unit.MASTER_FUR_TRADER, Unit.MASTER_COTTON_PLANTER},
{Unit.MASTER_WEAVER, Unit.EXPERT_ORE_MINER, Unit.MASTER_BLACKSMITH},
{Unit.MASTER_GUNSMITH, Unit.EXPERT_SILVER_MINER, Unit.HARDY_PIONEER},
{Unit.VETERAN_SOLDIER, Unit.SEASONED_SCOUT, Unit.JESUIT_MISSIONARY},
{Unit.ELDER_STATESMAN, Unit.FIREBRAND_PREACHER, -1}
};
for (int row = 0; row < 9; row++) {
for (int column = 0; column < 3; column++) {
int tools = 0;
if (unitTypes[row][column] < 0) {
continue;
} else if (unitTypes[row][column] == Unit.HARDY_PIONEER) {
tools = 20;
}
int imageType = ImageLibrary.getUnitGraphicsType(unitTypes[row][column], false, false, tools, false);
reportPanel.add(buildUnitLabel(imageType, 1f),
higConst.rc(2 * row + 1, 4 * column + 1));
reportPanel.add(buildUnitReport(unitTypes[row][column]),
higConst.rc(2 * row + 1, 4 * column + 3));
}
}
reportPanel.doLayout();
}
|
diff --git a/specs/src/eu/sqooss/impl/service/SpecsActivator.java b/specs/src/eu/sqooss/impl/service/SpecsActivator.java
index 9e40cea8..5f86de5b 100644
--- a/specs/src/eu/sqooss/impl/service/SpecsActivator.java
+++ b/specs/src/eu/sqooss/impl/service/SpecsActivator.java
@@ -1,59 +1,59 @@
/*
* This file is part of the Alitheia system, developed by the SQO-OSS
* consortium as part of the IST FP6 SQO-OSS project, number 033331.
*
* Copyright 2008 by the SQO-OSS consortium members <[email protected]>
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are
* met:
*
* * Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
*
* * Redistributions in binary form must reproduce the above
* copyright notice, this list of conditions and the following
* disclaimer in the documentation and/or other materials provided
* with the distribution.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
* A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
* OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
* SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
* LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
* DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
* THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
* (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
* OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*
*/
package eu.sqooss.impl.service;
import org.osgi.framework.BundleActivator;
import org.osgi.framework.BundleContext;
import eu.sqooss.scl.WSSession;
public class SpecsActivator implements BundleActivator {
- public void start(BundleContext bc) {
+ public void start(BundleContext bc) throws Exception {
try {
System.out.println("SpecsActivator: creating session");
new WSSession("alitheia", "alitheia", "http://localhost:8088/sqooss/services/ws/");
System.out.println("SpecsActivator: SUCCESS");
} catch (Exception e) {
e.printStackTrace();
}
// Do not stop the system while the bundle is starting!!!
//System.exit(0);
}
public void stop(BundleContext bc) throws Exception {
}
}
// vi: ai nosi sw=4 ts=4 expandtab
| true | true | public void start(BundleContext bc) {
try {
System.out.println("SpecsActivator: creating session");
new WSSession("alitheia", "alitheia", "http://localhost:8088/sqooss/services/ws/");
System.out.println("SpecsActivator: SUCCESS");
} catch (Exception e) {
e.printStackTrace();
}
// Do not stop the system while the bundle is starting!!!
//System.exit(0);
}
| public void start(BundleContext bc) throws Exception {
try {
System.out.println("SpecsActivator: creating session");
new WSSession("alitheia", "alitheia", "http://localhost:8088/sqooss/services/ws/");
System.out.println("SpecsActivator: SUCCESS");
} catch (Exception e) {
e.printStackTrace();
}
// Do not stop the system while the bundle is starting!!!
//System.exit(0);
}
|
diff --git a/utilities/maven/Jaxb2SimpleXMLplugin/src/main/java/org/societies/maven/Jaxb2Simple.java b/utilities/maven/Jaxb2SimpleXMLplugin/src/main/java/org/societies/maven/Jaxb2Simple.java
index 02d000b9a..220c1c70a 100644
--- a/utilities/maven/Jaxb2SimpleXMLplugin/src/main/java/org/societies/maven/Jaxb2Simple.java
+++ b/utilities/maven/Jaxb2SimpleXMLplugin/src/main/java/org/societies/maven/Jaxb2Simple.java
@@ -1,306 +1,306 @@
/**
* Copyright (c) 2011, SOCIETIES Consortium (WATERFORD INSTITUTE OF TECHNOLOGY (TSSG), HERIOT-WATT UNIVERSITY (HWU), SOLUTA.NET
* (SN), GERMAN AEROSPACE CENTRE (Deutsches Zentrum fuer Luft- und Raumfahrt e.V.) (DLR), Zavod za varnostne tehnologije
* informacijske družbe in elektronsko poslovanje (SETCCE), INSTITUTE OF COMMUNICATION AND COMPUTER SYSTEMS (ICCS), LAKE
* COMMUNICATIONS (LAKE), INTEL PERFORMANCE LEARNING SOLUTIONS LTD (INTEL), PORTUGAL TELECOM INOVAÇÃO, SA (PTIN), IBM Corp.,
* INSTITUT TELECOM (ITSUD), AMITEC DIACHYTI EFYIA PLIROFORIKI KAI EPIKINONIES ETERIA PERIORISMENIS EFTHINIS (AMITEC), TELECOM
* ITALIA S.p.a.(TI), TRIALOG (TRIALOG), Stiftelsen SINTEF (SINTEF), NEC EUROPE LTD (NEC))
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following
* conditions are met:
*
* 1. Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer.
*
* 2. Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following
* disclaimer in the documentation and/or other materials provided with the distribution.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING,
* BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT
* SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
* DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
* INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
* NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
package org.societies.maven;
import java.io.File;
import java.io.FileNotFoundException;
import java.io.FileWriter;
import java.io.IOException;
import java.util.List;
import java.util.Scanner;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
import org.apache.maven.plugin.AbstractMojo;
import org.apache.maven.plugin.MojoExecutionException;
/**
* @phase process-sources
* @goal convert
*/
public class Jaxb2Simple extends AbstractMojo
{
private final String FOLDER_PATH = "src/main/java"; //"target/generated-sources/xjc/"
/**
* Output directory for schemas
*
* @parameter default-value="src/main/resources/"
*/
private String folderOutputDirectory;
/**
* Input directory for schemas
*
* @parameter default-value="${project.build.directory}/generated-sources/"
*/
private String folderInputDirectory = FOLDER_PATH;
public void execute() throws MojoExecutionException
{
// Init
initParameters();
File startingDirectory= new File(folderInputDirectory);
getLog().info("Source Directory: " + folderInputDirectory);
List<File> files = null;
try {
files = FileListing.getFileListing(startingDirectory);
for (File javaFile : files) {
if (javaFile.isFile()) { //IGNORE DIRECTORIES
if ((javaFile.getName().equals("ObjectFactory.java") || javaFile.getName().equals("package-info.java"))) {
javaFile.delete(); //JAXB GENERATED FILES - NOT REQUIRED
}
else {
if (javaFile.getName().endsWith(".java")) {
getLog().debug("Processing: " + javaFile.getAbsolutePath());
String newSchemaContent = processCodeFile(javaFile);
FileWriter newFile = new FileWriter(javaFile.getAbsolutePath());
newFile.write(newSchemaContent);
newFile.close();
}
}
}
}
} catch (FileNotFoundException e1) {
e1.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
}
}
private String processCodeFile(File javaFile) throws FileNotFoundException {
Scanner scanner = null;
String newSchemaContent = new String();
// READ THE ORIGINAL .java FILE
scanner = new Scanner(javaFile);
StringBuffer schemaContent = new StringBuffer();
while (scanner.hasNextLine()) {
schemaContent.append(scanner.nextLine()+"\n");
}
newSchemaContent = findReplacePatterns(schemaContent);
return newSchemaContent;
}
private String findReplacePatterns(StringBuffer schemaContent) {
String newSchemaContent; String textToFind; String textToReplace;
//import javax.xml.bind.annotation.* -> import org.simpleframework.xml.*
//s/^\(import javax.xml.bind.annotation.\w*;\n\)*import javax.xml.bind.annotation.\w*;/import org.simpleframework.xml.*;/
textToFind = "import javax.xml.bind.annotation.*import javax.xml.bind.annotation.\\w*;";
textToReplace = "import org.simpleframework.xml.*;";
newSchemaContent = findReplacePattern(schemaContent.toString(), textToFind, textToReplace, Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
//import javax.xml.bind.annotation.adapters.XmlJavaTypeAdapter -> import org.simpleframework.xml.convert.Convert;
textToFind = "import javax.xml.bind.annotation.adapters.XmlJavaTypeAdapter;";
textToReplace = "import org.simpleframework.xml.convert.Convert;";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//import org.w3._2001.xmlschema.Adapter1; -> import org.societies.maven.converters.URIConverter;
textToFind = "import org.w3._2001.xmlschema.Adapter1;";
textToReplace = "import org.societies.maven.converters.URIConverter;";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//import javax.xml.bind.annotation.adapters.CollapsedStringAdapter; -> import org.societies.maven.converters.CollapsedStringAdapter;
textToFind = "import javax.xml.bind.annotation.adapters.CollapsedStringAdapter;";
textToReplace = "import org.societies.maven.converters.CollapsedStringAdapter;";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlJavaTypeAdapter(Adapter1 .class) -> @Convert(URIConverter.class)
- textToFind = "@XmlJavaTypeAdapter\\(Adapter1 .class?\\)";
+ textToFind = "@XmlJavaTypeAdapter\\(Adapter1.*\\.class?\\)";
textToReplace = "@Convert(URIConverter.class)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlJavaTypeAdapter(CollapsedStringAdapter.class) -> @Convert(CollapsedStringAdapter.class)
textToFind = "@XmlJavaTypeAdapter\\(CollapsedStringAdapter.class?\\)";
textToReplace = "@Convert(CollapsedStringAdapter.class)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//REMOVE namespace FROM XmlElement ANNOTATION @XmlElement(namespace = "jabber:x:data")
//s/\(@XmlElement(name = ".*"\), namespace\( = ".*"\))/\1, required = false)\n @Namespace(reference\2)/
textToFind = "(@XmlElement\\(.*)namespace( = \".*\")\\)";
textToReplace = "$1required = false)\n @Namespace(reference$2)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
// @XmlElement with List -> @XmlElementList @XmlElement(nillable = true) -> @ElementList(inline=true, entry="Service")
// @XmlElement(name[ ]*=\(.*\)).*\(\n.*List\<.*\>.*;\)/@ElementList(inline=true, entry=\1)\2/
textToFind = "@XmlElement\\(.*?\\)(\n.*?List\\<(.*?)\\>.*?;)";
textToReplace = "@ElementList(inline=true, entry=\"$2\")$1";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace, Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
//@XmlElement -> @Element
//1) if "required = true|false" is missing then add "required=false" else do nothing
//2) remove nillable=true|false
//@XmlElement(required = true, type = Integer.class, nillable = true)
//textToFind = "(@XmlElement\\(.*)nillable = true|false?\\)";
- textToFind = ", nillable = true|false";
+ textToFind = ", nillable = (true|false)";
textToReplace = ""; //"$1)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlElement(required = true, type = Integer.class, nillable = true)
textToFind = "@XmlElement\\(nillable = true\\)";
textToReplace = "@Element(required=false)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlElement(\(.*required.*\))/@Element(\1)/ @XmlElement(required = true)
//textToFind = "@XmlElement(\\(.*required.*\\))";
textToFind = "@XmlElement\\((.*required.*?)\\)";
textToReplace = "@Element($1)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlElement(\(.*\))/@Element(required=false,\1)/
textToFind = "@XmlElement\\((.*?)\\)";
textToReplace = "@Element($1)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//NAMESPACE
Pattern patternNS = Pattern.compile("package (.*);", Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
Matcher matcherNS = patternNS.matcher(newSchemaContent);
String ns = "";
if (matcherNS.find()) {
String pkgTmp = matcherNS.group();
String pkgFinal = pkgTmp.substring(8, pkgTmp.indexOf(";"));
String[] nsArr = pkgFinal.split("\\.");
ns = "@Namespace(reference=\"http://" + nsArr[1] + "." + nsArr[0];
for(int i=2; i<nsArr.length; i++)
ns+="/" + nsArr[i];
ns += "\")\n";
}
// @XmlRootElement -> @Root + @Namespace(reference="http://...)
// s/@XmlRootElement(\(.*\))/@Root(\1, strict=false)/
//textToFind = "@XmlRootElement(\\(.*)\\)\n";
textToFind = "@XmlRootElement(\\(.*?)\\)\n";
textToReplace = "@Root$1, strict=false)\n" + ns;
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlType(.*propOrder[ ]*\(=.*\)/@Order(elements\1/
textToFind = "@XmlType\\(.*propOrder";
textToReplace = "@Order(elements";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
// @XmlAccessorType([ ]*XmlAccessType\.\(.*\))\n@XmlType(\(.*\)[ ]*,[ ]*propOrder[ ]*\(=.*\)/@Default(DefaultType.\1)\n@Order(elements\3/
textToFind = "@XmlAccessorType\\(XmlAccessType.FIELD\\)";
textToReplace = "@org.simpleframework.xml.Default";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
// @XmlAccessorType([ ]*XmlAccessType\.\(.*\))\n@XmlType(\(.*\))/@Default(DefaultType.\1)\n@Root(\2, strict=false
//Pattern patternAccessor1 = Pattern.compile("@XmlAccessorType([ ]*XmlAccessType\\.\\(.*\\))\\n@XmlType(\\(.*\\))", Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
//Matcher matcherAccessor1 = patternAccessor1.matcher(newSchemaContent);
//newSchemaContent = matcherAccessor1.replaceAll("@Default(DefaultType.$1)\n@Root($2, strict=false");
// @XmlAccessorType([ ]*XmlAccessType\.\(.*\))\n@XmlType(\(.*\)[ ]*,[ ]*propOrder[ ]*\(=.*\)/@Default(DefaultType.\1)\n@Order(elements\3/
//Pattern patternAccessor2 = Pattern.compile("@XmlAccessorType([ ]*XmlAccessType\\.\\(.*\\))\\n@XmlType(\\(.*\\)[ ]*,[ ]*propOrder[ ]*\\(=.*\\)", Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
//Matcher matcherAccessor2 = patternAccessor2.matcher(newSchemaContent);
//newSchemaContent = matcherAccessor.replaceAll("@Default(DefaultType.$1)\n@Order(elements$3");
// @XmlAttribute -> @Attribute
//if "required = true|false" is missing then add "required=false" else do nothing
textToFind = "@XmlAttribute\\((.*, required = true|false)\\)";
textToReplace = "@Attribute($1)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//ADD required=false IF MISSING
textToFind = "@XmlAttribute\\((.*?(?!required = true|false))\\)";
textToReplace = "@Attribute($1, required=false)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlAttribute/@Attribute(required=false)/
textToFind = "@XmlAttribute\n";
textToReplace = "@Attribute(required=false)\n";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlValue -> @Text
textToFind = "@XmlValue";
textToReplace = "@Text";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//REMOVE @XmlSchemaType(name = "anyURI")
- textToFind = "@XmlSchemaType\\(name = \".*\"\\)";
+ textToFind = "@XmlSchemaType\\(name = \".*\"\\)\n ";
textToReplace = "";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//ENUMERATOR FILE - REMOVE ALL ANNOTATIONS
textToFind = "@XmlEnum.*?\n";
textToReplace = "";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlType(name = "methodType")
textToFind = "@XmlType\\(name = \".*?\"\\)?\n";
textToReplace = "";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlSeeAlso/,/})
textToFind = "@XmlSeeAlso.*?}\\)\n";
textToReplace = "";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace, Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
// @XmlAnyElement.*
textToFind = "@XmlAnyElement.*?\n";
textToReplace = "";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
// /@XmlSchemaType.*/d
// /@XmlAnyAttribute.*/d
return newSchemaContent;
}
/**Replaces a regular expression with a specified string
* @param schemaContent The string to check
* @param textToFind Text to find
* @param textToReplace Text to replace
* @return Updated String with changes
*/
private static String findReplacePattern(String schemaContent, String textToFind, String textToReplace, int flags) {
Pattern patternImport = Pattern.compile(textToFind, flags);
Matcher matcherImport = patternImport.matcher(schemaContent);
int i = matcherImport.groupCount();
return matcherImport.replaceAll(textToReplace);
}
private static String findReplacePattern(String schemaContent, String textToFind, String textToReplace) {
return findReplacePattern(schemaContent, textToFind, textToReplace, Pattern.CASE_INSENSITIVE);
}
/**
* Init parameters
*/
private void initParameters() {
if (!folderOutputDirectory.equals(".") && !folderOutputDirectory.endsWith("/")) {
folderOutputDirectory += "/";
}
if (!folderInputDirectory.equals(".") && !folderInputDirectory.endsWith("/")) {
folderInputDirectory += "/";
}
}
}
| false | true | private String findReplacePatterns(StringBuffer schemaContent) {
String newSchemaContent; String textToFind; String textToReplace;
//import javax.xml.bind.annotation.* -> import org.simpleframework.xml.*
//s/^\(import javax.xml.bind.annotation.\w*;\n\)*import javax.xml.bind.annotation.\w*;/import org.simpleframework.xml.*;/
textToFind = "import javax.xml.bind.annotation.*import javax.xml.bind.annotation.\\w*;";
textToReplace = "import org.simpleframework.xml.*;";
newSchemaContent = findReplacePattern(schemaContent.toString(), textToFind, textToReplace, Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
//import javax.xml.bind.annotation.adapters.XmlJavaTypeAdapter -> import org.simpleframework.xml.convert.Convert;
textToFind = "import javax.xml.bind.annotation.adapters.XmlJavaTypeAdapter;";
textToReplace = "import org.simpleframework.xml.convert.Convert;";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//import org.w3._2001.xmlschema.Adapter1; -> import org.societies.maven.converters.URIConverter;
textToFind = "import org.w3._2001.xmlschema.Adapter1;";
textToReplace = "import org.societies.maven.converters.URIConverter;";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//import javax.xml.bind.annotation.adapters.CollapsedStringAdapter; -> import org.societies.maven.converters.CollapsedStringAdapter;
textToFind = "import javax.xml.bind.annotation.adapters.CollapsedStringAdapter;";
textToReplace = "import org.societies.maven.converters.CollapsedStringAdapter;";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlJavaTypeAdapter(Adapter1 .class) -> @Convert(URIConverter.class)
textToFind = "@XmlJavaTypeAdapter\\(Adapter1 .class?\\)";
textToReplace = "@Convert(URIConverter.class)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlJavaTypeAdapter(CollapsedStringAdapter.class) -> @Convert(CollapsedStringAdapter.class)
textToFind = "@XmlJavaTypeAdapter\\(CollapsedStringAdapter.class?\\)";
textToReplace = "@Convert(CollapsedStringAdapter.class)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//REMOVE namespace FROM XmlElement ANNOTATION @XmlElement(namespace = "jabber:x:data")
//s/\(@XmlElement(name = ".*"\), namespace\( = ".*"\))/\1, required = false)\n @Namespace(reference\2)/
textToFind = "(@XmlElement\\(.*)namespace( = \".*\")\\)";
textToReplace = "$1required = false)\n @Namespace(reference$2)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
// @XmlElement with List -> @XmlElementList @XmlElement(nillable = true) -> @ElementList(inline=true, entry="Service")
// @XmlElement(name[ ]*=\(.*\)).*\(\n.*List\<.*\>.*;\)/@ElementList(inline=true, entry=\1)\2/
textToFind = "@XmlElement\\(.*?\\)(\n.*?List\\<(.*?)\\>.*?;)";
textToReplace = "@ElementList(inline=true, entry=\"$2\")$1";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace, Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
//@XmlElement -> @Element
//1) if "required = true|false" is missing then add "required=false" else do nothing
//2) remove nillable=true|false
//@XmlElement(required = true, type = Integer.class, nillable = true)
//textToFind = "(@XmlElement\\(.*)nillable = true|false?\\)";
textToFind = ", nillable = true|false";
textToReplace = ""; //"$1)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlElement(required = true, type = Integer.class, nillable = true)
textToFind = "@XmlElement\\(nillable = true\\)";
textToReplace = "@Element(required=false)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlElement(\(.*required.*\))/@Element(\1)/ @XmlElement(required = true)
//textToFind = "@XmlElement(\\(.*required.*\\))";
textToFind = "@XmlElement\\((.*required.*?)\\)";
textToReplace = "@Element($1)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlElement(\(.*\))/@Element(required=false,\1)/
textToFind = "@XmlElement\\((.*?)\\)";
textToReplace = "@Element($1)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//NAMESPACE
Pattern patternNS = Pattern.compile("package (.*);", Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
Matcher matcherNS = patternNS.matcher(newSchemaContent);
String ns = "";
if (matcherNS.find()) {
String pkgTmp = matcherNS.group();
String pkgFinal = pkgTmp.substring(8, pkgTmp.indexOf(";"));
String[] nsArr = pkgFinal.split("\\.");
ns = "@Namespace(reference=\"http://" + nsArr[1] + "." + nsArr[0];
for(int i=2; i<nsArr.length; i++)
ns+="/" + nsArr[i];
ns += "\")\n";
}
// @XmlRootElement -> @Root + @Namespace(reference="http://...)
// s/@XmlRootElement(\(.*\))/@Root(\1, strict=false)/
//textToFind = "@XmlRootElement(\\(.*)\\)\n";
textToFind = "@XmlRootElement(\\(.*?)\\)\n";
textToReplace = "@Root$1, strict=false)\n" + ns;
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlType(.*propOrder[ ]*\(=.*\)/@Order(elements\1/
textToFind = "@XmlType\\(.*propOrder";
textToReplace = "@Order(elements";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
// @XmlAccessorType([ ]*XmlAccessType\.\(.*\))\n@XmlType(\(.*\)[ ]*,[ ]*propOrder[ ]*\(=.*\)/@Default(DefaultType.\1)\n@Order(elements\3/
textToFind = "@XmlAccessorType\\(XmlAccessType.FIELD\\)";
textToReplace = "@org.simpleframework.xml.Default";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
// @XmlAccessorType([ ]*XmlAccessType\.\(.*\))\n@XmlType(\(.*\))/@Default(DefaultType.\1)\n@Root(\2, strict=false
//Pattern patternAccessor1 = Pattern.compile("@XmlAccessorType([ ]*XmlAccessType\\.\\(.*\\))\\n@XmlType(\\(.*\\))", Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
//Matcher matcherAccessor1 = patternAccessor1.matcher(newSchemaContent);
//newSchemaContent = matcherAccessor1.replaceAll("@Default(DefaultType.$1)\n@Root($2, strict=false");
// @XmlAccessorType([ ]*XmlAccessType\.\(.*\))\n@XmlType(\(.*\)[ ]*,[ ]*propOrder[ ]*\(=.*\)/@Default(DefaultType.\1)\n@Order(elements\3/
//Pattern patternAccessor2 = Pattern.compile("@XmlAccessorType([ ]*XmlAccessType\\.\\(.*\\))\\n@XmlType(\\(.*\\)[ ]*,[ ]*propOrder[ ]*\\(=.*\\)", Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
//Matcher matcherAccessor2 = patternAccessor2.matcher(newSchemaContent);
//newSchemaContent = matcherAccessor.replaceAll("@Default(DefaultType.$1)\n@Order(elements$3");
// @XmlAttribute -> @Attribute
//if "required = true|false" is missing then add "required=false" else do nothing
textToFind = "@XmlAttribute\\((.*, required = true|false)\\)";
textToReplace = "@Attribute($1)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//ADD required=false IF MISSING
textToFind = "@XmlAttribute\\((.*?(?!required = true|false))\\)";
textToReplace = "@Attribute($1, required=false)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlAttribute/@Attribute(required=false)/
textToFind = "@XmlAttribute\n";
textToReplace = "@Attribute(required=false)\n";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlValue -> @Text
textToFind = "@XmlValue";
textToReplace = "@Text";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//REMOVE @XmlSchemaType(name = "anyURI")
textToFind = "@XmlSchemaType\\(name = \".*\"\\)";
textToReplace = "";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//ENUMERATOR FILE - REMOVE ALL ANNOTATIONS
textToFind = "@XmlEnum.*?\n";
textToReplace = "";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlType(name = "methodType")
textToFind = "@XmlType\\(name = \".*?\"\\)?\n";
textToReplace = "";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlSeeAlso/,/})
textToFind = "@XmlSeeAlso.*?}\\)\n";
textToReplace = "";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace, Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
// @XmlAnyElement.*
textToFind = "@XmlAnyElement.*?\n";
textToReplace = "";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
// /@XmlSchemaType.*/d
// /@XmlAnyAttribute.*/d
return newSchemaContent;
}
| private String findReplacePatterns(StringBuffer schemaContent) {
String newSchemaContent; String textToFind; String textToReplace;
//import javax.xml.bind.annotation.* -> import org.simpleframework.xml.*
//s/^\(import javax.xml.bind.annotation.\w*;\n\)*import javax.xml.bind.annotation.\w*;/import org.simpleframework.xml.*;/
textToFind = "import javax.xml.bind.annotation.*import javax.xml.bind.annotation.\\w*;";
textToReplace = "import org.simpleframework.xml.*;";
newSchemaContent = findReplacePattern(schemaContent.toString(), textToFind, textToReplace, Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
//import javax.xml.bind.annotation.adapters.XmlJavaTypeAdapter -> import org.simpleframework.xml.convert.Convert;
textToFind = "import javax.xml.bind.annotation.adapters.XmlJavaTypeAdapter;";
textToReplace = "import org.simpleframework.xml.convert.Convert;";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//import org.w3._2001.xmlschema.Adapter1; -> import org.societies.maven.converters.URIConverter;
textToFind = "import org.w3._2001.xmlschema.Adapter1;";
textToReplace = "import org.societies.maven.converters.URIConverter;";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//import javax.xml.bind.annotation.adapters.CollapsedStringAdapter; -> import org.societies.maven.converters.CollapsedStringAdapter;
textToFind = "import javax.xml.bind.annotation.adapters.CollapsedStringAdapter;";
textToReplace = "import org.societies.maven.converters.CollapsedStringAdapter;";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlJavaTypeAdapter(Adapter1 .class) -> @Convert(URIConverter.class)
textToFind = "@XmlJavaTypeAdapter\\(Adapter1.*\\.class?\\)";
textToReplace = "@Convert(URIConverter.class)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlJavaTypeAdapter(CollapsedStringAdapter.class) -> @Convert(CollapsedStringAdapter.class)
textToFind = "@XmlJavaTypeAdapter\\(CollapsedStringAdapter.class?\\)";
textToReplace = "@Convert(CollapsedStringAdapter.class)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//REMOVE namespace FROM XmlElement ANNOTATION @XmlElement(namespace = "jabber:x:data")
//s/\(@XmlElement(name = ".*"\), namespace\( = ".*"\))/\1, required = false)\n @Namespace(reference\2)/
textToFind = "(@XmlElement\\(.*)namespace( = \".*\")\\)";
textToReplace = "$1required = false)\n @Namespace(reference$2)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
// @XmlElement with List -> @XmlElementList @XmlElement(nillable = true) -> @ElementList(inline=true, entry="Service")
// @XmlElement(name[ ]*=\(.*\)).*\(\n.*List\<.*\>.*;\)/@ElementList(inline=true, entry=\1)\2/
textToFind = "@XmlElement\\(.*?\\)(\n.*?List\\<(.*?)\\>.*?;)";
textToReplace = "@ElementList(inline=true, entry=\"$2\")$1";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace, Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
//@XmlElement -> @Element
//1) if "required = true|false" is missing then add "required=false" else do nothing
//2) remove nillable=true|false
//@XmlElement(required = true, type = Integer.class, nillable = true)
//textToFind = "(@XmlElement\\(.*)nillable = true|false?\\)";
textToFind = ", nillable = (true|false)";
textToReplace = ""; //"$1)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlElement(required = true, type = Integer.class, nillable = true)
textToFind = "@XmlElement\\(nillable = true\\)";
textToReplace = "@Element(required=false)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlElement(\(.*required.*\))/@Element(\1)/ @XmlElement(required = true)
//textToFind = "@XmlElement(\\(.*required.*\\))";
textToFind = "@XmlElement\\((.*required.*?)\\)";
textToReplace = "@Element($1)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlElement(\(.*\))/@Element(required=false,\1)/
textToFind = "@XmlElement\\((.*?)\\)";
textToReplace = "@Element($1)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//NAMESPACE
Pattern patternNS = Pattern.compile("package (.*);", Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
Matcher matcherNS = patternNS.matcher(newSchemaContent);
String ns = "";
if (matcherNS.find()) {
String pkgTmp = matcherNS.group();
String pkgFinal = pkgTmp.substring(8, pkgTmp.indexOf(";"));
String[] nsArr = pkgFinal.split("\\.");
ns = "@Namespace(reference=\"http://" + nsArr[1] + "." + nsArr[0];
for(int i=2; i<nsArr.length; i++)
ns+="/" + nsArr[i];
ns += "\")\n";
}
// @XmlRootElement -> @Root + @Namespace(reference="http://...)
// s/@XmlRootElement(\(.*\))/@Root(\1, strict=false)/
//textToFind = "@XmlRootElement(\\(.*)\\)\n";
textToFind = "@XmlRootElement(\\(.*?)\\)\n";
textToReplace = "@Root$1, strict=false)\n" + ns;
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlType(.*propOrder[ ]*\(=.*\)/@Order(elements\1/
textToFind = "@XmlType\\(.*propOrder";
textToReplace = "@Order(elements";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
// @XmlAccessorType([ ]*XmlAccessType\.\(.*\))\n@XmlType(\(.*\)[ ]*,[ ]*propOrder[ ]*\(=.*\)/@Default(DefaultType.\1)\n@Order(elements\3/
textToFind = "@XmlAccessorType\\(XmlAccessType.FIELD\\)";
textToReplace = "@org.simpleframework.xml.Default";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
// @XmlAccessorType([ ]*XmlAccessType\.\(.*\))\n@XmlType(\(.*\))/@Default(DefaultType.\1)\n@Root(\2, strict=false
//Pattern patternAccessor1 = Pattern.compile("@XmlAccessorType([ ]*XmlAccessType\\.\\(.*\\))\\n@XmlType(\\(.*\\))", Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
//Matcher matcherAccessor1 = patternAccessor1.matcher(newSchemaContent);
//newSchemaContent = matcherAccessor1.replaceAll("@Default(DefaultType.$1)\n@Root($2, strict=false");
// @XmlAccessorType([ ]*XmlAccessType\.\(.*\))\n@XmlType(\(.*\)[ ]*,[ ]*propOrder[ ]*\(=.*\)/@Default(DefaultType.\1)\n@Order(elements\3/
//Pattern patternAccessor2 = Pattern.compile("@XmlAccessorType([ ]*XmlAccessType\\.\\(.*\\))\\n@XmlType(\\(.*\\)[ ]*,[ ]*propOrder[ ]*\\(=.*\\)", Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
//Matcher matcherAccessor2 = patternAccessor2.matcher(newSchemaContent);
//newSchemaContent = matcherAccessor.replaceAll("@Default(DefaultType.$1)\n@Order(elements$3");
// @XmlAttribute -> @Attribute
//if "required = true|false" is missing then add "required=false" else do nothing
textToFind = "@XmlAttribute\\((.*, required = true|false)\\)";
textToReplace = "@Attribute($1)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//ADD required=false IF MISSING
textToFind = "@XmlAttribute\\((.*?(?!required = true|false))\\)";
textToReplace = "@Attribute($1, required=false)";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlAttribute/@Attribute(required=false)/
textToFind = "@XmlAttribute\n";
textToReplace = "@Attribute(required=false)\n";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlValue -> @Text
textToFind = "@XmlValue";
textToReplace = "@Text";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//REMOVE @XmlSchemaType(name = "anyURI")
textToFind = "@XmlSchemaType\\(name = \".*\"\\)\n ";
textToReplace = "";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//ENUMERATOR FILE - REMOVE ALL ANNOTATIONS
textToFind = "@XmlEnum.*?\n";
textToReplace = "";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlType(name = "methodType")
textToFind = "@XmlType\\(name = \".*?\"\\)?\n";
textToReplace = "";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
//@XmlSeeAlso/,/})
textToFind = "@XmlSeeAlso.*?}\\)\n";
textToReplace = "";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace, Pattern.DOTALL|Pattern.CASE_INSENSITIVE);
// @XmlAnyElement.*
textToFind = "@XmlAnyElement.*?\n";
textToReplace = "";
newSchemaContent = findReplacePattern(newSchemaContent, textToFind, textToReplace);
// /@XmlSchemaType.*/d
// /@XmlAnyAttribute.*/d
return newSchemaContent;
}
|
diff --git a/src/strictmode-lib-test/src/com/robomorphine/strictmode/StrictModeHelperTest.java b/src/strictmode-lib-test/src/com/robomorphine/strictmode/StrictModeHelperTest.java
index 587aa7a..0c98452 100644
--- a/src/strictmode-lib-test/src/com/robomorphine/strictmode/StrictModeHelperTest.java
+++ b/src/strictmode-lib-test/src/com/robomorphine/strictmode/StrictModeHelperTest.java
@@ -1,21 +1,21 @@
package com.robomorphine.strictmode;
import android.os.Build;
import junit.framework.TestCase;
public class StrictModeHelperTest extends TestCase {
public void testEnableDisableUniqueViolations() {
try {
StrictModeHelper.enableUniqueViolations(true);
StrictModeHelper.enableUniqueViolations(false);
- assertFalse(Build.VERSION.SDK_INT > 8);//should not reach this line on 8th or earlier
+ assertTrue(Build.VERSION.SDK_INT > 8);//should not reach this line on 8th or earlier
} catch (PlatformNotSupportedException ex) {
assertTrue(Build.VERSION.SDK_INT <= 8);
}
}
}
| true | true | public void testEnableDisableUniqueViolations() {
try {
StrictModeHelper.enableUniqueViolations(true);
StrictModeHelper.enableUniqueViolations(false);
assertFalse(Build.VERSION.SDK_INT > 8);//should not reach this line on 8th or earlier
} catch (PlatformNotSupportedException ex) {
assertTrue(Build.VERSION.SDK_INT <= 8);
}
}
| public void testEnableDisableUniqueViolations() {
try {
StrictModeHelper.enableUniqueViolations(true);
StrictModeHelper.enableUniqueViolations(false);
assertTrue(Build.VERSION.SDK_INT > 8);//should not reach this line on 8th or earlier
} catch (PlatformNotSupportedException ex) {
assertTrue(Build.VERSION.SDK_INT <= 8);
}
}
|
diff --git a/src/test/java/it/uniroma3/dia/alfred/mpi/ConfiguratorParserTest.java b/src/test/java/it/uniroma3/dia/alfred/mpi/ConfiguratorParserTest.java
index d4f81bb..47cfab9 100644
--- a/src/test/java/it/uniroma3/dia/alfred/mpi/ConfiguratorParserTest.java
+++ b/src/test/java/it/uniroma3/dia/alfred/mpi/ConfiguratorParserTest.java
@@ -1,150 +1,150 @@
package it.uniroma3.dia.alfred.mpi;
import static org.junit.Assert.assertEquals;
import it.uniroma3.dia.alfred.mpi.model.ConfigHolder;
import it.uniroma3.dia.alfred.mpi.model.constants.DomainHolderKeys;
import java.util.List;
import org.junit.BeforeClass;
import org.junit.Test;
public class ConfiguratorParserTest {
private static List<ConfigHolder> configHoldersList;
@BeforeClass
public static void setUpBeforeClass() throws Exception {
configHoldersList = null;
}
@Test
public void testReadConfigStringString() {
}
@Test
public void testReadConfigNullNull() {
test(null, null);
}
public void test(String filePathConfigurations, String filePathDomains){
configHoldersList = ConfiguratorParser.readConfig();
assertEquals(7, configHoldersList.size());
ConfigHolder currentConfigHolder = configHoldersList.get(0);
assertEquals("conf1_movies",
currentConfigHolder.getUid());
assertEquals("imdb",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.SITE_KEY));
assertEquals("nome_bucket_1",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.BUCKET_S3_KEY));
assertEquals("movies",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.DOMAIN_ID_KEY));
assertEquals("http://www.imdb.com/sections/dvd/?ref_=nb_mv_8_dvd",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.FIRST_PAGE_KEY));
assertEquals("output1",
currentConfigHolder.getConfigurationValue("output_folder"));
assertEquals("1",
currentConfigHolder.getConfigurationValue("baseline_random_iterations"));
assertEquals("0.7",
currentConfigHolder.getConfigurationValue("probability_threashold"));
assertEquals("True",
currentConfigHolder.getConfigurationValue("concurrent_experiments"));
assertEquals("1000",
currentConfigHolder.getConfigurationValue("testing_dimension"));
- assertEquals("ALF#ALFRED",
+ assertEquals("ALF",
currentConfigHolder.getConfigurationValue("algorithm"));
assertEquals("//*[@itemprop='name']/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Title"));
assertEquals("//*[@itemprop='reviewCount']/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("number_of_Reviews"));
currentConfigHolder = configHoldersList.get(1);
assertEquals("conf1_attori",
currentConfigHolder.getUid());
assertEquals("imdb",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.SITE_KEY));
assertEquals("nome_bucket_2",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.BUCKET_S3_KEY));
assertEquals("attori",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.DOMAIN_ID_KEY));
assertEquals("http://www.imdb.com/chart/top?ref_=nb_mv_3_chttp",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.FIRST_PAGE_KEY));
assertEquals("output1",
currentConfigHolder.getConfigurationValue("output_folder"));
assertEquals("1",
currentConfigHolder.getConfigurationValue("baseline_random_iterations"));
assertEquals("0.7",
currentConfigHolder.getConfigurationValue("probability_threashold"));
assertEquals("True",
currentConfigHolder.getConfigurationValue("concurrent_experiments"));
assertEquals("1000",
currentConfigHolder.getConfigurationValue("testing_dimension"));
- assertEquals("ALF#ALFRED",
+ assertEquals("ALF",
currentConfigHolder.getConfigurationValue("algorithm"));
assertEquals("//*[@itemprop='name']/text()#NO",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Name"));
assertEquals("//*[@itemprop='birthDate']/A[1]/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Birth_date"));
currentConfigHolder = configHoldersList.get(3);
assertEquals("conf2_albums",
currentConfigHolder.getUid());
assertEquals("allmusic",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.SITE_KEY));
assertEquals("nome_bucket_3",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.BUCKET_S3_KEY));
assertEquals("albums",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.DOMAIN_ID_KEY));
assertEquals("http://www.allmusic.com/album/mw000236364",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.FIRST_PAGE_KEY));
assertEquals("output2",
currentConfigHolder.getConfigurationValue("output_folder"));
- assertEquals("Random#Greedy#Lucky",
+ assertEquals("Entropy",
currentConfigHolder.getConfigurationValue("algorithms_chooser"));
assertEquals("1000",
currentConfigHolder.getConfigurationValue("max_mq_number"));
assertEquals("1230.4",
currentConfigHolder.getConfigurationValue("lucky_threashold"));
assertEquals("81000",
currentConfigHolder.getConfigurationValue("testing_dimension"));
assertEquals("ALFRED",
currentConfigHolder.getConfigurationValue("algorithm"));
assertEquals("//*[@class='release-date']/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Release date"));
assertEquals("//*[@class='genres']/UL/LI[1]/A/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Genres"));
currentConfigHolder = configHoldersList.get(6);
assertEquals("conf3_movies",
currentConfigHolder.getUid());
assertEquals("imdb",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.SITE_KEY));
assertEquals("nome_bucket_1",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.BUCKET_S3_KEY));
assertEquals("movies",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.DOMAIN_ID_KEY));
assertEquals("http://www.imdb.com/sections/dvd/?ref_=nb_mv_8_dvd",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.FIRST_PAGE_KEY));
assertEquals("output3",
currentConfigHolder.getConfigurationValue("output_folder"));
- assertEquals("Simple#Srm",
+ assertEquals("Srm",
currentConfigHolder.getConfigurationValue("algorithms_core"));
assertEquals("100",
currentConfigHolder.getConfigurationValue("max_mq_number"));
assertEquals("0.3",
currentConfigHolder.getConfigurationValue("lucky_threashold"));
assertEquals("2000",
currentConfigHolder.getConfigurationValue("testing_dimension"));
- assertEquals("ALF#ALFRED",
+ assertEquals("ALFRED",
currentConfigHolder.getConfigurationValue("algorithm"));
assertEquals("//*[@itemprop='ratingValue']/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Rating"));
assertEquals("//*[@itemprop='reviewCount']/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("number_of_Reviews"));
}
}
| false | true | public void test(String filePathConfigurations, String filePathDomains){
configHoldersList = ConfiguratorParser.readConfig();
assertEquals(7, configHoldersList.size());
ConfigHolder currentConfigHolder = configHoldersList.get(0);
assertEquals("conf1_movies",
currentConfigHolder.getUid());
assertEquals("imdb",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.SITE_KEY));
assertEquals("nome_bucket_1",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.BUCKET_S3_KEY));
assertEquals("movies",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.DOMAIN_ID_KEY));
assertEquals("http://www.imdb.com/sections/dvd/?ref_=nb_mv_8_dvd",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.FIRST_PAGE_KEY));
assertEquals("output1",
currentConfigHolder.getConfigurationValue("output_folder"));
assertEquals("1",
currentConfigHolder.getConfigurationValue("baseline_random_iterations"));
assertEquals("0.7",
currentConfigHolder.getConfigurationValue("probability_threashold"));
assertEquals("True",
currentConfigHolder.getConfigurationValue("concurrent_experiments"));
assertEquals("1000",
currentConfigHolder.getConfigurationValue("testing_dimension"));
assertEquals("ALF#ALFRED",
currentConfigHolder.getConfigurationValue("algorithm"));
assertEquals("//*[@itemprop='name']/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Title"));
assertEquals("//*[@itemprop='reviewCount']/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("number_of_Reviews"));
currentConfigHolder = configHoldersList.get(1);
assertEquals("conf1_attori",
currentConfigHolder.getUid());
assertEquals("imdb",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.SITE_KEY));
assertEquals("nome_bucket_2",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.BUCKET_S3_KEY));
assertEquals("attori",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.DOMAIN_ID_KEY));
assertEquals("http://www.imdb.com/chart/top?ref_=nb_mv_3_chttp",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.FIRST_PAGE_KEY));
assertEquals("output1",
currentConfigHolder.getConfigurationValue("output_folder"));
assertEquals("1",
currentConfigHolder.getConfigurationValue("baseline_random_iterations"));
assertEquals("0.7",
currentConfigHolder.getConfigurationValue("probability_threashold"));
assertEquals("True",
currentConfigHolder.getConfigurationValue("concurrent_experiments"));
assertEquals("1000",
currentConfigHolder.getConfigurationValue("testing_dimension"));
assertEquals("ALF#ALFRED",
currentConfigHolder.getConfigurationValue("algorithm"));
assertEquals("//*[@itemprop='name']/text()#NO",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Name"));
assertEquals("//*[@itemprop='birthDate']/A[1]/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Birth_date"));
currentConfigHolder = configHoldersList.get(3);
assertEquals("conf2_albums",
currentConfigHolder.getUid());
assertEquals("allmusic",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.SITE_KEY));
assertEquals("nome_bucket_3",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.BUCKET_S3_KEY));
assertEquals("albums",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.DOMAIN_ID_KEY));
assertEquals("http://www.allmusic.com/album/mw000236364",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.FIRST_PAGE_KEY));
assertEquals("output2",
currentConfigHolder.getConfigurationValue("output_folder"));
assertEquals("Random#Greedy#Lucky",
currentConfigHolder.getConfigurationValue("algorithms_chooser"));
assertEquals("1000",
currentConfigHolder.getConfigurationValue("max_mq_number"));
assertEquals("1230.4",
currentConfigHolder.getConfigurationValue("lucky_threashold"));
assertEquals("81000",
currentConfigHolder.getConfigurationValue("testing_dimension"));
assertEquals("ALFRED",
currentConfigHolder.getConfigurationValue("algorithm"));
assertEquals("//*[@class='release-date']/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Release date"));
assertEquals("//*[@class='genres']/UL/LI[1]/A/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Genres"));
currentConfigHolder = configHoldersList.get(6);
assertEquals("conf3_movies",
currentConfigHolder.getUid());
assertEquals("imdb",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.SITE_KEY));
assertEquals("nome_bucket_1",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.BUCKET_S3_KEY));
assertEquals("movies",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.DOMAIN_ID_KEY));
assertEquals("http://www.imdb.com/sections/dvd/?ref_=nb_mv_8_dvd",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.FIRST_PAGE_KEY));
assertEquals("output3",
currentConfigHolder.getConfigurationValue("output_folder"));
assertEquals("Simple#Srm",
currentConfigHolder.getConfigurationValue("algorithms_core"));
assertEquals("100",
currentConfigHolder.getConfigurationValue("max_mq_number"));
assertEquals("0.3",
currentConfigHolder.getConfigurationValue("lucky_threashold"));
assertEquals("2000",
currentConfigHolder.getConfigurationValue("testing_dimension"));
assertEquals("ALF#ALFRED",
currentConfigHolder.getConfigurationValue("algorithm"));
assertEquals("//*[@itemprop='ratingValue']/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Rating"));
assertEquals("//*[@itemprop='reviewCount']/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("number_of_Reviews"));
}
| public void test(String filePathConfigurations, String filePathDomains){
configHoldersList = ConfiguratorParser.readConfig();
assertEquals(7, configHoldersList.size());
ConfigHolder currentConfigHolder = configHoldersList.get(0);
assertEquals("conf1_movies",
currentConfigHolder.getUid());
assertEquals("imdb",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.SITE_KEY));
assertEquals("nome_bucket_1",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.BUCKET_S3_KEY));
assertEquals("movies",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.DOMAIN_ID_KEY));
assertEquals("http://www.imdb.com/sections/dvd/?ref_=nb_mv_8_dvd",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.FIRST_PAGE_KEY));
assertEquals("output1",
currentConfigHolder.getConfigurationValue("output_folder"));
assertEquals("1",
currentConfigHolder.getConfigurationValue("baseline_random_iterations"));
assertEquals("0.7",
currentConfigHolder.getConfigurationValue("probability_threashold"));
assertEquals("True",
currentConfigHolder.getConfigurationValue("concurrent_experiments"));
assertEquals("1000",
currentConfigHolder.getConfigurationValue("testing_dimension"));
assertEquals("ALF",
currentConfigHolder.getConfigurationValue("algorithm"));
assertEquals("//*[@itemprop='name']/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Title"));
assertEquals("//*[@itemprop='reviewCount']/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("number_of_Reviews"));
currentConfigHolder = configHoldersList.get(1);
assertEquals("conf1_attori",
currentConfigHolder.getUid());
assertEquals("imdb",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.SITE_KEY));
assertEquals("nome_bucket_2",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.BUCKET_S3_KEY));
assertEquals("attori",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.DOMAIN_ID_KEY));
assertEquals("http://www.imdb.com/chart/top?ref_=nb_mv_3_chttp",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.FIRST_PAGE_KEY));
assertEquals("output1",
currentConfigHolder.getConfigurationValue("output_folder"));
assertEquals("1",
currentConfigHolder.getConfigurationValue("baseline_random_iterations"));
assertEquals("0.7",
currentConfigHolder.getConfigurationValue("probability_threashold"));
assertEquals("True",
currentConfigHolder.getConfigurationValue("concurrent_experiments"));
assertEquals("1000",
currentConfigHolder.getConfigurationValue("testing_dimension"));
assertEquals("ALF",
currentConfigHolder.getConfigurationValue("algorithm"));
assertEquals("//*[@itemprop='name']/text()#NO",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Name"));
assertEquals("//*[@itemprop='birthDate']/A[1]/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Birth_date"));
currentConfigHolder = configHoldersList.get(3);
assertEquals("conf2_albums",
currentConfigHolder.getUid());
assertEquals("allmusic",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.SITE_KEY));
assertEquals("nome_bucket_3",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.BUCKET_S3_KEY));
assertEquals("albums",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.DOMAIN_ID_KEY));
assertEquals("http://www.allmusic.com/album/mw000236364",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.FIRST_PAGE_KEY));
assertEquals("output2",
currentConfigHolder.getConfigurationValue("output_folder"));
assertEquals("Entropy",
currentConfigHolder.getConfigurationValue("algorithms_chooser"));
assertEquals("1000",
currentConfigHolder.getConfigurationValue("max_mq_number"));
assertEquals("1230.4",
currentConfigHolder.getConfigurationValue("lucky_threashold"));
assertEquals("81000",
currentConfigHolder.getConfigurationValue("testing_dimension"));
assertEquals("ALFRED",
currentConfigHolder.getConfigurationValue("algorithm"));
assertEquals("//*[@class='release-date']/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Release date"));
assertEquals("//*[@class='genres']/UL/LI[1]/A/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Genres"));
currentConfigHolder = configHoldersList.get(6);
assertEquals("conf3_movies",
currentConfigHolder.getUid());
assertEquals("imdb",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.SITE_KEY));
assertEquals("nome_bucket_1",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.BUCKET_S3_KEY));
assertEquals("movies",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.DOMAIN_ID_KEY));
assertEquals("http://www.imdb.com/sections/dvd/?ref_=nb_mv_8_dvd",
currentConfigHolder.getAssociatedDomain().getConfigurationValue(DomainHolderKeys.FIRST_PAGE_KEY));
assertEquals("output3",
currentConfigHolder.getConfigurationValue("output_folder"));
assertEquals("Srm",
currentConfigHolder.getConfigurationValue("algorithms_core"));
assertEquals("100",
currentConfigHolder.getConfigurationValue("max_mq_number"));
assertEquals("0.3",
currentConfigHolder.getConfigurationValue("lucky_threashold"));
assertEquals("2000",
currentConfigHolder.getConfigurationValue("testing_dimension"));
assertEquals("ALFRED",
currentConfigHolder.getConfigurationValue("algorithm"));
assertEquals("//*[@itemprop='ratingValue']/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("Rating"));
assertEquals("//*[@itemprop='reviewCount']/text()",
currentConfigHolder.getAssociatedDomain().getGoldenXPath("number_of_Reviews"));
}
|
diff --git a/src/main/java/org/powertac/officecomplexcustomer/customers/OfficeComplex.java b/src/main/java/org/powertac/officecomplexcustomer/customers/OfficeComplex.java
index 40aab64..8a0fac2 100644
--- a/src/main/java/org/powertac/officecomplexcustomer/customers/OfficeComplex.java
+++ b/src/main/java/org/powertac/officecomplexcustomer/customers/OfficeComplex.java
@@ -1,1814 +1,1814 @@
/*
* Copyright 2009-2012 the original author or authors.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an
* "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND,
* either express or implied. See the License for the specific language
* governing permissions and limitations under the License.
*/
package org.powertac.officecomplexcustomer.customers;
import java.util.ArrayList;
import java.util.Collection;
import java.util.HashMap;
import java.util.List;
import java.util.ListIterator;
import java.util.Properties;
import java.util.Random;
import java.util.Vector;
import org.apache.log4j.Logger;
import org.joda.time.Instant;
import org.powertac.common.AbstractCustomer;
import org.powertac.common.CustomerInfo;
import org.powertac.common.Tariff;
import org.powertac.common.TariffSubscription;
import org.powertac.common.TimeService;
import org.powertac.common.Timeslot;
import org.powertac.common.WeatherReport;
import org.powertac.common.enumerations.PowerType;
import org.powertac.common.repo.TimeslotRepo;
import org.powertac.common.repo.WeatherReportRepo;
import org.powertac.common.spring.SpringApplicationContext;
import org.powertac.officecomplexcustomer.configurations.OfficeComplexConstants;
import org.springframework.beans.factory.annotation.Autowired;
/**
* The office complex domain class is a set of offices that comprise a office
* building that consumes aggregated energy by the appliances installed in each
* office.
*
* @author Antonios Chrysopoulos
* @version 1.5, Date: 2.25.12
*/
public class OfficeComplex extends AbstractCustomer
{
/**
* logger for trace logging -- use log.info(), log.warn(), and log.error()
* appropriately. Use log.debug() for output you want to see in testing or
* debugging.
*/
static protected Logger log = Logger.getLogger(OfficeComplex.class.getName());
@Autowired
TimeService timeService;
@Autowired
TimeslotRepo timeslotRepo;
@Autowired
WeatherReportRepo weatherReportRepo;
/**
* These are the vectors containing aggregated each day's base load from the
* appliances installed inside the offices of each type.
**/
Vector<Vector<Long>> aggDailyBaseLoadNS = new Vector<Vector<Long>>();
Vector<Vector<Long>> aggDailyBaseLoadSS = new Vector<Vector<Long>>();
/**
* These are the vectors containing aggregated each day's controllable load
* from the appliances installed inside the offices.
**/
Vector<Vector<Long>> aggDailyControllableLoadNS = new Vector<Vector<Long>>();
Vector<Vector<Long>> aggDailyControllableLoadSS = new Vector<Vector<Long>>();
/**
* These are the vectors containing aggregated each day's weather sensitive
* load from the appliances installed inside the offices.
**/
Vector<Vector<Long>> aggDailyWeatherSensitiveLoadNS =
new Vector<Vector<Long>>();
Vector<Vector<Long>> aggDailyWeatherSensitiveLoadSS =
new Vector<Vector<Long>>();
/**
* These are the aggregated vectors containing each day's base load of all the
* offices in hours.
**/
Vector<Vector<Long>> aggDailyBaseLoadInHoursNS = new Vector<Vector<Long>>();
Vector<Vector<Long>> aggDailyBaseLoadInHoursSS = new Vector<Vector<Long>>();
/**
* These are the aggregated vectors containing each day's controllable load of
* all the offices in hours.
**/
Vector<Vector<Long>> aggDailyControllableLoadInHoursNS =
new Vector<Vector<Long>>();
Vector<Vector<Long>> aggDailyControllableLoadInHoursSS =
new Vector<Vector<Long>>();
/**
* These are the aggregated vectors containing each day's weather sensitive
* load of all the offices in hours.
**/
Vector<Vector<Long>> aggDailyWeatherSensitiveLoadInHoursNS =
new Vector<Vector<Long>>();
Vector<Vector<Long>> aggDailyWeatherSensitiveLoadInHoursSS =
new Vector<Vector<Long>>();
/**
* This is an vector containing the days of the competition that the office
* complex model will use in order to check which of the tariffs that are
* available at any given moment are the optimal for their consumption or
* production.
**/
Vector<Integer> daysList = new Vector<Integer>();
/**
* This variable is utilized for the creation of the random numbers and is
* taken from the service.
*/
Random gen;
/**
* These variables are mapping of the characteristics of the types of offices.
* The first is used to keep track of their subscription at any given time.
* The second is the inertia parameter for each type of offices. The third is
* the period that they are evaluating the available tariffs and choose the
* best for their type. The forth is setting the lamda variable for the
* possibility function of the evaluation.
*/
HashMap<String, TariffSubscription> subscriptionMap =
new HashMap<String, TariffSubscription>();
HashMap<String, TariffSubscription> controllableSubscriptionMap =
new HashMap<String, TariffSubscription>();
HashMap<String, Double> inertiaMap = new HashMap<String, Double>();
HashMap<String, Integer> periodMap = new HashMap<String, Integer>();
HashMap<String, Double> lamdaMap = new HashMap<String, Double>();
/**
* These vectors contain the offices of type in the office complex. There are
* 2 types available: 1) Not Shifting offices: They do not change the tariff
* subscriptions during the game. 2) Smart Shifting offices: They change their
* tariff subscriptions in a smart way in order to minimize their costs.
*/
Vector<Office> notShiftingoffices = new Vector<Office>();
Vector<Office> smartShiftingoffices = new Vector<Office>();
/** This is the constructor function of the OfficeComplex customer */
public OfficeComplex (String name)
{
super(name);
timeslotRepo =
(TimeslotRepo) SpringApplicationContext.getBean("timeslotRepo");
timeService = (TimeService) SpringApplicationContext.getBean("timeService");
weatherReportRepo =
(WeatherReportRepo) SpringApplicationContext.getBean("weatherReportRepo");
ArrayList<String> typeList = new ArrayList<String>();
typeList.add("NS");
typeList.add("SS");
for (String type: typeList) {
subscriptionMap.put(type, null);
controllableSubscriptionMap.put(type, null);
inertiaMap.put(type, null);
periodMap.put(type, null);
lamdaMap.put(type, null);
}
}
/** This is the second constructor function of the Village customer */
public OfficeComplex (String name, ArrayList<CustomerInfo> customerInfo)
{
super(name, customerInfo);
timeslotRepo =
(TimeslotRepo) SpringApplicationContext.getBean("timeslotRepo");
timeService = (TimeService) SpringApplicationContext.getBean("timeService");
weatherReportRepo =
(WeatherReportRepo) SpringApplicationContext.getBean("weatherReportRepo");
ArrayList<String> typeList = new ArrayList<String>();
typeList.add("NS");
typeList.add("SS");
for (String type: typeList) {
subscriptionMap.put(type, null);
controllableSubscriptionMap.put(type, null);
inertiaMap.put(type, null);
periodMap.put(type, null);
lamdaMap.put(type, null);
}
}
/**
* This is the initialization function. It uses the variable values for the
* configuration file to create the office complex with its offices and then
* fill them with persons and appliances.
*
* @param conf
* @param gen
*/
public void initialize (Properties conf, Random generator)
{
// Initializing variables
int nsoffices = Integer.parseInt(conf.getProperty("NotShiftingCustomers"));
int ssoffices =
Integer.parseInt(conf.getProperty("SmartShiftingCustomers"));
int days = Integer.parseInt(conf.getProperty("PublicVacationDuration"));
gen = generator;
createCostEstimationDaysList(OfficeComplexConstants.RANDOM_DAYS_NUMBER);
Vector<Integer> publicVacationVector = createPublicVacationVector(days);
for (int i = 0; i < nsoffices; i++) {
log.info("Initializing " + toString() + " NSoffice " + i);
Office of = new Office();
of.initialize(toString() + " NSoffice" + i, conf, publicVacationVector,
gen);
notShiftingoffices.add(of);
of.officeOf = this;
}
for (int i = 0; i < ssoffices; i++) {
log.info("Initializing " + toString() + " SSoffice " + i);
Office hh = new Office();
hh.initialize(toString() + " SSoffice" + i, conf, publicVacationVector,
gen);
smartShiftingoffices.add(hh);
hh.officeOf = this;
}
for (String type: subscriptionMap.keySet()) {
fillAggWeeklyLoad(type);
inertiaMap.put(type,
Double.parseDouble(conf.getProperty(type + "Inertia")));
periodMap.put(type, Integer.parseInt(conf.getProperty(type + "Period")));
lamdaMap.put(type, Double.parseDouble(conf.getProperty(type + "Lamda")));
}
/*
System.out.println("Subscriptions:" + subscriptionMap.toString());
System.out.println("Inertia:" + inertiaMap.toString());
System.out.println("Period:" + periodMap.toString());
System.out.println("Lamda:" + lamdaMap.toString());
for (String type : subscriptionMap.keySet()) {
showAggLoad(type);
}
*/
}
// =====SUBSCRIPTION FUNCTIONS===== //
@Override
public void subscribeDefault ()
{
super.subscribeDefault();
for (CustomerInfo customer: customerInfos) {
if (customer.getPowerType() == PowerType.INTERRUPTIBLE_CONSUMPTION
&& tariffMarketService
.getDefaultTariff(PowerType.INTERRUPTIBLE_CONSUMPTION) == null) {
log.debug("No Default Tariff for INTERRUPTIBLE_CONSUMPTION so the customer "
+ customer.toString()
+ " subscribe to CONSUMPTION Default Tariff instead");
tariffMarketService.subscribeToTariff(tariffMarketService
.getDefaultTariff(PowerType.CONSUMPTION), customer, customer
.getPopulation());
log.info("CustomerInfo of type INTERRUPTIBLE_CONSUMPTION of "
+ toString()
+ " was subscribed to the default CONSUMPTION tariff successfully.");
}
List<TariffSubscription> subscriptions =
tariffSubscriptionRepo.findSubscriptionsForCustomer(customer);
if (subscriptions.size() > 0) {
log.debug(subscriptions.toString());
for (String type: subscriptionMap.keySet()) {
if (customer.getPowerType() == PowerType.CONSUMPTION) {
subscriptionMap.put(type, subscriptions.get(0));
}
else if (customer.getPowerType() == PowerType.INTERRUPTIBLE_CONSUMPTION) {
controllableSubscriptionMap.put(type, subscriptions.get(0));
}
}
}
}
log.debug("Base Load Subscriptions:" + subscriptionMap.toString());
log.debug("Controllable Load Subscriptions:"
+ controllableSubscriptionMap.toString());
}
/**
* The first implementation of the changing subscription function. Here we
* just put the tariff we want to change and the whole population is moved to
* another random tariff.
*
* @param tariff
*/
public void changeSubscription (Tariff tariff, CustomerInfo customer)
{
TariffSubscription ts =
tariffSubscriptionRepo.findSubscriptionForTariffAndCustomer(tariff,
customer);
int populationCount = ts.getCustomersCommitted();
unsubscribe(ts, populationCount);
Tariff newTariff;
if (customer.getPowerType() == PowerType.INTERRUPTIBLE_CONSUMPTION
&& tariffMarketService
.getActiveTariffList(PowerType.INTERRUPTIBLE_CONSUMPTION)
.size() > 1)
newTariff = selectTariff(PowerType.INTERRUPTIBLE_CONSUMPTION);
else
newTariff = selectTariff(PowerType.CONSUMPTION);
subscribe(newTariff, populationCount, customer);
updateSubscriptions(tariff, newTariff, customer);
}
/**
* The second implementation of the changing subscription function only for
* certain type of the households.
*
* @param tariff
*/
public void changeSubscription (Tariff tariff, String type,
CustomerInfo customer)
{
TariffSubscription ts =
tariffSubscriptionRepo.findSubscriptionForTariffAndCustomer(tariff,
customer);
int populationCount = getOffices(type).size();
unsubscribe(ts, populationCount);
Tariff newTariff;
if (customer.getPowerType() == PowerType.INTERRUPTIBLE_CONSUMPTION
&& tariffMarketService
.getActiveTariffList(PowerType.INTERRUPTIBLE_CONSUMPTION)
.size() > 1)
newTariff = selectTariff(PowerType.INTERRUPTIBLE_CONSUMPTION);
else
newTariff = selectTariff(PowerType.CONSUMPTION);
subscribe(newTariff, populationCount, customer);
updateSubscriptions(tariff, newTariff, type, customer);
}
/**
* In this overloaded implementation of the changing subscription function,
* Here we just put the tariff we want to change and the whole population is
* moved to another random tariff.
*
* @param tariff
*/
public void changeSubscription (Tariff tariff, Tariff newTariff,
CustomerInfo customer)
{
TariffSubscription ts =
tariffSubscriptionRepo.getSubscription(customer, tariff);
int populationCount = ts.getCustomersCommitted();
unsubscribe(ts, populationCount);
subscribe(newTariff, populationCount, customer);
updateSubscriptions(tariff, newTariff, customer);
}
/**
* In this overloaded implementation of the changing subscription function
* only certain type of the households.
*
* @param tariff
*/
public void changeSubscription (Tariff tariff, Tariff newTariff, String type,
CustomerInfo customer)
{
TariffSubscription ts =
tariffSubscriptionRepo.getSubscription(customer, tariff);
int populationCount = getOffices(type).size();
unsubscribe(ts, populationCount);
subscribe(newTariff, populationCount, customer);
updateSubscriptions(tariff, newTariff, type, customer);
}
/**
* This function is used to update the subscriptionMap variable with the
* changes made.
*
*/
private void updateSubscriptions (Tariff tariff, Tariff newTariff,
CustomerInfo customer)
{
TariffSubscription ts =
tariffSubscriptionRepo.getSubscription(customer, tariff);
TariffSubscription newTs =
tariffSubscriptionRepo.getSubscription(customer, newTariff);
boolean controllable =
(customer.getPowerType() == PowerType.INTERRUPTIBLE_CONSUMPTION);
log.debug(this.toString() + " Changing");
log.debug("Old:" + ts.toString() + " New:" + newTs.toString());
if (controllable) {
if (controllableSubscriptionMap.get("NS") == ts
|| controllableSubscriptionMap.get("NS") == null)
controllableSubscriptionMap.put("NS", newTs);
if (controllableSubscriptionMap.get("RaS") == ts
|| controllableSubscriptionMap.get("RaS") == null)
controllableSubscriptionMap.put("RaS", newTs);
if (controllableSubscriptionMap.get("ReS") == ts
|| controllableSubscriptionMap.get("ReS") == null)
controllableSubscriptionMap.put("ReS", newTs);
if (controllableSubscriptionMap.get("SS") == ts
|| controllableSubscriptionMap.get("SS") == null)
controllableSubscriptionMap.put("SS", newTs);
log.debug("Controllable Subscription Map: "
+ controllableSubscriptionMap.toString());
}
else {
if (subscriptionMap.get("NS") == ts || subscriptionMap.get("NS") == null)
subscriptionMap.put("NS", newTs);
if (subscriptionMap.get("RaS") == ts
|| subscriptionMap.get("RaS") == null)
subscriptionMap.put("RaS", newTs);
if (subscriptionMap.get("ReS") == ts
|| subscriptionMap.get("ReS") == null)
subscriptionMap.put("ReS", newTs);
if (subscriptionMap.get("SS") == ts || subscriptionMap.get("SS") == null)
subscriptionMap.put("SS", newTs);
log.debug("Subscription Map: " + subscriptionMap.toString());
}
}
/**
* This function is overloading the previous one and is used when only certain
* types of houses changed tariff.
*
*/
private void updateSubscriptions (Tariff tariff, Tariff newTariff,
String type, CustomerInfo customer)
{
TariffSubscription ts =
tariffSubscriptionRepo.getSubscription(customer, tariff);
TariffSubscription newTs =
tariffSubscriptionRepo.getSubscription(customer, newTariff);
boolean controllable =
(customer.getPowerType() == PowerType.INTERRUPTIBLE_CONSUMPTION);
log.debug(this.toString() + " Changing Only " + type);
log.debug("Old:" + ts.toString() + " New:" + newTs.toString());
if (controllable) {
log.debug("For Controllable");
if (type.equals("NS")) {
controllableSubscriptionMap.put("NS", newTs);
}
else if (type.equals("RaS")) {
controllableSubscriptionMap.put("RaS", newTs);
}
else if (type.equals("ReS")) {
controllableSubscriptionMap.put("ReS", newTs);
}
else {
controllableSubscriptionMap.put("SS", newTs);
}
log.debug("Controllable Subscription Map: "
+ controllableSubscriptionMap.toString());
}
else {
if (type.equals("NS")) {
subscriptionMap.put("NS", newTs);
}
else if (type.equals("RaS")) {
subscriptionMap.put("RaS", newTs);
}
else if (type.equals("ReS")) {
subscriptionMap.put("ReS", newTs);
}
else {
subscriptionMap.put("SS", newTs);
}
log.debug("Subscription Map: " + subscriptionMap.toString());
}
}
@Override
public void checkRevokedSubscriptions ()
{
for (CustomerInfo customer: customerInfos) {
List<TariffSubscription> revoked =
tariffSubscriptionRepo.getRevokedSubscriptionList(customer);
log.debug(revoked.toString());
for (TariffSubscription revokedSubscription: revoked) {
revokedSubscription.handleRevokedTariff();
Tariff tariff = revokedSubscription.getTariff();
Tariff newTariff = revokedSubscription.getTariff().getIsSupersededBy();
Tariff defaultTariff =
tariffMarketService.getDefaultTariff(PowerType.CONSUMPTION);
log.debug("Tariff:" + tariff.toString() + " PowerType: "
+ tariff.getPowerType());
if (newTariff != null)
log.debug("New Tariff:" + newTariff.toString());
else {
log.debug("New Tariff is Null");
log.debug("Default Tariff:" + defaultTariff.toString());
}
if (newTariff == null)
updateSubscriptions(tariff, defaultTariff, customer);
else
updateSubscriptions(tariff, newTariff, customer);
}
}
}
// =====LOAD FUNCTIONS===== //
/**
* This function is used in order to fill each week day of the aggregated
* daily Load of the office complex offices for each quarter of the hour.
*
* @param type
* @return
*/
void fillAggWeeklyLoad (String type)
{
if (type.equals("NS")) {
for (int i = 0; i < OfficeComplexConstants.DAYS_OF_WEEK
* (OfficeComplexConstants.WEEKS_OF_COMPETITION + OfficeComplexConstants.WEEKS_OF_BOOTSTRAP); i++) {
aggDailyBaseLoadNS.add(fillAggDailyBaseLoad(i, type));
aggDailyControllableLoadNS.add(fillAggDailyControllableLoad(i, type));
aggDailyWeatherSensitiveLoadNS
.add(fillAggDailyWeatherSensitiveLoad(i, type));
aggDailyBaseLoadInHoursNS.add(fillAggDailyBaseLoadInHours(i, type));
aggDailyControllableLoadInHoursNS
.add(fillAggDailyControllableLoadInHours(i, type));
aggDailyWeatherSensitiveLoadInHoursNS
.add(fillAggDailyWeatherSensitiveLoadInHours(i, type));
}
}
else {
for (int i = 0; i < OfficeComplexConstants.DAYS_OF_WEEK
* (OfficeComplexConstants.WEEKS_OF_COMPETITION + OfficeComplexConstants.WEEKS_OF_BOOTSTRAP); i++) {
aggDailyBaseLoadSS.add(fillAggDailyBaseLoad(i, type));
aggDailyControllableLoadSS.add(fillAggDailyControllableLoad(i, type));
aggDailyWeatherSensitiveLoadSS
.add(fillAggDailyWeatherSensitiveLoad(i, type));
aggDailyBaseLoadInHoursSS.add(fillAggDailyBaseLoadInHours(i, type));
aggDailyControllableLoadInHoursSS
.add(fillAggDailyControllableLoadInHours(i, type));
aggDailyWeatherSensitiveLoadInHoursSS
.add(fillAggDailyWeatherSensitiveLoadInHours(i, type));
}
}
}
/**
* This function is used in order to update the daily aggregated Load in case
* there are changes in the weather sensitive loads of the office complex's
* offices.
*
* @param type
* @return
*/
void updateAggDailyWeatherSensitiveLoad (String type, int day)
{
int dayTemp =
day
% (OfficeComplexConstants.DAYS_OF_BOOTSTRAP + OfficeComplexConstants.DAYS_OF_COMPETITION);
if (type.equals("NS")) {
aggDailyWeatherSensitiveLoadNS
.set(dayTemp, fillAggDailyWeatherSensitiveLoad(dayTemp, type));
aggDailyWeatherSensitiveLoadInHoursNS
.set(dayTemp,
fillAggDailyWeatherSensitiveLoadInHours(dayTemp, type));
}
else {
aggDailyWeatherSensitiveLoadSS
.set(dayTemp, fillAggDailyWeatherSensitiveLoad(dayTemp, type));
aggDailyWeatherSensitiveLoadInHoursSS
.set(dayTemp,
fillAggDailyWeatherSensitiveLoadInHours(dayTemp, type));
}
}
/**
* This function is used in order to fill the aggregated daily Base Load of
* the office complex's offices for each quarter of the hour.
*
* @param day
* @param type
* @return
*/
Vector<Long> fillAggDailyBaseLoad (int day, String type)
{
Vector<Office> offices = new Vector<Office>();
if (type.equals("NS")) {
offices = notShiftingoffices;
}
else {
offices = smartShiftingoffices;
}
Vector<Long> v = new Vector<Long>(OfficeComplexConstants.QUARTERS_OF_DAY);
long sum = 0;
for (int i = 0; i < OfficeComplexConstants.QUARTERS_OF_DAY; i++) {
sum = 0;
for (Office office: offices) {
sum = sum + office.weeklyBaseLoad.get(day).get(i);
}
v.add(sum);
}
return v;
}
/**
* This function is used in order to fill the aggregated daily Controllable
* Load of the office complex's offices for each quarter of the hour.
*
* @param day
* @param type
* @return
*/
Vector<Long> fillAggDailyControllableLoad (int day, String type)
{
Vector<Office> offices = new Vector<Office>();
if (type.equals("NS")) {
offices = notShiftingoffices;
}
else {
offices = smartShiftingoffices;
}
Vector<Long> v = new Vector<Long>(OfficeComplexConstants.QUARTERS_OF_DAY);
long sum = 0;
for (int i = 0; i < OfficeComplexConstants.QUARTERS_OF_DAY; i++) {
sum = 0;
for (Office office: offices) {
sum = sum + office.weeklyControllableLoad.get(day).get(i);
}
v.add(sum);
}
return v;
}
/**
* This function is used in order to fill the aggregated daily weather
* sensitive Load of the office complex's offices for each quarter of the
* hour.
*
* @param day
* @param type
* @return
*/
Vector<Long> fillAggDailyWeatherSensitiveLoad (int day, String type)
{
Vector<Office> offices = new Vector<Office>();
if (type.equals("NS")) {
offices = notShiftingoffices;
}
else {
offices = smartShiftingoffices;
}
Vector<Long> v = new Vector<Long>(OfficeComplexConstants.QUARTERS_OF_DAY);
long sum = 0;
for (int i = 0; i < OfficeComplexConstants.QUARTERS_OF_DAY; i++) {
sum = 0;
for (Office office: offices) {
sum = sum + office.weeklyWeatherSensitiveLoad.get(day).get(i);
}
v.add(sum);
}
return v;
}
/**
* This function is used in order to fill the daily Base Load of the office
* for each hour for a certain type of offices.
*
* @param day
* @param type
* @return
*/
Vector<Long> fillAggDailyBaseLoadInHours (int day, String type)
{
Vector<Long> daily = new Vector<Long>();
long sum = 0;
if (type.equals("NS")) {
for (int i = 0; i < OfficeComplexConstants.HOURS_OF_DAY; i++) {
sum = 0;
sum =
aggDailyBaseLoadNS.get(day)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR)
+ aggDailyBaseLoadNS.get(day)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 1)
+ aggDailyBaseLoadNS.get(day)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 2)
+ aggDailyBaseLoadNS.get(day)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 3);
daily.add(sum);
}
}
else {
for (int i = 0; i < OfficeComplexConstants.HOURS_OF_DAY; i++) {
sum = 0;
sum =
aggDailyBaseLoadSS.get(day)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR)
+ aggDailyBaseLoadSS.get(day)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 1)
+ aggDailyBaseLoadSS.get(day)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 2)
+ aggDailyBaseLoadSS.get(day)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 3);
daily.add(sum);
}
}
return daily;
}
/**
* This function is used in order to fill the daily Controllable Load of the
* office for each hour for a certain type of offices.
*
* @param day
* @param type
* @return
*/
Vector<Long> fillAggDailyControllableLoadInHours (int day, String type)
{
Vector<Long> daily = new Vector<Long>();
long sum = 0;
if (type.equals("NS")) {
for (int i = 0; i < OfficeComplexConstants.HOURS_OF_DAY; i++) {
sum = 0;
sum =
aggDailyControllableLoadNS.get(day)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR)
+ aggDailyControllableLoadNS.get(day)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 1)
+ aggDailyControllableLoadNS.get(day)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 2)
+ aggDailyControllableLoadNS.get(day)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 3);
daily.add(sum);
}
}
else {
for (int i = 0; i < OfficeComplexConstants.HOURS_OF_DAY; i++) {
sum = 0;
sum =
aggDailyControllableLoadSS.get(day)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR)
+ aggDailyControllableLoadSS.get(day)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 1)
+ aggDailyControllableLoadSS.get(day)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 2)
+ aggDailyControllableLoadSS.get(day)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 3);
daily.add(sum);
}
}
return daily;
}
/**
* This function is used in order to fill the daily weather sensitive Load of
* the office for each hour for a certain type of offices.
*
* @param day
* @param type
* @return
*/
Vector<Long> fillAggDailyWeatherSensitiveLoadInHours (int day, String type)
{
int dayTemp =
day
% (OfficeComplexConstants.DAYS_OF_BOOTSTRAP + OfficeComplexConstants.DAYS_OF_COMPETITION);
Vector<Long> daily = new Vector<Long>();
long sum = 0;
if (type.equals("NS")) {
for (int i = 0; i < OfficeComplexConstants.HOURS_OF_DAY; i++) {
sum = 0;
sum =
aggDailyWeatherSensitiveLoadNS.get(dayTemp)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR)
+ aggDailyWeatherSensitiveLoadNS.get(dayTemp)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 1)
+ aggDailyWeatherSensitiveLoadNS.get(dayTemp)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 2)
+ aggDailyWeatherSensitiveLoadNS.get(dayTemp)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 3);
daily.add(sum);
}
}
else {
for (int i = 0; i < OfficeComplexConstants.HOURS_OF_DAY; i++) {
sum = 0;
sum =
aggDailyWeatherSensitiveLoadSS.get(dayTemp)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR)
+ aggDailyWeatherSensitiveLoadSS.get(dayTemp)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 1)
+ aggDailyWeatherSensitiveLoadSS.get(dayTemp)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 2)
+ aggDailyWeatherSensitiveLoadSS.get(dayTemp)
.get(i * OfficeComplexConstants.QUARTERS_OF_HOUR + 3);
daily.add(sum);
}
}
return daily;
}
/**
* This function is used in order to print the aggregated hourly load of the
* office complex's offices.
*
* @param type
* @return
*/
void showAggLoad (String type)
{
log.info("Portion " + type + " Weekly Aggregated Load");
if (type.equals("NS")) {
for (int i = 0; i < OfficeComplexConstants.DAYS_OF_COMPETITION
+ OfficeComplexConstants.DAYS_OF_BOOTSTRAP; i++) {
log.debug("Day " + i);
for (int j = 0; j < OfficeComplexConstants.HOURS_OF_DAY; j++) {
log.debug("Hour : " + j + " Base Load : "
+ aggDailyBaseLoadInHoursNS.get(i).get(j)
+ " Controllable Load: "
+ aggDailyControllableLoadInHoursNS.get(i).get(j)
+ " Weather Sensitive Load: "
+ aggDailyWeatherSensitiveLoadInHoursNS.get(i).get(j));
}
}
}
else {
for (int i = 0; i < OfficeComplexConstants.DAYS_OF_COMPETITION
+ OfficeComplexConstants.DAYS_OF_BOOTSTRAP; i++) {
log.debug("Day " + i);
for (int j = 0; j < OfficeComplexConstants.HOURS_OF_DAY; j++) {
log.debug("Hour : " + j + " Base Load : "
+ aggDailyBaseLoadInHoursSS.get(i).get(j)
+ " Controllable Load: "
+ aggDailyControllableLoadInHoursSS.get(i).get(j)
+ " Weather Sensitive Load: "
+ aggDailyWeatherSensitiveLoadInHoursSS.get(i).get(j));
}
}
}
}
/**
* This function is used in order to print the aggregated hourly load of the
* office complex offices for a certain type of offices.
*
* @param type
* @return
*/
public void showAggDailyLoad (String type, int day)
{
log.debug("Portion " + type + " Daily Aggregated Load");
log.debug("Day " + day);
if (type.equals("NS")) {
for (int j = 0; j < OfficeComplexConstants.HOURS_OF_DAY; j++) {
log.debug("Hour : " + j + " Base Load : "
+ aggDailyBaseLoadInHoursNS.get(day).get(j)
+ " Controllable Load: "
+ aggDailyControllableLoadInHoursNS.get(day).get(j)
+ " Weather Sensitive Load: "
+ aggDailyWeatherSensitiveLoadInHoursNS.get(day).get(j));
}
}
else {
for (int j = 0; j < OfficeComplexConstants.HOURS_OF_DAY; j++) {
log.debug("Hour : " + j + " Base Load : "
+ aggDailyBaseLoadInHoursSS.get(day).get(j)
+ " Controllable Load: "
+ aggDailyControllableLoadInHoursSS.get(day).get(j)
+ " Weather Sensitive Load: "
+ aggDailyWeatherSensitiveLoadInHoursSS.get(day).get(j));
}
}
}
// =====CONSUMPTION FUNCTIONS===== //
@Override
public void consumePower ()
{
Timeslot ts = timeslotRepo.currentTimeslot();
double summary = 0;
double summaryControllable = 0;
HashMap<TariffSubscription, Double> subs =
new HashMap<TariffSubscription, Double>();
for (TariffSubscription sub: subscriptionMap.values()) {
subs.put(sub, Double.valueOf(0));
}
for (TariffSubscription sub: controllableSubscriptionMap.values()) {
subs.put(sub, Double.valueOf(0));
}
// log.debug(subs.toString());
for (String type: subscriptionMap.keySet()) {
if (ts == null) {
log.debug("Current timeslot is null");
int serial =
(int) ((timeService.getCurrentTime().getMillis() - timeService
.getBase()) / TimeService.HOUR);
summary = getConsumptionByTimeslot(serial, type, false);
summaryControllable = getConsumptionByTimeslot(serial, type, true);
}
else {
log.debug("Timeslot Serial: " + ts.getSerialNumber());
summary = getConsumptionByTimeslot(ts.getSerialNumber(), type, false);
summaryControllable =
getConsumptionByTimeslot(ts.getSerialNumber(), type, true);
}
// log.debug("Consumption Load for " + type + ": Base Load " + summary
// + " Controllable Load " + summaryControllable);
TariffSubscription tempSub = subscriptionMap.get(type);
TariffSubscription tempContSub = controllableSubscriptionMap.get(type);
subs.put(tempSub, summary + subs.get(tempSub));
subs.put(tempContSub, summaryControllable + subs.get(tempContSub));
}
for (TariffSubscription sub: subs.keySet()) {
log.debug("Consumption Load for Customer " + sub.getCustomer().toString()
+ ": " + subs.get(sub));
if (sub.getCustomersCommitted() > 0)
- sub.usePower(summary);
+ sub.usePower(subs.get(sub));
}
}
/**
* This method takes as an input the time-slot serial number (in order to know
* in the current time) and estimates the consumption for this time-slot over
* the population under the Village Household Consumer.
*/
double
getConsumptionByTimeslot (int serial, String type, boolean controllable)
{
int day = (int) (serial / OfficeComplexConstants.HOURS_OF_DAY);
int hour = (int) (serial % OfficeComplexConstants.HOURS_OF_DAY);
long summary = 0;
log.debug("Serial : " + serial + " Day: " + day + " Hour: " + hour);
if (controllable)
summary = getControllableConsumptions(day, hour, type);
else
summary =
getBaseConsumptions(day, hour, type)
+ getWeatherSensitiveConsumptions(day, hour, type);
return (double) summary / OfficeComplexConstants.THOUSAND;
}
// =====GETTER FUNCTIONS===== //
/** This function returns the subscription Map variable of the office complex. */
public HashMap<String, TariffSubscription> getSubscriptionMap ()
{
return subscriptionMap;
}
/** This function returns the subscription Map variable of the village. */
public HashMap<String, TariffSubscription> getControllableSubscriptionMap ()
{
return controllableSubscriptionMap;
}
/** This function returns the inertia Map variable of the office complex. */
public HashMap<String, Double> getInertiaMap ()
{
return inertiaMap;
}
/** This function returns the period Map variable of the office complex. */
public HashMap<String, Integer> getPeriodMap ()
{
return periodMap;
}
/**
* This function returns the quantity of base load for a specific day and hour
* of that day for a specific type of offices.
*/
long getBaseConsumptions (int day, int hour, String type)
{
long summaryBase = 0;
int dayTemp =
day
% (OfficeComplexConstants.DAYS_OF_BOOTSTRAP + OfficeComplexConstants.DAYS_OF_COMPETITION);
if (type.equals("NS")) {
summaryBase = aggDailyBaseLoadInHoursNS.get(dayTemp).get(hour);
}
else {
summaryBase = aggDailyBaseLoadInHoursSS.get(dayTemp).get(hour);
}
log.debug("Base Load for " + type + ":" + summaryBase);
return summaryBase;
}
/**
* This function returns the quantity of controllable load for a specific day
* and hour of that day for a specific type of offices.
*/
long getControllableConsumptions (int day, int hour, String type)
{
long summaryControllable = 0;
int dayTemp =
day
% (OfficeComplexConstants.DAYS_OF_BOOTSTRAP + OfficeComplexConstants.DAYS_OF_COMPETITION);
if (type.equals("NS")) {
summaryControllable =
aggDailyControllableLoadInHoursNS.get(dayTemp).get(hour);
}
else {
summaryControllable =
aggDailyControllableLoadInHoursSS.get(dayTemp).get(hour);
}
log.debug("Controllable Load for " + type + ":" + summaryControllable);
return summaryControllable;
}
/**
* This function curtails the quantity of controllable load given by the
* subscription, by reducing current timeslots consumption and adding it to
* the next timeslot.
*/
void curtailControllableConsumption (int day, int hour, String type,
long curtail)
{
long before = 0, after = 0;
int dayTemp =
day
% (OfficeComplexConstants.DAYS_OF_BOOTSTRAP + OfficeComplexConstants.DAYS_OF_COMPETITION);
if (type.equals("NS")) {
before = aggDailyControllableLoadInHoursNS.get(dayTemp).get(hour);
aggDailyControllableLoadInHoursNS.get(dayTemp)
.set(hour, before + curtail);
after = aggDailyControllableLoadInHoursNS.get(dayTemp).get(hour);
}
else {
before = aggDailyControllableLoadInHoursSS.get(dayTemp).get(hour);
aggDailyControllableLoadInHoursSS.get(dayTemp)
.set(hour, before + curtail);
after = aggDailyControllableLoadInHoursSS.get(dayTemp).get(hour);
}
log.debug("Controllable Load for " + type + ": Before Curtailment "
+ before + " After Curtailment " + after);
}
/**
* This function returns the quantity of weather sensitive load for a specific
* day and hour of that day for a specific type of office.
*/
long getWeatherSensitiveConsumptions (int day, int hour, String type)
{
long summaryWeatherSensitive = 0;
int dayTemp =
day
% (OfficeComplexConstants.DAYS_OF_BOOTSTRAP + OfficeComplexConstants.DAYS_OF_COMPETITION);
if (type.equals("NS")) {
summaryWeatherSensitive =
aggDailyWeatherSensitiveLoadInHoursNS.get(dayTemp).get(hour);
}
else {
summaryWeatherSensitive =
aggDailyWeatherSensitiveLoadInHoursSS.get(dayTemp).get(hour);
}
log.debug("WeatherSensitive Load for " + type + ":"
+ summaryWeatherSensitive);
return summaryWeatherSensitive;
}
/**
* This function returns the quantity of controllable load for a specific day
* in form of a vector for a certain type of offices.
*/
Vector<Long> getControllableConsumptions (int day, String type)
{
Vector<Long> controllableVector = new Vector<Long>();
int dayTemp =
day
% (OfficeComplexConstants.DAYS_OF_BOOTSTRAP + OfficeComplexConstants.DAYS_OF_COMPETITION);
if (type.equals("NS")) {
controllableVector = aggDailyControllableLoadInHoursNS.get(dayTemp);
}
else {
controllableVector = aggDailyControllableLoadInHoursSS.get(dayTemp);
}
return controllableVector;
}
/**
* This function returns the quantity of weather sensitive load for a specific
* day in form of a vector for a certain type of offices.
*/
Vector<Long> getWeatherSensitiveConsumptions (int day, String type)
{
Vector<Long> weatherSensitiveVector = new Vector<Long>();
int dayTemp =
day
% (OfficeComplexConstants.DAYS_OF_BOOTSTRAP + OfficeComplexConstants.DAYS_OF_COMPETITION);
if (type.equals("NS")) {
weatherSensitiveVector =
aggDailyWeatherSensitiveLoadInHoursNS.get(dayTemp);
}
else {
weatherSensitiveVector =
aggDailyWeatherSensitiveLoadInHoursSS.get(dayTemp);
}
return weatherSensitiveVector;
}
/**
* This function returns a vector with all the offices that are present in
* this office complex.
*/
public Vector<Office> getOffices ()
{
Vector<Office> offices = new Vector<Office>();
for (Office office: notShiftingoffices)
offices.add(office);
for (Office office: smartShiftingoffices)
offices.add(office);
return offices;
}
/**
* This function returns a vector with all the offices of a certain type that
* are present in this office complex.
*/
public Vector<Office> getOffices (String type)
{
Vector<Office> offices = new Vector<Office>();
if (type.equals("NS")) {
for (Office office: notShiftingoffices) {
offices.add(office);
}
}
else {
for (Office office: smartShiftingoffices) {
offices.add(office);
}
}
return offices;
}
// =====EVALUATION FUNCTIONS===== //
// =====EVALUATION FUNCTIONS===== //
/**
* This is the basic evaluation function, taking into consideration the
* minimum cost without shifting the appliances' load but the tariff chosen is
* picked up randomly by using a possibility pattern. The better tariffs have
* more chances to be chosen.
*/
public void possibilityEvaluationNewTariffs (List<Tariff> newTariffs,
String type)
{
for (CustomerInfo customer: customerInfos) {
List<TariffSubscription> subscriptions =
tariffSubscriptionRepo.findActiveSubscriptionsForCustomer(customer);
if (subscriptions == null || subscriptions.size() == 0) {
subscribeDefault();
return;
}
Vector<Double> estimation = new Vector<Double>();
// getting the active tariffs for evaluation
ArrayList<Tariff> evaluationTariffs = new ArrayList<Tariff>(newTariffs);
log.debug("Estimation size for " + this.toString() + " = "
+ evaluationTariffs.size());
if (evaluationTariffs.size() > 1) {
for (Tariff tariff: evaluationTariffs) {
log.debug("Tariff : " + tariff.toString() + " Tariff Type : "
+ tariff.getTariffSpecification().getPowerType());
if (tariff.isExpired() == false
&& (tariff.getTariffSpecification().getPowerType() == customer
.getPowerType() || (customer.getPowerType() == PowerType.INTERRUPTIBLE_CONSUMPTION && tariff
.getTariffSpecification().getPowerType() == PowerType.CONSUMPTION))) {
estimation.add(-(costEstimation(tariff, type)));
}
else
estimation.add(Double.NEGATIVE_INFINITY);
}
int minIndex = logitPossibilityEstimation(estimation, type);
TariffSubscription sub = subscriptionMap.get(type);
if (customer.getPowerType() == PowerType.INTERRUPTIBLE_CONSUMPTION)
sub = controllableSubscriptionMap.get(type);
log.debug("Equality: " + sub.getTariff().getTariffSpec().toString()
+ " = "
+ evaluationTariffs.get(minIndex).getTariffSpec().toString());
if (!(sub.getTariff().getTariffSpec() == evaluationTariffs
.get(minIndex).getTariffSpec())) {
log.debug("Changing From " + sub.toString() + " For PowerType "
+ customer.getPowerType() + " After Evaluation");
changeSubscription(sub.getTariff(), evaluationTariffs.get(minIndex),
type, customer);
}
}
}
}
/**
* This function estimates the overall cost, taking into consideration the
* fixed payments as well as the variable that are depending on the tariff
* rates
*/
double costEstimation (Tariff tariff, String type)
{
double costVariable = 0;
/* if it is NotShifting offices the evaluation is done without shifting devices
if it is RandomShifting offices the evaluation is may be done without shifting devices or maybe shifting will be taken into consideration
In any other case shifting will be done. */
if (type.equals("NS")) {
// System.out.println("Simple Evaluation for " + type);
log.debug("Simple Evaluation for " + type);
costVariable = estimateVariableTariffPayment(tariff, type);
}
else if (type.equals("RaS")) {
Double rand = gen.nextDouble();
// System.out.println(rand);
if (rand < getInertiaMap().get(type)) {
// System.out.println("Simple Evaluation for " + type);
log.debug("Simple Evaluation for " + type);
costVariable = estimateShiftingVariableTariffPayment(tariff, type);
}
else {
// System.out.println("Shifting Evaluation for " + type);
log.debug("Shifting Evaluation for " + type);
costVariable = estimateVariableTariffPayment(tariff, type);
}
}
else {
// System.out.println("Shifting Evaluation for " + type);
log.debug("Shifting Evaluation for " + type);
costVariable = estimateShiftingVariableTariffPayment(tariff, type);
}
double costFixed = estimateFixedTariffPayments(tariff);
return (costVariable + costFixed) / OfficeComplexConstants.MILLION;
}
/**
* This function estimates the fixed cost, comprised by fees, bonuses and
* penalties that are the same no matter how much you consume
*/
double estimateFixedTariffPayments (Tariff tariff)
{
double lifecyclePayment =
-tariff.getEarlyWithdrawPayment() - tariff.getSignupPayment();
double minDuration;
// When there is not a Minimum Duration of the contract, you cannot divide
// with the duration
// because you don't know it.
if (tariff.getMinDuration() == 0)
minDuration =
OfficeComplexConstants.MEAN_TARIFF_DURATION * TimeService.DAY;
else
minDuration = tariff.getMinDuration();
log.debug("Minimum Duration: " + minDuration);
return (-tariff.getPeriodicPayment() + (lifecyclePayment / minDuration));
}
/**
* This function estimates the variable cost, depending only to the load
* quantity you consume
*/
double estimateVariableTariffPayment (Tariff tariff, String type)
{
double finalCostSummary = 0;
int serial =
(int) ((timeService.getCurrentTime().getMillis() - timeService.getBase()) / TimeService.HOUR);
Instant base =
new Instant(timeService.getCurrentTime().getMillis() - serial
* TimeService.HOUR);
int daylimit = (int) (serial / OfficeComplexConstants.HOURS_OF_DAY) + 1;
for (int day: daysList) {
if (day < daylimit)
day =
(int) (day + (daylimit / OfficeComplexConstants.RANDOM_DAYS_NUMBER));
Instant now = base.plus(day * TimeService.DAY);
double costSummary = 0;
double summary = 0, cumulativeSummary = 0;
for (int hour = 0; hour < OfficeComplexConstants.HOURS_OF_DAY; hour++) {
summary =
getBaseConsumptions(day, hour, type)
+ getControllableConsumptions(day, hour, type);
log.debug("Cost for hour " + hour + ":"
+ tariff.getUsageCharge(now, 1, 0));
cumulativeSummary += summary;
costSummary -= tariff.getUsageCharge(now, summary, cumulativeSummary);
now = now.plus(TimeService.HOUR);
}
log.debug("Variable Cost Summary: " + finalCostSummary);
finalCostSummary += costSummary;
}
return finalCostSummary / OfficeComplexConstants.RANDOM_DAYS_NUMBER;
}
/**
* This is the new function, used in order to find the most cost efficient
* tariff over the available ones. It is using Daily shifting in order to put
* the appliances operation in most suitable hours (less costly) of the day.
*
* @param tariff
* @return
*/
double estimateShiftingVariableTariffPayment (Tariff tariff, String type)
{
double finalCostSummary = 0;
int serial =
(int) ((timeService.getCurrentTime().getMillis() - timeService.getBase()) / TimeService.HOUR);
Instant base =
timeService.getCurrentTime().minus(serial * TimeService.HOUR);
int daylimit = (int) (serial / OfficeComplexConstants.HOURS_OF_DAY) + 1;
for (int day: daysList) {
if (day < daylimit)
day =
(int) (day + (daylimit / OfficeComplexConstants.RANDOM_DAYS_NUMBER));
Instant now = base.plus(day * TimeService.DAY);
double costSummary = 0;
double summary = 0, cumulativeSummary = 0;
long[] newControllableLoad = dailyShifting(tariff, now, day, type);
for (int hour = 0; hour < OfficeComplexConstants.HOURS_OF_DAY; hour++) {
summary =
getBaseConsumptions(day, hour, type) + newControllableLoad[hour];
cumulativeSummary += summary;
costSummary -= tariff.getUsageCharge(now, summary, cumulativeSummary);
now = now.plus(TimeService.HOUR);
}
log.debug("Variable Cost Summary: " + finalCostSummary);
finalCostSummary += costSummary;
}
return finalCostSummary / OfficeComplexConstants.RANDOM_DAYS_NUMBER;
}
/**
* This is the function that realizes the mathematical possibility formula for
* the choice of tariff.
*/
int logitPossibilityEstimation (Vector<Double> estimation, String type)
{
double lamda = lamdaMap.get(type);
double summedEstimations = 0;
Vector<Integer> randomizer = new Vector<Integer>();
Vector<Integer> possibilities = new Vector<Integer>();
for (int i = 0; i < estimation.size(); i++) {
summedEstimations +=
Math.pow(OfficeComplexConstants.EPSILON, lamda * estimation.get(i));
log.debug("Cost variable: " + estimation.get(i));
log.debug("Summary of Estimation: " + summedEstimations);
}
for (int i = 0; i < estimation.size(); i++) {
possibilities
.add((int) (OfficeComplexConstants.PERCENTAGE * (Math
.pow(OfficeComplexConstants.EPSILON,
lamda * estimation.get(i)) / summedEstimations)));
for (int j = 0; j < possibilities.get(i); j++) {
randomizer.add(i);
}
}
log.debug("Randomizer Vector: " + randomizer);
log.debug("Possibility Vector: " + possibilities.toString());
int index = randomizer.get((int) (randomizer.size() * rs1.nextDouble()));
log.debug("Resulting Index = " + index);
return index;
}
// =====SHIFTING FUNCTIONS===== //
/**
* This is the function that takes every office in the office complex and
* reads the shifted Controllable Consumption for the needs of the tariff
* evaluation.
*
* @param tariff
* @param now
* @param day
* @param type
* @return
*/
long[] dailyShifting (Tariff tariff, Instant now, int day, String type)
{
long[] newControllableLoad = new long[OfficeComplexConstants.HOURS_OF_DAY];
int dayTemp =
day
% (OfficeComplexConstants.DAYS_OF_BOOTSTRAP + OfficeComplexConstants.DAYS_OF_COMPETITION);
Vector<Office> offices = new Vector<Office>();
if (type.equals("NS")) {
offices = notShiftingoffices;
}
else {
offices = smartShiftingoffices;
}
for (Office office: offices) {
long[] temp = office.dailyShifting(tariff, now, dayTemp, gen);
for (int j = 0; j < OfficeComplexConstants.HOURS_OF_DAY; j++)
newControllableLoad[j] += temp[j];
}
log.debug("New Controllable Load of OfficeComplex " + toString() + " type "
+ type + " for Tariff " + tariff.toString());
for (int i = 0; i < OfficeComplexConstants.HOURS_OF_DAY; i++) {
log.debug("Hour: " + i + " Cost: " + tariff.getUsageCharge(now, 1, 0)
+ " Load For Type " + type + " : " + newControllableLoad[i]);
now = new Instant(now.getMillis() + TimeService.HOUR);
}
return newControllableLoad;
}
// =====STATUS FUNCTIONS===== //
/**
* This function prints to the screen the daily load of the office complex's
* offices for the weekday at hand.
*
* @param day
* @param type
* @return
*/
void printDailyLoad (int day, String type)
{
Vector<Office> offices = new Vector<Office>();
int dayTemp =
day
% (OfficeComplexConstants.DAYS_OF_BOOTSTRAP + OfficeComplexConstants.DAYS_OF_COMPETITION);
if (type.equals("NS")) {
offices = notShiftingoffices;
}
else {
offices = smartShiftingoffices;
}
log.debug("Day " + day);
for (Office office: offices) {
office.printDailyLoad(dayTemp);
}
}
// =====VECTOR CREATION===== //
/**
* This function is creating a certain number of random days that will be
* public vacation for the people living in the environment.
*
* @param days
* @param gen
* @return
*/
Vector<Integer> createPublicVacationVector (int days)
{
// Creating auxiliary variables
Vector<Integer> v = new Vector<Integer>(days);
for (int i = 0; i < days; i++) {
int x =
gen.nextInt(OfficeComplexConstants.DAYS_OF_COMPETITION
+ OfficeComplexConstants.DAYS_OF_BOOTSTRAP);
ListIterator<Integer> iter = v.listIterator();
while (iter.hasNext()) {
int temp = (int) iter.next();
if (x == temp) {
x = x + 1;
iter = v.listIterator();
}
}
v.add(x);
}
java.util.Collections.sort(v);
return v;
}
/**
* This function is creating the list of days for each office complex that
* will be utilized for the tariff evaluation.
*
* @param days
* @param gen
* @return
*/
void createCostEstimationDaysList (int days)
{
for (int i = 0; i < days; i++) {
int x =
gen.nextInt(OfficeComplexConstants.DAYS_OF_COMPETITION
+ OfficeComplexConstants.DAYS_OF_BOOTSTRAP);
ListIterator<Integer> iter = daysList.listIterator();
while (iter.hasNext()) {
int temp = (int) iter.next();
if (x == temp) {
x = x + 1;
iter = daysList.listIterator();
}
}
daysList.add(x);
}
java.util.Collections.sort(daysList);
}
// =====STEP FUNCTIONS===== //
@Override
public void step ()
{
int serial =
(int) ((timeService.getCurrentTime().getMillis() - timeService.getBase()) / TimeService.HOUR);
int day = (int) (serial / OfficeComplexConstants.HOURS_OF_DAY);
int hour = timeService.getHourOfDay();
Instant now = new Instant(timeService.getCurrentTime().getMillis());
weatherCheck(day, hour, now);
checkRevokedSubscriptions();
checkCurtailment(serial, day, hour);
consumePower();
if (hour == 23) {
for (String type: subscriptionMap.keySet()) {
if (!(type.equals("NS"))) {
log.info("Rescheduling " + type);
rescheduleNextDay(type);
}
}
}
}
/**
* This function is utilized in order to check the weather at each time tick
* of the competition clock and reschedule the appliances that are weather
* sensitive to work.
*/
void weatherCheck (int day, int hour, Instant now)
{
int dayTemp =
day
% (OfficeComplexConstants.DAYS_OF_BOOTSTRAP + OfficeComplexConstants.DAYS_OF_COMPETITION);
WeatherReport wr = weatherReportRepo.currentWeatherReport();
if (wr != null) {
double temperature = wr.getTemperature();
// log.debug("Temperature: " + temperature);
Vector<Office> offices = getOffices();
for (Office office: offices) {
office.weatherCheck(dayTemp, hour, now, temperature);
}
for (String type: subscriptionMap.keySet()) {
updateAggDailyWeatherSensitiveLoad(type, day);
if (dayTemp + 1 < OfficeComplexConstants.DAYS_OF_COMPETITION) {
updateAggDailyWeatherSensitiveLoad(type, dayTemp + 1);
}
// showAggDailyLoad(type, dayTemp);
// showAggDailyLoad(type, dayTemp + 1);
}
}
}
/**
* This function is utilized in order to check the subscriptions curtailments
* for each time tick and move the controllable load at the next timeslot.
*/
void checkCurtailment (int serial, int day, int hour)
{
int nextSerial =
(int) ((timeService.getCurrentTime().getMillis() - timeService.getBase()) / TimeService.HOUR) + 1;
int nextDay = (int) (nextSerial / OfficeComplexConstants.HOURS_OF_DAY);
int nextHour = (int) (nextSerial % OfficeComplexConstants.HOURS_OF_DAY);
int dayTemp =
day
% (OfficeComplexConstants.DAYS_OF_BOOTSTRAP + OfficeComplexConstants.DAYS_OF_COMPETITION);
int nextDayTemp =
nextDay
% (OfficeComplexConstants.DAYS_OF_BOOTSTRAP + OfficeComplexConstants.DAYS_OF_COMPETITION);
Collection<TariffSubscription> tempCol =
controllableSubscriptionMap.values();
ArrayList<TariffSubscription> subs = new ArrayList<TariffSubscription>();
for (TariffSubscription sub: tempCol)
if (!subs.contains(sub))
subs.add(sub);
log.debug(this.toString() + " " + subs.toString());
for (TariffSubscription sub: subs) {
long curt = (long) sub.getCurtailment() * OfficeComplexConstants.THOUSAND;
log.debug(this.toString() + " Subscription " + sub + " Curtailment "
+ curt);
if (curt > 0) {
ArrayList<String> temp = new ArrayList<String>();
for (String type: controllableSubscriptionMap.keySet())
if (controllableSubscriptionMap.get(type) == sub)
temp.add(type);
for (int i = 0; i < temp.size(); i++) {
String type = temp.get(i);
curtailControllableConsumption(dayTemp, hour, type,
-(long) (curt / temp.size()));
curtailControllableConsumption(nextDayTemp, nextHour, type,
(long) (curt / temp.size()));
}
}
}
// showAggDailyLoad(type, dayTemp);
// showAggDailyLoad(type, dayTemp + 1);
}
/**
* This function is utilized in order to reschedule the consumption load for
* the next day of the competition according to the tariff rates of the
* subscriptions under contract.
*/
void rescheduleNextDay (String type)
{
int serial =
(int) ((timeService.getCurrentTime().getMillis() - timeService.getBase()) / TimeService.HOUR);
int day = (int) (serial / OfficeComplexConstants.HOURS_OF_DAY) + 1;
Instant now =
new Instant(timeService.getCurrentTime().getMillis() + TimeService.HOUR);
int dayTemp =
day
% (OfficeComplexConstants.DAYS_OF_BOOTSTRAP + OfficeComplexConstants.DAYS_OF_COMPETITION);
Vector<Long> controllableVector = new Vector<Long>();
TariffSubscription sub = subscriptionMap.get(type);
log.debug("Old Consumption for day " + day + ": "
+ getControllableConsumptions(dayTemp, type).toString());
long[] newControllableLoad =
dailyShifting(sub.getTariff(), now, dayTemp, type);
for (int i = 0; i < OfficeComplexConstants.HOURS_OF_DAY; i++)
controllableVector.add(newControllableLoad[i]);
log.debug("New Consumption for day " + day + ": "
+ controllableVector.toString());
aggDailyControllableLoadInHoursSS.set(dayTemp, controllableVector);
}
@Override
public String toString ()
{
return name;
}
}
| true | true | public void consumePower ()
{
Timeslot ts = timeslotRepo.currentTimeslot();
double summary = 0;
double summaryControllable = 0;
HashMap<TariffSubscription, Double> subs =
new HashMap<TariffSubscription, Double>();
for (TariffSubscription sub: subscriptionMap.values()) {
subs.put(sub, Double.valueOf(0));
}
for (TariffSubscription sub: controllableSubscriptionMap.values()) {
subs.put(sub, Double.valueOf(0));
}
// log.debug(subs.toString());
for (String type: subscriptionMap.keySet()) {
if (ts == null) {
log.debug("Current timeslot is null");
int serial =
(int) ((timeService.getCurrentTime().getMillis() - timeService
.getBase()) / TimeService.HOUR);
summary = getConsumptionByTimeslot(serial, type, false);
summaryControllable = getConsumptionByTimeslot(serial, type, true);
}
else {
log.debug("Timeslot Serial: " + ts.getSerialNumber());
summary = getConsumptionByTimeslot(ts.getSerialNumber(), type, false);
summaryControllable =
getConsumptionByTimeslot(ts.getSerialNumber(), type, true);
}
// log.debug("Consumption Load for " + type + ": Base Load " + summary
// + " Controllable Load " + summaryControllable);
TariffSubscription tempSub = subscriptionMap.get(type);
TariffSubscription tempContSub = controllableSubscriptionMap.get(type);
subs.put(tempSub, summary + subs.get(tempSub));
subs.put(tempContSub, summaryControllable + subs.get(tempContSub));
}
for (TariffSubscription sub: subs.keySet()) {
log.debug("Consumption Load for Customer " + sub.getCustomer().toString()
+ ": " + subs.get(sub));
if (sub.getCustomersCommitted() > 0)
sub.usePower(summary);
}
}
| public void consumePower ()
{
Timeslot ts = timeslotRepo.currentTimeslot();
double summary = 0;
double summaryControllable = 0;
HashMap<TariffSubscription, Double> subs =
new HashMap<TariffSubscription, Double>();
for (TariffSubscription sub: subscriptionMap.values()) {
subs.put(sub, Double.valueOf(0));
}
for (TariffSubscription sub: controllableSubscriptionMap.values()) {
subs.put(sub, Double.valueOf(0));
}
// log.debug(subs.toString());
for (String type: subscriptionMap.keySet()) {
if (ts == null) {
log.debug("Current timeslot is null");
int serial =
(int) ((timeService.getCurrentTime().getMillis() - timeService
.getBase()) / TimeService.HOUR);
summary = getConsumptionByTimeslot(serial, type, false);
summaryControllable = getConsumptionByTimeslot(serial, type, true);
}
else {
log.debug("Timeslot Serial: " + ts.getSerialNumber());
summary = getConsumptionByTimeslot(ts.getSerialNumber(), type, false);
summaryControllable =
getConsumptionByTimeslot(ts.getSerialNumber(), type, true);
}
// log.debug("Consumption Load for " + type + ": Base Load " + summary
// + " Controllable Load " + summaryControllable);
TariffSubscription tempSub = subscriptionMap.get(type);
TariffSubscription tempContSub = controllableSubscriptionMap.get(type);
subs.put(tempSub, summary + subs.get(tempSub));
subs.put(tempContSub, summaryControllable + subs.get(tempContSub));
}
for (TariffSubscription sub: subs.keySet()) {
log.debug("Consumption Load for Customer " + sub.getCustomer().toString()
+ ": " + subs.get(sub));
if (sub.getCustomersCommitted() > 0)
sub.usePower(subs.get(sub));
}
}
|
diff --git a/src/com/wickedspiral/jacss/lexer/builder/NumberTokenBuilder.java b/src/com/wickedspiral/jacss/lexer/builder/NumberTokenBuilder.java
index 1684023..60c62bb 100644
--- a/src/com/wickedspiral/jacss/lexer/builder/NumberTokenBuilder.java
+++ b/src/com/wickedspiral/jacss/lexer/builder/NumberTokenBuilder.java
@@ -1,48 +1,48 @@
package com.wickedspiral.jacss.lexer.builder;
import com.wickedspiral.jacss.lexer.ParserState;
import com.wickedspiral.jacss.lexer.Token;
import com.wickedspiral.jacss.lexer.TokenBuilder;
import com.wickedspiral.jacss.lexer.UnrecognizedCharacterException;
/**
* @author wasche
* @since 2011.08.04
*/
public class NumberTokenBuilder implements TokenBuilder
{
public void handle(ParserState state, char c) throws UnrecognizedCharacterException
{
- boolean nonDigit = ! Character.isDigit(c);
+ boolean nonDigit = !Character.isDigit(c);
boolean point = ('.' == state.getLastCharacter());
// .2em or .classname ?
if (point && nonDigit)
{
state.tokenFinished(Token.OP)
.unsetTokenBuilder()
- .tokenize(c);
+ .tokenize( c );
}
// -2px or -moz-something
- else if (nonDigit && '-' == state.getLastCharacter())
+ else if (nonDigit && '-' == state.getLastCharacter() && c != '.')
{
state.setTokenBuilder(Token.IDENTIFIER)
.tokenize(c);
}
- else if (!nonDigit || (!point && ('.' == c || '-' == c)))
+ else if ( !nonDigit || (('.' == c || '-' == c)) )
{
state.push(c);
}
else if ("#".equals(state.getLastToken()))
{
state.setTokenBuilder(Token.IDENTIFIER)
.tokenize(c);
}
else
{
state.tokenFinished(Token.NUMBER)
.unsetTokenBuilder()
.tokenize(c);
}
}
}
| false | true | public void handle(ParserState state, char c) throws UnrecognizedCharacterException
{
boolean nonDigit = ! Character.isDigit(c);
boolean point = ('.' == state.getLastCharacter());
// .2em or .classname ?
if (point && nonDigit)
{
state.tokenFinished(Token.OP)
.unsetTokenBuilder()
.tokenize(c);
}
// -2px or -moz-something
else if (nonDigit && '-' == state.getLastCharacter())
{
state.setTokenBuilder(Token.IDENTIFIER)
.tokenize(c);
}
else if (!nonDigit || (!point && ('.' == c || '-' == c)))
{
state.push(c);
}
else if ("#".equals(state.getLastToken()))
{
state.setTokenBuilder(Token.IDENTIFIER)
.tokenize(c);
}
else
{
state.tokenFinished(Token.NUMBER)
.unsetTokenBuilder()
.tokenize(c);
}
}
| public void handle(ParserState state, char c) throws UnrecognizedCharacterException
{
boolean nonDigit = !Character.isDigit(c);
boolean point = ('.' == state.getLastCharacter());
// .2em or .classname ?
if (point && nonDigit)
{
state.tokenFinished(Token.OP)
.unsetTokenBuilder()
.tokenize( c );
}
// -2px or -moz-something
else if (nonDigit && '-' == state.getLastCharacter() && c != '.')
{
state.setTokenBuilder(Token.IDENTIFIER)
.tokenize(c);
}
else if ( !nonDigit || (('.' == c || '-' == c)) )
{
state.push(c);
}
else if ("#".equals(state.getLastToken()))
{
state.setTokenBuilder(Token.IDENTIFIER)
.tokenize(c);
}
else
{
state.tokenFinished(Token.NUMBER)
.unsetTokenBuilder()
.tokenize(c);
}
}
|
diff --git a/activiti-cycle/src/main/java/org/activiti/cycle/impl/connector/signavio/SignavioConnector.java b/activiti-cycle/src/main/java/org/activiti/cycle/impl/connector/signavio/SignavioConnector.java
index 89b83d04d..02fed239c 100644
--- a/activiti-cycle/src/main/java/org/activiti/cycle/impl/connector/signavio/SignavioConnector.java
+++ b/activiti-cycle/src/main/java/org/activiti/cycle/impl/connector/signavio/SignavioConnector.java
@@ -1,577 +1,578 @@
/* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package org.activiti.cycle.impl.connector.signavio;
import java.io.IOException;
import java.util.ArrayList;
import java.util.UUID;
import java.util.logging.Level;
import java.util.logging.Logger;
import org.activiti.cycle.ArtifactType;
import org.activiti.cycle.Content;
import org.activiti.cycle.RepositoryArtifact;
import org.activiti.cycle.RepositoryException;
import org.activiti.cycle.RepositoryFolder;
import org.activiti.cycle.RepositoryNode;
import org.activiti.cycle.RepositoryNodeCollection;
import org.activiti.cycle.RepositoryNodeNotFoundException;
import org.activiti.cycle.impl.RepositoryArtifactImpl;
import org.activiti.cycle.impl.RepositoryFolderImpl;
import org.activiti.cycle.impl.RepositoryNodeCollectionImpl;
import org.activiti.cycle.impl.connector.AbstractRepositoryConnector;
import org.activiti.cycle.impl.connector.signavio.util.SignavioJsonHelper;
import org.activiti.cycle.impl.connector.util.RestClientLogHelper;
import org.json.JSONArray;
import org.json.JSONException;
import org.json.JSONObject;
import org.restlet.Client;
import org.restlet.Context;
import org.restlet.Request;
import org.restlet.Response;
import org.restlet.data.Form;
import org.restlet.data.MediaType;
import org.restlet.data.Method;
import org.restlet.data.Preference;
import org.restlet.data.Protocol;
import org.restlet.data.Reference;
import org.restlet.data.Status;
import org.restlet.ext.json.JsonRepresentation;
import org.restlet.representation.Representation;
import de.hpi.bpmn2_0.transformation.Json2XmlConverter;
/**
* TODO: Check correct Exceptions to be thrown (use
* {@link RepositoryNodeNotFoundException}
*
* @author [email protected]
* @author ruecker
*/
public class SignavioConnector extends AbstractRepositoryConnector<SignavioConnectorConfiguration> {
private static Logger log = Logger.getLogger(SignavioConnector.class.getName());
/**
* Captcha ID for REST access to Signavio
*/
private static final String SERVER_SECURITY_ID = "000000";
/**
* Security token obtained from Signavio after login for the current session
*/
private String securityToken = "";
private transient Client restletClient;
public SignavioConnector(SignavioConnectorConfiguration signavioConfiguration) {
super(signavioConfiguration);
}
public Client initClient() {
// TODO: Check timeout on client and re-create it
if (restletClient == null) {
// Create and initialize HTTP client for HTTP REST API calls
restletClient = new Client(new Context(), Protocol.HTTP);
restletClient.getContext().getParameters().add("converter", "com.noelios.restlet.http.HttpClientConverter");
}
return restletClient;
}
public Response sendRequest(Request request) throws IOException {
injectSecurityToken(request);
if (log.isLoggable(Level.FINE)) {
RestClientLogHelper.logHttpRequest(log, Level.FINE, request);
}
Client client = initClient();
Response response = client.handle(request);
if (log.isLoggable(Level.FINE)) {
RestClientLogHelper.logHttpResponse(log, Level.FINE, response);
}
if (response.getStatus().isSuccess()) {
return response;
}
throw new RepositoryException("Encountered error while retrieving response (HttpStatus: " + response.getStatus() + ", Body: "
+ response.getEntity().getText() + ")");
}
private Request injectSecurityToken(Request request) {
Form requestHeaders = new Form();
requestHeaders.add("token", getSecurityToken());
request.getAttributes().put("org.restlet.http.headers", requestHeaders);
return request;
}
public Response getJsonResponse(String url) throws IOException {
Request jsonRequest = new Request(Method.GET, new Reference(url));
jsonRequest.getClientInfo().getAcceptedMediaTypes().add(new Preference<MediaType>(MediaType.APPLICATION_JSON));
return sendRequest(jsonRequest);
}
public boolean registerUserWithSignavio(String firstname, String lastname, String email, String password) throws IOException {
// Create the Post Parameters for registering a new user
Form registrationForm = new Form();
registrationForm.add("mode", "external");
registrationForm.add("firstName", firstname);
registrationForm.add("lastName", lastname);
registrationForm.add("mail", email);
registrationForm.add("password", password);
registrationForm.add("serverSecurityId", SERVER_SECURITY_ID);
Representation registrationRep = registrationForm.getWebRepresentation();
Request registrationRequest = new Request(Method.POST, getConfiguration().getRegistrationUrl(), registrationRep);
Response registrationResponse = sendRequest(registrationRequest);
if (registrationResponse.getStatus().equals(Status.SUCCESS_CREATED)) {
return true;
} else {
return false;
}
}
public boolean login(String username, String password) {
if (!getConfiguration().isLoginRequired()) {
// skip login if configured to do so
return true;
}
if (getConfiguration().isCredentialsSaved()) {
// TODO: Should we do that more generically?
username = getConfiguration().getUser();
password = getConfiguration().getPassword();
}
try {
log.info("Logging into Signavio on url: " + getConfiguration().getLoginUrl());
// Login a user
Form loginForm = new Form();
loginForm.add("name", username);
loginForm.add("password", password);
loginForm.add("tokenonly", "true");
Representation loginRep = loginForm.getWebRepresentation();
Request loginRequest = new Request(Method.POST, getConfiguration().getLoginUrl(), loginRep);
Response loginResponse = sendRequest(loginRequest);
Representation representation = loginResponse.getEntity();
setSecurityToken(representation.getText());
log.fine("SecurityToken: " + getSecurityToken());
return true;
} catch (Exception ex) {
throw new RepositoryException("Error during login to connector '" + getConfiguration().getName() + "'", ex);
}
}
private RepositoryFolder getFolderInfo(JSONObject jsonDirectoryObject) throws JSONException {
if (!"dir".equals(jsonDirectoryObject.getString("rel"))) {
// TODO: Think about that!
throw new RepositoryException(jsonDirectoryObject + " is not a directory");
}
String directoryName = jsonDirectoryObject.getJSONObject("rep").getString("name");
if (jsonDirectoryObject.getJSONObject("rep").has("type")) {
// need hard coded translation of some special folders with special
// treatment by signavio
// see https://app.camunda.com/jira/browse/HEMERA-328
String type = jsonDirectoryObject.getJSONObject("rep").optString("type");
if ("public".equals(type)) {
// TODO: Think about what to show here (I18n?)
directoryName = "Public";
}
if ("private".equals(type)) {
directoryName = "Private";
}
}
log.finest("Directoryname: " + directoryName);
// String directoryDescription =
// jsonDirectoryObject.getJSONObject("rep").getString("description");
String href = jsonDirectoryObject.getString("href");
// TODO: Check where we get the real ID from!
String id = getConfiguration().getDirectoryIdFromUrl(href);
RepositoryFolderImpl folderInfo = new RepositoryFolderImpl(getConfiguration().getId(), id);
folderInfo.getMetadata().setName(directoryName);
// TODO: Where do we get the path from?
// folderInfo.getMetadata().setPath();
return folderInfo;
}
private RepositoryArtifact getArtifactInfoFromFolderLink(JSONObject json) throws JSONException {
String id = getConfiguration().getModelIdFromUrl(json.getString("href"));
return getArtifactInfoFromFile(id, json.getJSONObject("rep"));
}
private RepositoryArtifact getArtifactInfoFromFile(String id, JSONObject json) throws JSONException {
ArtifactType artifactType = getArtifactTypeForSignavioArtifact(json);
RepositoryArtifactImpl fileInfo = new RepositoryArtifactImpl(getConfiguration().getId(), id, artifactType, this);
if (json.has("name")) {
fileInfo.getMetadata().setName(json.optString("name"));
} else {
fileInfo.getMetadata().setName(json.optString("title"));
}
// TODO: This seems not to work 100% correctly
fileInfo.getMetadata().setVersion(json.optString("rev"));
// TODO: Check if that is really last author and if we can get the original
// author
fileInfo.getMetadata().setLastAuthor(json.optString("author"));
fileInfo.getMetadata().setCreated(SignavioJsonHelper.getDateValueIfExists(json, "created"));
fileInfo.getMetadata().setLastChanged(SignavioJsonHelper.getDateValueIfExists(json, "updated"));
// relObject.getJSONObject("rep").getString("revision"); --> UUID of
// revision
// relObject.getJSONObject("rep").getString("description");
// relObject.getJSONObject("rep").getString("comment");
return fileInfo;
// TODO: Add file actions here (jpdl4/bpmn20/png), maybe define an action
// factory which produces the concrete actions?
}
private ArtifactType getArtifactTypeForSignavioArtifact(JSONObject json) throws JSONException {
String artifactTypeID = null;
if (json.has("namespace")) {
// Commercial Signavio way of doing it
String namespace = json.getString("namespace");
if (SignavioPluginDefinition.SIGNAVIO_NAMESPACE_FOR_BPMN_2_0.equals(namespace)) {
artifactTypeID = SignavioPluginDefinition.ARTIFACT_TYPE_BPMN_20;
} else if (SignavioPluginDefinition.SIGNAVIO_NAMESPACE_FOR_BPMN_JBPM4.equals(namespace)) {
artifactTypeID = SignavioPluginDefinition.ARTIFACT_TYPE_BPMN_FOR_JPDL4;
}
} else {
// Oryx/Signavio OSS = Activiti Modeler way of doing it
String type = json.getString("type");
if (SignavioPluginDefinition.ORYX_TYPE_ATTRIBUTE_FOR_BPMN_20.equals(type)) {
artifactTypeID = SignavioPluginDefinition.ARTIFACT_TYPE_BPMN_20;
}
else if (SignavioPluginDefinition.SIGNAVIO_NAMESPACE_FOR_BPMN_2_0.equals(type)) {
artifactTypeID = SignavioPluginDefinition.ARTIFACT_TYPE_BPMN_20;
}
}
return getConfiguration().getArtifactType(artifactTypeID);
}
public RepositoryNodeCollection getChildren(String id) throws RepositoryNodeNotFoundException {
try {
ArrayList<RepositoryNode> nodes = new ArrayList<RepositoryNode>();
try {
Response directoryResponse = getJsonResponse(getConfiguration().getDirectoryUrl(id));
JsonRepresentation jsonData = new JsonRepresentation(directoryResponse.getEntity());
JSONArray relJsonArray = jsonData.getJsonArray();
if (log.isLoggable(Level.FINEST)) {
RestClientLogHelper.logJSONArray(log, Level.FINEST, relJsonArray);
}
for (int i = 0; i < relJsonArray.length(); i++) {
JSONObject relObject = relJsonArray.getJSONObject(i);
if ("dir".equals(relObject.getString("rel"))) {
RepositoryFolder folderInfo = getFolderInfo(relObject);
nodes.add(folderInfo);
} else if ("mod".equals(relObject.getString("rel"))) {
RepositoryArtifact fileInfo = getArtifactInfoFromFolderLink(relObject);
nodes.add(fileInfo);
}
}
} catch (RepositoryException e) {
nodes = getModelsFromOryxBackend();
}
return new RepositoryNodeCollectionImpl(nodes);
} catch (Exception ex) {
throw new RepositoryNodeNotFoundException(getConfiguration().getName(), RepositoryFolder.class, id, ex);
}
}
private ArrayList<RepositoryNode> getModelsFromOryxBackend() throws IOException, JSONException {
ArrayList<RepositoryNode> nodes = new ArrayList<RepositoryNode>();
// extracts only BPMN 2.0 models, since everything else is more or less unsupported
Response filterResponse = getJsonResponse(getConfiguration().getRepositoryBackendUrl() + "filter?type=http%3A%2F%2Fb3mn.org%2Fstencilset%2Fbpmn2.0%23&sort=rating");
JsonRepresentation jsonRepresentation = new JsonRepresentation(filterResponse.getEntity());
JSONArray modelRefs = jsonRepresentation.getJsonArray();
for (int i = 0; i < modelRefs.length(); i++) {
String modelRef = modelRefs.getString(i);
String modelId = getConfiguration().getModelIdFromUrl(modelRef);
Response infoResponse = getJsonResponse(getConfiguration().getModelInfoUrl(modelId));
jsonRepresentation = new JsonRepresentation(infoResponse.getEntity());
RepositoryArtifact fileInfo = getArtifactInfoFromFile(modelId, jsonRepresentation.getJsonObject());
nodes.add(fileInfo);
}
return nodes;
}
public RepositoryFolder getRepositoryFolder(String id) {
try {
Response directoryResponse = getJsonResponse(getConfiguration().getDirectoryUrl(id));
JsonRepresentation jsonData = new JsonRepresentation(directoryResponse.getEntity());
JSONObject jsonObject = jsonData.getJsonObject();
return getFolderInfo(jsonObject);
} catch (Exception ex) {
throw new RepositoryNodeNotFoundException(getConfiguration().getName(), RepositoryArtifact.class, id, ex);
}
}
public RepositoryArtifact getRepositoryArtifact(String id) {
JsonRepresentation jsonData = null;
JSONObject jsonObject = null;
try {
Response modelResponse = getJsonResponse(getConfiguration().getModelUrl(id) + "/info");
jsonData = new JsonRepresentation(modelResponse.getEntity());
jsonObject = jsonData.getJsonObject();
return getArtifactInfoFromFile(id, jsonObject);
} catch (Exception ex) {
throw new RepositoryNodeNotFoundException(getConfiguration().getName(), RepositoryArtifact.class, id, ex);
}
}
public String getSecurityToken() {
return securityToken;
}
public void setSecurityToken(String securityToken) {
this.securityToken = securityToken;
}
public RepositoryFolder createFolder(String parentFolderId, String name) throws RepositoryNodeNotFoundException {
try {
Form createFolderForm = new Form();
createFolderForm.add("name", name);
createFolderForm.add("description", ""); // TODO: what should we use here?
createFolderForm.add("parent", "/directory/" + parentFolderId);
Representation createFolderRep = createFolderForm.getWebRepresentation();
Request jsonRequest = new Request(Method.POST, new Reference(getConfiguration().getDirectoryRootUrl()), createFolderRep);
jsonRequest.getClientInfo().getAcceptedMediaTypes().add(new Preference<MediaType>(MediaType.APPLICATION_JSON));
sendRequest(jsonRequest);
// TODO: create response object which contains the ID or maybe skip the
// whole artifact returning?
return null;
} catch (Exception ex) {
// throw new RepositoryNodeNotFoundException(getConfiguration().getName(),
// RepositoryArtifact.class, id);
throw new RepositoryException("Unable to create subFolder '" + name + "' in parent folder '" + parentFolderId + "'");
}
}
public void deleteArtifact(String artifactId) {
try {
Request jsonRequest = new Request(Method.DELETE, new Reference(getConfiguration().getModelUrl(artifactId)));
jsonRequest.getClientInfo().getAcceptedMediaTypes().add(new Preference<MediaType>(MediaType.APPLICATION_JSON));
sendRequest(jsonRequest);
} catch (Exception ex) {
// throw new RepositoryNodeNotFoundException(getConfiguration().getName(),
// RepositoryArtifact.class, id);
throw new RepositoryException("Unable to delete model " + artifactId);
}
}
public void deleteFolder(String subFolderId) {
try {
Request jsonRequest = new Request(Method.DELETE, new Reference(getConfiguration().getDirectoryUrl(subFolderId)));
jsonRequest.getClientInfo().getAcceptedMediaTypes().add(new Preference<MediaType>(MediaType.APPLICATION_JSON));
sendRequest(jsonRequest);
} catch (Exception ex) {
// throw new RepositoryNodeNotFoundException(getConfiguration().getName(),
// RepositoryArtifact.class, id);
throw new RepositoryException("Unable to delete directory " + subFolderId);
}
}
public String getModelUrl(RepositoryArtifact artifact) {
return getConfiguration().getModelUrl(artifact.getNodeId());
}
public void commitPendingChanges(String comment) {
}
public void moveModel(String targetFolderId, String modelId) throws IOException {
try {
Form bodyForm = new Form();
bodyForm.add("parent", "/directory/" + targetFolderId);
Representation bodyRep = bodyForm.getWebRepresentation();
Request jsonRequest = new Request(Method.PUT, new Reference(getConfiguration().getModelUrl(modelId)), bodyRep);
jsonRequest.getClientInfo().getAcceptedMediaTypes().add(new Preference<MediaType>(MediaType.APPLICATION_JSON));
sendRequest(jsonRequest);
} catch (Exception ex) {
// throw new RepositoryNodeNotFoundException(getConfiguration().getName(),
// RepositoryArtifact.class, id);
throw new RepositoryException("Unable to move model " + modelId + " to folder " + targetFolderId, ex);
}
}
public void moveDirectory(String targetFolderId, String directoryId) throws IOException {
try {
Form bodyForm = new Form();
bodyForm.add("parent", "/directory/" + targetFolderId);
Representation bodyRep = bodyForm.getWebRepresentation();
Request jsonRequest = new Request(Method.PUT, new Reference(getConfiguration().getDirectoryUrl(directoryId)), bodyRep);
jsonRequest.getClientInfo().getAcceptedMediaTypes().add(new Preference<MediaType>(MediaType.APPLICATION_JSON));
sendRequest(jsonRequest);
} catch (Exception ex) {
// throw new RepositoryNodeNotFoundException(getConfiguration().getName(),
// RepositoryArtifact.class, id);
throw new RepositoryException("Unable to move folder " + directoryId + " to directory " + targetFolderId, ex);
}
}
public RepositoryArtifact createArtifact(String containingFolderId, String artifactName, String artifactType, Content artifactContent)
throws RepositoryNodeNotFoundException {
// TODO: Add handling of different artifact types!
return createArtifactFromJSON(containingFolderId, artifactName, artifactType, artifactContent.asString());
}
public RepositoryArtifact createArtifactFromContentRepresentation(String containingFolderId, String artifactName, String artifactType,
String contentRepresentationName, Content artifactContent) throws RepositoryNodeNotFoundException {
// TODO: Add handling of different content representations, e.g. BPMN 2.0
// Import
return createArtifactFromJSON(containingFolderId, artifactName, artifactType, artifactContent.asString());
}
public RepositoryArtifact createArtifactFromJSON(String containingFolderId, String artifactName, String artifactType, String jsonContent)
throws RepositoryNodeNotFoundException {
// TODO: Add check if model already exists (overwrite or throw exception?)
String revisionComment = null;
String description = null;
try {
// do this to check if jsonString is valid
JSONObject jsonModel = new JSONObject(jsonContent);
Form modelForm = new Form();
if (revisionComment != null) {
modelForm.add("comment", revisionComment);
}
else {
modelForm.add("comment", "");
}
if (description != null) {
modelForm.add("description", description);
}
else {
modelForm.add("description", "");
}
modelForm.add("glossary_xml", new JSONArray().toString());
modelForm.add("json_xml", jsonModel.toString());
modelForm.add("name", artifactName);
// TODO: Check ArtifactType here correctly
modelForm.add("namespace", SignavioPluginDefinition.SIGNAVIO_NAMESPACE_FOR_BPMN_2_0);
// Important: Don't set the type attribute here, otherwise it will not
// work!
modelForm.add("parent", "/" + getConfiguration().DIRECTORY_URL_SUFFIX + containingFolderId);
// we have to provide a SVG (even if don't have the correct one) because
// otherwise Signavio throws an exception in its GUI
modelForm
.add(
"svg_xml", //
"<svg xmlns=\"http://www.w3.org/2000/svg\" xmlns:oryx=\"http://oryx-editor.org\" id=\"sid-80D82B67-3B30-4B35-A6CB-16EEE17A719F\" width=\"50\" height=\"50\" xmlns:xlink=\"http://www.w3.org/1999/xlink\" xmlns:svg=\"http://www.w3.org/2000/svg\"><defs/><g stroke=\"black\" font-family=\"Verdana, sans-serif\" font-size-adjust=\"none\" font-style=\"normal\" font-variant=\"normal\" font-weight=\"normal\" line-heigth=\"normal\" font-size=\"12\"><g class=\"stencils\" transform=\"translate(25, 25)\"><g class=\"me\"/><g class=\"children\"/><g class=\"edge\"/></g></g></svg>");
modelForm.add("type", "BPMN 2.0");
// Signavio generates a new id for POSTed models, so we don't have to set
// this ID ourself.
// But anyway, then we don't know the id and cannot load the artifact down
// to return it correctly, so we generate one ourself
- String id = UUID.randomUUID().toString();
+ // Christian: We need to remove the hypen in the generated uuid, otherwise signavio is unable to create a model
+ String id = UUID.randomUUID().toString().replace("-", "");
modelForm.add("id", id);
// modelForm.add("views", new JSONArray().toString());
Representation modelRep = modelForm.getWebRepresentation();
Request jsonRequest = new Request(Method.POST, new Reference(getConfiguration().getModelRootUrl()), modelRep);
jsonRequest.getClientInfo().getAcceptedMediaTypes().add(new Preference<MediaType>(MediaType.APPLICATION_JSON));
sendRequest(jsonRequest);
// TODO: return the object
return getRepositoryArtifact(id);
} catch (Exception je) {
throw new RepositoryException("Unable to create model '" + artifactName + "' in parent folder '" + containingFolderId + "'", je);
}
}
public void restoreRevisionOfModel(String parentFolderId, String modelId, String revisionId, String comment) throws IOException {
try {
Form reivisionForm = new Form();
reivisionForm.add("comment", comment);
reivisionForm.add("parent", "/directory/" + parentFolderId);
reivisionForm.add("revision", revisionId);
Representation modelRep = reivisionForm.getWebRepresentation();
Request jsonRequest = new Request(Method.PUT, new Reference(getConfiguration().getModelUrl(modelId)), modelRep);
jsonRequest.getClientInfo().getAcceptedMediaTypes().add(new Preference<MediaType>(MediaType.APPLICATION_JSON));
sendRequest(jsonRequest);
} catch (Exception je) {
throw new RepositoryException("Unable to restore revision '" + revisionId + "' of model '" + modelId + "' in directory '" + parentFolderId + "'", je);
}
}
public String transformJsonToBpmn20Xml(String jsonData) {
try {
JSONObject json = new JSONObject(jsonData);
Json2XmlConverter converter = new Json2XmlConverter(json.toString(), this.getClass().getClassLoader().getResource("META-INF/validation/xsd/BPMN20.xsd").toString());
return converter.getXml().toString();
} catch (Exception ex) {
throw new RepositoryException("Error while transforming BPMN2_0_JSON to BPMN2_0_XML", ex);
}
}
/**
* FIXME: unfinished but maybe it works... method accepts a xml String and
* returns the json representation
*/
public String transformBpmn20XmltoJson(String xmlData) {
try {
Form dataForm = new Form();
dataForm.add("data", xmlData);
Representation xmlDataRep = dataForm.getWebRepresentation();
Request request = new Request(Method.POST, new Reference(getConfiguration().getBpmn20XmlImportServletUrl()), xmlDataRep);
request.getClientInfo().getAcceptedMediaTypes().add(new Preference<MediaType>(MediaType.APPLICATION_JSON));
Response jsonResponse = sendRequest(request);
return new JSONObject(jsonResponse.getEntity().getText()).toString();
} catch (Exception ex) {
throw new RepositoryException("Error while transforming BPMN2_0_XML to BPMN2_0_JSON", ex);
}
}
public void updateContent(String artifactId, Content content) throws RepositoryNodeNotFoundException {
throw new RepositoryException("Moving artifacts is not (yet) supported by the Signavio Connector");
}
public void updateContent(String artifactId, String contentRepresentationName, Content content) throws RepositoryNodeNotFoundException {
throw new RepositoryException("Moving artifacts is not (yet) supported by the Signavio Connector");
}
}
| true | true | public RepositoryArtifact createArtifactFromJSON(String containingFolderId, String artifactName, String artifactType, String jsonContent)
throws RepositoryNodeNotFoundException {
// TODO: Add check if model already exists (overwrite or throw exception?)
String revisionComment = null;
String description = null;
try {
// do this to check if jsonString is valid
JSONObject jsonModel = new JSONObject(jsonContent);
Form modelForm = new Form();
if (revisionComment != null) {
modelForm.add("comment", revisionComment);
}
else {
modelForm.add("comment", "");
}
if (description != null) {
modelForm.add("description", description);
}
else {
modelForm.add("description", "");
}
modelForm.add("glossary_xml", new JSONArray().toString());
modelForm.add("json_xml", jsonModel.toString());
modelForm.add("name", artifactName);
// TODO: Check ArtifactType here correctly
modelForm.add("namespace", SignavioPluginDefinition.SIGNAVIO_NAMESPACE_FOR_BPMN_2_0);
// Important: Don't set the type attribute here, otherwise it will not
// work!
modelForm.add("parent", "/" + getConfiguration().DIRECTORY_URL_SUFFIX + containingFolderId);
// we have to provide a SVG (even if don't have the correct one) because
// otherwise Signavio throws an exception in its GUI
modelForm
.add(
"svg_xml", //
"<svg xmlns=\"http://www.w3.org/2000/svg\" xmlns:oryx=\"http://oryx-editor.org\" id=\"sid-80D82B67-3B30-4B35-A6CB-16EEE17A719F\" width=\"50\" height=\"50\" xmlns:xlink=\"http://www.w3.org/1999/xlink\" xmlns:svg=\"http://www.w3.org/2000/svg\"><defs/><g stroke=\"black\" font-family=\"Verdana, sans-serif\" font-size-adjust=\"none\" font-style=\"normal\" font-variant=\"normal\" font-weight=\"normal\" line-heigth=\"normal\" font-size=\"12\"><g class=\"stencils\" transform=\"translate(25, 25)\"><g class=\"me\"/><g class=\"children\"/><g class=\"edge\"/></g></g></svg>");
modelForm.add("type", "BPMN 2.0");
// Signavio generates a new id for POSTed models, so we don't have to set
// this ID ourself.
// But anyway, then we don't know the id and cannot load the artifact down
// to return it correctly, so we generate one ourself
String id = UUID.randomUUID().toString();
modelForm.add("id", id);
// modelForm.add("views", new JSONArray().toString());
Representation modelRep = modelForm.getWebRepresentation();
Request jsonRequest = new Request(Method.POST, new Reference(getConfiguration().getModelRootUrl()), modelRep);
jsonRequest.getClientInfo().getAcceptedMediaTypes().add(new Preference<MediaType>(MediaType.APPLICATION_JSON));
sendRequest(jsonRequest);
// TODO: return the object
return getRepositoryArtifact(id);
} catch (Exception je) {
throw new RepositoryException("Unable to create model '" + artifactName + "' in parent folder '" + containingFolderId + "'", je);
}
}
| public RepositoryArtifact createArtifactFromJSON(String containingFolderId, String artifactName, String artifactType, String jsonContent)
throws RepositoryNodeNotFoundException {
// TODO: Add check if model already exists (overwrite or throw exception?)
String revisionComment = null;
String description = null;
try {
// do this to check if jsonString is valid
JSONObject jsonModel = new JSONObject(jsonContent);
Form modelForm = new Form();
if (revisionComment != null) {
modelForm.add("comment", revisionComment);
}
else {
modelForm.add("comment", "");
}
if (description != null) {
modelForm.add("description", description);
}
else {
modelForm.add("description", "");
}
modelForm.add("glossary_xml", new JSONArray().toString());
modelForm.add("json_xml", jsonModel.toString());
modelForm.add("name", artifactName);
// TODO: Check ArtifactType here correctly
modelForm.add("namespace", SignavioPluginDefinition.SIGNAVIO_NAMESPACE_FOR_BPMN_2_0);
// Important: Don't set the type attribute here, otherwise it will not
// work!
modelForm.add("parent", "/" + getConfiguration().DIRECTORY_URL_SUFFIX + containingFolderId);
// we have to provide a SVG (even if don't have the correct one) because
// otherwise Signavio throws an exception in its GUI
modelForm
.add(
"svg_xml", //
"<svg xmlns=\"http://www.w3.org/2000/svg\" xmlns:oryx=\"http://oryx-editor.org\" id=\"sid-80D82B67-3B30-4B35-A6CB-16EEE17A719F\" width=\"50\" height=\"50\" xmlns:xlink=\"http://www.w3.org/1999/xlink\" xmlns:svg=\"http://www.w3.org/2000/svg\"><defs/><g stroke=\"black\" font-family=\"Verdana, sans-serif\" font-size-adjust=\"none\" font-style=\"normal\" font-variant=\"normal\" font-weight=\"normal\" line-heigth=\"normal\" font-size=\"12\"><g class=\"stencils\" transform=\"translate(25, 25)\"><g class=\"me\"/><g class=\"children\"/><g class=\"edge\"/></g></g></svg>");
modelForm.add("type", "BPMN 2.0");
// Signavio generates a new id for POSTed models, so we don't have to set
// this ID ourself.
// But anyway, then we don't know the id and cannot load the artifact down
// to return it correctly, so we generate one ourself
// Christian: We need to remove the hypen in the generated uuid, otherwise signavio is unable to create a model
String id = UUID.randomUUID().toString().replace("-", "");
modelForm.add("id", id);
// modelForm.add("views", new JSONArray().toString());
Representation modelRep = modelForm.getWebRepresentation();
Request jsonRequest = new Request(Method.POST, new Reference(getConfiguration().getModelRootUrl()), modelRep);
jsonRequest.getClientInfo().getAcceptedMediaTypes().add(new Preference<MediaType>(MediaType.APPLICATION_JSON));
sendRequest(jsonRequest);
// TODO: return the object
return getRepositoryArtifact(id);
} catch (Exception je) {
throw new RepositoryException("Unable to create model '" + artifactName + "' in parent folder '" + containingFolderId + "'", je);
}
}
|
diff --git a/zendserver-deployment-eclipse/org.zend.php.library.core/src/org/zend/php/library/core/deploy/DeployLibraryJob.java b/zendserver-deployment-eclipse/org.zend.php.library.core/src/org/zend/php/library/core/deploy/DeployLibraryJob.java
index 2ccd862e..93e27436 100644
--- a/zendserver-deployment-eclipse/org.zend.php.library.core/src/org/zend/php/library/core/deploy/DeployLibraryJob.java
+++ b/zendserver-deployment-eclipse/org.zend.php.library.core/src/org/zend/php/library/core/deploy/DeployLibraryJob.java
@@ -1,90 +1,90 @@
/*******************************************************************************
* Copyright (c) 2013 Zend Technologies Ltd.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*******************************************************************************/
package org.zend.php.library.core.deploy;
import java.io.File;
import java.io.IOException;
import org.eclipse.core.runtime.IProgressMonitor;
import org.eclipse.core.runtime.IStatus;
import org.eclipse.core.runtime.Status;
import org.zend.php.library.core.LibraryUtils;
import org.zend.php.library.internal.core.LibraryCore;
import org.zend.php.zendserver.deployment.core.descriptor.DescriptorContainerManager;
import org.zend.php.zendserver.deployment.core.sdk.EclipseMappingModelLoader;
import org.zend.php.zendserver.deployment.core.sdk.EclipseVariableResolver;
import org.zend.php.zendserver.deployment.core.sdk.SdkStatus;
import org.zend.php.zendserver.deployment.core.sdk.StatusChangeListener;
import org.zend.php.zendserver.deployment.debug.core.Activator;
import org.zend.php.zendserver.deployment.debug.core.Messages;
import org.zend.sdklib.application.ZendLibrary;
import org.zend.webapi.internal.core.connection.exception.UnexpectedResponseCode;
import org.zend.webapi.internal.core.connection.exception.WebApiCommunicationError;
/**
* Job responsible for deploying PHP Library to selected Zend Target.
*
* @author Wojciech Galanciak, 2013
*
*/
public class DeployLibraryJob extends AbstractLibraryJob {
public DeployLibraryJob(LibraryDeployData data) {
super(Messages.deploymentJob_Title, data);
}
/*
* (non-Javadoc)
*
* @see org.eclipse.core.runtime.jobs.Job#run(org.eclipse.core.runtime.
* IProgressMonitor)
*/
public IStatus run(IProgressMonitor monitor) {
StatusChangeListener listener = new StatusChangeListener(monitor);
ZendLibrary lib = new ZendLibrary(new EclipseMappingModelLoader());
lib.addStatusChangeListener(listener);
lib.setVariableResolver(new EclipseVariableResolver());
if (data.getRoot().getName().endsWith(".zpk") //$NON-NLS-1$
|| new File(data.getRoot(),
DescriptorContainerManager.DESCRIPTOR_PATH).exists()) {
- lib.deploy(data.getRoot().getAbsolutePath(), data.getTargetId());
+ lib.deploy(data.getRoot().getAbsolutePath(), data.getTargetId(), true);
} else {
try {
File root = LibraryUtils.getTemporaryDescriptor(data.getName(),
data.getVersion());
lib.deploy(data.getRoot().getAbsolutePath(),
- root.getAbsolutePath(), data.getTargetId());
+ root.getAbsolutePath(), data.getTargetId(), false);
} catch (IOException e) {
LibraryCore.log(e);
}
}
if (monitor.isCanceled()) {
return Status.CANCEL_STATUS;
}
Throwable exception = listener.getStatus().getThrowable();
if (exception instanceof UnexpectedResponseCode) {
UnexpectedResponseCode codeException = (UnexpectedResponseCode) exception;
responseCode = codeException.getResponseCode();
switch (responseCode) {
// TODO change it to a different error code
case INTERNAL_SERVER_ERROR:
return Status.OK_STATUS;
// case INTERNAL_SERVER_ERROR:
// return new Status(IStatus.ERROR, Activator.PLUGIN_ID,
// codeException.getMessage(), codeException);
default:
break;
}
} else if (exception instanceof WebApiCommunicationError) {
return new Status(IStatus.ERROR, Activator.PLUGIN_ID,
Messages.DeploymentLaunchJob_ConnectionRefusedMessage);
}
return new SdkStatus(listener.getStatus());
}
}
| false | true | public IStatus run(IProgressMonitor monitor) {
StatusChangeListener listener = new StatusChangeListener(monitor);
ZendLibrary lib = new ZendLibrary(new EclipseMappingModelLoader());
lib.addStatusChangeListener(listener);
lib.setVariableResolver(new EclipseVariableResolver());
if (data.getRoot().getName().endsWith(".zpk") //$NON-NLS-1$
|| new File(data.getRoot(),
DescriptorContainerManager.DESCRIPTOR_PATH).exists()) {
lib.deploy(data.getRoot().getAbsolutePath(), data.getTargetId());
} else {
try {
File root = LibraryUtils.getTemporaryDescriptor(data.getName(),
data.getVersion());
lib.deploy(data.getRoot().getAbsolutePath(),
root.getAbsolutePath(), data.getTargetId());
} catch (IOException e) {
LibraryCore.log(e);
}
}
if (monitor.isCanceled()) {
return Status.CANCEL_STATUS;
}
Throwable exception = listener.getStatus().getThrowable();
if (exception instanceof UnexpectedResponseCode) {
UnexpectedResponseCode codeException = (UnexpectedResponseCode) exception;
responseCode = codeException.getResponseCode();
switch (responseCode) {
// TODO change it to a different error code
case INTERNAL_SERVER_ERROR:
return Status.OK_STATUS;
// case INTERNAL_SERVER_ERROR:
// return new Status(IStatus.ERROR, Activator.PLUGIN_ID,
// codeException.getMessage(), codeException);
default:
break;
}
} else if (exception instanceof WebApiCommunicationError) {
return new Status(IStatus.ERROR, Activator.PLUGIN_ID,
Messages.DeploymentLaunchJob_ConnectionRefusedMessage);
}
return new SdkStatus(listener.getStatus());
}
| public IStatus run(IProgressMonitor monitor) {
StatusChangeListener listener = new StatusChangeListener(monitor);
ZendLibrary lib = new ZendLibrary(new EclipseMappingModelLoader());
lib.addStatusChangeListener(listener);
lib.setVariableResolver(new EclipseVariableResolver());
if (data.getRoot().getName().endsWith(".zpk") //$NON-NLS-1$
|| new File(data.getRoot(),
DescriptorContainerManager.DESCRIPTOR_PATH).exists()) {
lib.deploy(data.getRoot().getAbsolutePath(), data.getTargetId(), true);
} else {
try {
File root = LibraryUtils.getTemporaryDescriptor(data.getName(),
data.getVersion());
lib.deploy(data.getRoot().getAbsolutePath(),
root.getAbsolutePath(), data.getTargetId(), false);
} catch (IOException e) {
LibraryCore.log(e);
}
}
if (monitor.isCanceled()) {
return Status.CANCEL_STATUS;
}
Throwable exception = listener.getStatus().getThrowable();
if (exception instanceof UnexpectedResponseCode) {
UnexpectedResponseCode codeException = (UnexpectedResponseCode) exception;
responseCode = codeException.getResponseCode();
switch (responseCode) {
// TODO change it to a different error code
case INTERNAL_SERVER_ERROR:
return Status.OK_STATUS;
// case INTERNAL_SERVER_ERROR:
// return new Status(IStatus.ERROR, Activator.PLUGIN_ID,
// codeException.getMessage(), codeException);
default:
break;
}
} else if (exception instanceof WebApiCommunicationError) {
return new Status(IStatus.ERROR, Activator.PLUGIN_ID,
Messages.DeploymentLaunchJob_ConnectionRefusedMessage);
}
return new SdkStatus(listener.getStatus());
}
|
diff --git a/src/com/palmergames/bukkit/towny/TownyEconomyHandler.java b/src/com/palmergames/bukkit/towny/TownyEconomyHandler.java
index 2dc739f..1027e4c 100644
--- a/src/com/palmergames/bukkit/towny/TownyEconomyHandler.java
+++ b/src/com/palmergames/bukkit/towny/TownyEconomyHandler.java
@@ -1,360 +1,360 @@
package com.palmergames.bukkit.towny;
import net.milkbowl.vault.economy.Economy;
import net.milkbowl.vault.economy.EconomyResponse;
import org.bukkit.Bukkit;
import org.bukkit.World;
import org.bukkit.plugin.Plugin;
import org.bukkit.plugin.RegisteredServiceProvider;
import com.iConomy.iConomy;
import com.iConomy.system.Account;
import com.nijikokun.register.payment.Methods;
import com.nijikokun.register.payment.Method.MethodAccount;
/**
* Economy handler to interface with Register, Vault or iConomy 5.01 directly.
*
* @author ElgarL
*
*/
public class TownyEconomyHandler {
private static Economy vaultEconomy = null;
private static EcoType Type = EcoType.NONE;
private static String version = "";
public enum EcoType {
NONE, ICO5, REGISTER, VAULT
}
/**
* @return the economy type we have detected.
*/
public static EcoType getType() {
return Type;
}
/**
* Are we using any economy system?
*
* @return true if we found one.
*/
public static boolean isActive() {
return (Type != EcoType.NONE);
}
/**
* @return The current economy providers version string
*/
public static String getVersion() {
return version;
}
/**
* Internal function to set the version string.
*
* @param version
*/
private static void setVersion(String version) {
TownyEconomyHandler.version = version;
}
/**
* Find and configure a suitable economy provider
*
* @return true if successful.
*/
public static Boolean setupEconomy() {
Plugin economyProvider = null;
/*
* Test for native iCo5 support
*/
economyProvider = Bukkit.getPluginManager().getPlugin("iConomy");
if (economyProvider != null) {
/*
* Flag as using native iCo5 hooks
*/
if (economyProvider.getDescription().getVersion().matches("5.01")) {
setVersion(String.format("%s v%s", "iConomy", economyProvider.getDescription().getVersion()));
Type = EcoType.ICO5;
return true;
}
}
/*
* Attempt to hook Register
*/
economyProvider = Bukkit.getPluginManager().getPlugin("Register");
if (economyProvider != null) {
/*
* Flag as using Register hooks
*/
setVersion(String.format("%s v%s", "Register", economyProvider.getDescription().getVersion()));
Type = EcoType.REGISTER;
return true;
}
/*
* Attempt to find Vault for Economy handling
*/
try {
RegisteredServiceProvider<Economy> vaultEcoProvider = Bukkit.getServicesManager().getRegistration(net.milkbowl.vault.economy.Economy.class);
if (vaultEcoProvider != null) {
/*
* Flag as using Vault hooks
*/
vaultEconomy = vaultEcoProvider.getProvider();
setVersion(String.format("%s v%s", "Vault", vaultEcoProvider.getPlugin().getDescription().getVersion()));
Type = EcoType.VAULT;
return true;
}
- } catch (Exception ex) {
+ } catch (NoClassDefFoundError ex) {
}
/*
* No compatible Economy system found.
*/
return false;
}
/**
* Returns the relevant players economy account
*
* @param player
* @return
*/
private static Object getEconomyAccount(String accountName) {
switch (Type) {
case ICO5:
return iConomy.getAccount(accountName);
case REGISTER:
if (!Methods.getMethod().hasAccount(accountName))
Methods.getMethod().createAccount(accountName);
return Methods.getMethod().getAccount(accountName);
}
return null;
}
/**
* Attempt to delete the economy account.
*/
public static void removeAccount(String accountName) {
try {
switch (Type) {
case ICO5:
iConomy.getAccount(accountName).remove();
break;
case REGISTER:
MethodAccount account = (MethodAccount) getEconomyAccount(accountName);
account.remove();
}
} catch (NoClassDefFoundError e) {
}
return;
}
/**
* Returns the accounts current balance
*
* @param accountName
* @return double containing the total in the account
*/
public static double getBalance(String accountName, World world) {
switch (Type) {
case ICO5:
Account icoAccount = (Account) getEconomyAccount(accountName);
if (icoAccount != null)
return icoAccount.getHoldings().balance();
break;
case REGISTER:
MethodAccount registerAccount = (MethodAccount) getEconomyAccount(accountName);
if (registerAccount != null)
return registerAccount.balance(world);
break;
case VAULT:
if (!vaultEconomy.hasAccount(accountName))
vaultEconomy.createPlayerAccount(accountName);
return vaultEconomy.getBalance(accountName);
}
return 0.0;
}
/**
* Returns true if the account has enough money
*
* @param accountName
* @param amount
* @return true if there is enough in the account
*/
public static boolean hasEnough(String accountName, Double amount, World world) {
if (getBalance(accountName, world) >= amount)
return true;
return false;
}
/**
* Attempts to remove an amount from an account
*
* @param accountName
* @param amount
* @return true if successful
*/
public static boolean subtract(String accountName, Double amount, World world) {
switch (Type) {
case ICO5:
Account icoAccount = (Account) getEconomyAccount(accountName);
if (icoAccount != null) {
icoAccount.getHoldings().subtract(amount);
return true;
}
break;
case REGISTER:
MethodAccount registerAccount = (MethodAccount) getEconomyAccount(accountName);
if (registerAccount != null)
return registerAccount.subtract(amount, world);
break;
case VAULT:
if (!vaultEconomy.hasAccount(accountName))
vaultEconomy.createPlayerAccount(accountName);
return vaultEconomy.withdrawPlayer(accountName, amount).type == EconomyResponse.ResponseType.SUCCESS;
}
return false;
}
/**
* Add funds to an account.
*
* @param accountName
* @param amount
* @param world
* @return true if successful
*/
public static boolean add(String accountName, Double amount, World world) {
switch (Type) {
case ICO5:
Account icoAccount = (Account) getEconomyAccount(accountName);
if (icoAccount != null) {
icoAccount.getHoldings().add(amount);
return true;
}
break;
case REGISTER:
MethodAccount registerAccount = (MethodAccount) getEconomyAccount(accountName);
if (registerAccount != null)
return registerAccount.add(amount, world);
break;
case VAULT:
if (!vaultEconomy.hasAccount(accountName))
vaultEconomy.createPlayerAccount(accountName);
return vaultEconomy.depositPlayer(accountName, amount).type == EconomyResponse.ResponseType.SUCCESS;
}
return false;
}
public static boolean setBalance(String accountName, Double amount, World world) {
switch (Type) {
case ICO5:
Account icoAccount = (Account) getEconomyAccount(accountName);
if (icoAccount != null) {
icoAccount.getHoldings().set(amount);
return true;
}
break;
case REGISTER:
MethodAccount registerAccount = (MethodAccount) getEconomyAccount(accountName);
if (registerAccount != null)
return registerAccount.set(amount, world);
break;
case VAULT:
if (!vaultEconomy.hasAccount(accountName))
vaultEconomy.createPlayerAccount(accountName);
return vaultEconomy.depositPlayer(accountName, (amount - vaultEconomy.getBalance(accountName))).type == EconomyResponse.ResponseType.SUCCESS;
}
return false;
}
/**
* Format this balance according to the current economy systems settings.
*
* @param balance
* @return string containing the formatted balance
*/
public static String getFormattedBalance(double balance) {
try {
switch (Type) {
case ICO5:
return iConomy.format(balance);
case REGISTER:
return Methods.getMethod().format(balance);
case VAULT:
return vaultEconomy.format(balance);
}
} catch (Exception eInvalidAPIFunction) {
}
return String.format("%.2f", balance);
}
}
| true | true | public static Boolean setupEconomy() {
Plugin economyProvider = null;
/*
* Test for native iCo5 support
*/
economyProvider = Bukkit.getPluginManager().getPlugin("iConomy");
if (economyProvider != null) {
/*
* Flag as using native iCo5 hooks
*/
if (economyProvider.getDescription().getVersion().matches("5.01")) {
setVersion(String.format("%s v%s", "iConomy", economyProvider.getDescription().getVersion()));
Type = EcoType.ICO5;
return true;
}
}
/*
* Attempt to hook Register
*/
economyProvider = Bukkit.getPluginManager().getPlugin("Register");
if (economyProvider != null) {
/*
* Flag as using Register hooks
*/
setVersion(String.format("%s v%s", "Register", economyProvider.getDescription().getVersion()));
Type = EcoType.REGISTER;
return true;
}
/*
* Attempt to find Vault for Economy handling
*/
try {
RegisteredServiceProvider<Economy> vaultEcoProvider = Bukkit.getServicesManager().getRegistration(net.milkbowl.vault.economy.Economy.class);
if (vaultEcoProvider != null) {
/*
* Flag as using Vault hooks
*/
vaultEconomy = vaultEcoProvider.getProvider();
setVersion(String.format("%s v%s", "Vault", vaultEcoProvider.getPlugin().getDescription().getVersion()));
Type = EcoType.VAULT;
return true;
}
} catch (Exception ex) {
}
/*
* No compatible Economy system found.
*/
return false;
}
| public static Boolean setupEconomy() {
Plugin economyProvider = null;
/*
* Test for native iCo5 support
*/
economyProvider = Bukkit.getPluginManager().getPlugin("iConomy");
if (economyProvider != null) {
/*
* Flag as using native iCo5 hooks
*/
if (economyProvider.getDescription().getVersion().matches("5.01")) {
setVersion(String.format("%s v%s", "iConomy", economyProvider.getDescription().getVersion()));
Type = EcoType.ICO5;
return true;
}
}
/*
* Attempt to hook Register
*/
economyProvider = Bukkit.getPluginManager().getPlugin("Register");
if (economyProvider != null) {
/*
* Flag as using Register hooks
*/
setVersion(String.format("%s v%s", "Register", economyProvider.getDescription().getVersion()));
Type = EcoType.REGISTER;
return true;
}
/*
* Attempt to find Vault for Economy handling
*/
try {
RegisteredServiceProvider<Economy> vaultEcoProvider = Bukkit.getServicesManager().getRegistration(net.milkbowl.vault.economy.Economy.class);
if (vaultEcoProvider != null) {
/*
* Flag as using Vault hooks
*/
vaultEconomy = vaultEcoProvider.getProvider();
setVersion(String.format("%s v%s", "Vault", vaultEcoProvider.getPlugin().getDescription().getVersion()));
Type = EcoType.VAULT;
return true;
}
} catch (NoClassDefFoundError ex) {
}
/*
* No compatible Economy system found.
*/
return false;
}
|
diff --git a/src/java/net/spy/memcached/ops/Operation.java b/src/java/net/spy/memcached/ops/Operation.java
index 0e08b02..84c3d10 100644
--- a/src/java/net/spy/memcached/ops/Operation.java
+++ b/src/java/net/spy/memcached/ops/Operation.java
@@ -1,195 +1,196 @@
// Copyright (c) 2006 Dustin Sallings <[email protected]>
// arch-tag: FFBD1BC9-52AD-4B4C-A339-A26092C55A9F
package net.spy.memcached.ops;
import java.nio.ByteBuffer;
import net.spy.SpyObject;
/**
* Operations on a memcached connection.
*/
public abstract class Operation extends SpyObject {
/**
* State of this operation.
*/
public enum State {
/**
* State indicating this operation is writing data to the server.
*/
WRITING,
/**
* State indicating this operation is reading data from the server.
*/
READING,
/**
* State indicating this operation is complete.
*/
COMPLETE
}
/**
* Data read types.
*/
public enum ReadType {
/**
* Read type indicating an operation currently wants to read lines.
*/
LINE,
/**
* Read type indicating an operation currently wants to read raw data.
*/
DATA
}
private State state=State.WRITING;
private ReadType readType=ReadType.LINE;
private ByteBuffer cmd=null;
private StringBuffer currentLine=new StringBuffer();
private boolean cancelled=false;
protected Operation() {
super();
}
/**
* Has this operation been cancelled?
*/
public boolean isCancelled() {
return cancelled;
}
/**
* Cancel this operation.
*/
public void cancel() {
cancelled=true;
wasCancelled();
}
/**
* This is called on each subclass whenever an operation was cancelled.
*/
protected abstract void wasCancelled();
/**
* Get the current state of this operation.
*/
public State getState() {
return state;
}
/**
* Get the write buffer for this operation.
*/
public ByteBuffer getBuffer() {
assert cmd != null : "No output buffer.";
return cmd;
}
/**
* Set the write buffer for this operation.
*/
protected void setBuffer(ByteBuffer to) {
assert to != null : "Trying to set buffer to null";
cmd=to;
cmd.mark();
}
/**
* Transition the state of this operation to the given state.
*/
protected void transitionState(State newState) {
getLogger().debug("Transitioned state from %s to %s", state, newState);
state=newState;
// Discard our buffer when we no longer need it.
if(state != State.WRITING) {
cmd=null;
}
}
/**
* Invoked after having written all of the bytes from the supplied output
* buffer.
*/
public void writeComplete() {
transitionState(State.READING);
}
/**
* Get the current read type of this operation.
*/
public ReadType getReadType() {
return readType;
}
/**
* Set the read type of this operation.
*/
protected void setReadType(ReadType to) {
readType=to;
}
/**
* Set some arguments for an operation into the given byte buffer.
*/
protected void setArguments(ByteBuffer bb, Object... args) {
boolean wasFirst=true;
for(Object o : args) {
if(wasFirst) {
wasFirst=false;
} else {
bb.put((byte)' ');
}
bb.put(String.valueOf(o).getBytes());
}
bb.put("\r\n".getBytes());
}
/**
* Initialize this operation.
*/
public abstract void initialize();
/**
* Read data from the given byte buffer and dispatch to the appropriate
* read mechanism.
*/
public final void readFromBuffer(ByteBuffer data) {
// Loop while there's data remaining to get it all drained.
while(data.remaining() > 0) {
if(readType == ReadType.DATA) {
handleRead(data);
} else {
int offset=-1;
for(int i=0; data.remaining() > 0; i++) {
byte b=data.get();
if(b == '\r') {
- assert data.get() == '\n' : "got a \\r without a \\n";
+ byte newline=data.get();
+ assert newline == '\n' : "got a \\r without a \\n";
offset=i;
break;
} else {
currentLine.append((char)b);
}
}
if(offset >= 0) {
handleLine(currentLine.toString());
currentLine.delete(0, currentLine.length());
assert currentLine.length() == 0;
}
}
}
}
/**
* Handle a raw data read.
*/
public void handleRead(ByteBuffer data) {
assert false;
}
/**
* Handle a textual read.
*/
public abstract void handleLine(String line);
}
| true | true | public final void readFromBuffer(ByteBuffer data) {
// Loop while there's data remaining to get it all drained.
while(data.remaining() > 0) {
if(readType == ReadType.DATA) {
handleRead(data);
} else {
int offset=-1;
for(int i=0; data.remaining() > 0; i++) {
byte b=data.get();
if(b == '\r') {
assert data.get() == '\n' : "got a \\r without a \\n";
offset=i;
break;
} else {
currentLine.append((char)b);
}
}
if(offset >= 0) {
handleLine(currentLine.toString());
currentLine.delete(0, currentLine.length());
assert currentLine.length() == 0;
}
}
}
}
| public final void readFromBuffer(ByteBuffer data) {
// Loop while there's data remaining to get it all drained.
while(data.remaining() > 0) {
if(readType == ReadType.DATA) {
handleRead(data);
} else {
int offset=-1;
for(int i=0; data.remaining() > 0; i++) {
byte b=data.get();
if(b == '\r') {
byte newline=data.get();
assert newline == '\n' : "got a \\r without a \\n";
offset=i;
break;
} else {
currentLine.append((char)b);
}
}
if(offset >= 0) {
handleLine(currentLine.toString());
currentLine.delete(0, currentLine.length());
assert currentLine.length() == 0;
}
}
}
}
|
diff --git a/api/src/main/java/org/openmrs/module/feedback/extension/html/AdminList.java b/api/src/main/java/org/openmrs/module/feedback/extension/html/AdminList.java
index 43f7325..a048499 100644
--- a/api/src/main/java/org/openmrs/module/feedback/extension/html/AdminList.java
+++ b/api/src/main/java/org/openmrs/module/feedback/extension/html/AdminList.java
@@ -1,56 +1,55 @@
/**
* The contents of this file are subject to the OpenMRS Public License
* Version 1.0 (the "License"); you may not use this file except in
* compliance with the License. You may obtain a copy of the License at
* http://license.openmrs.org
*
* Software distributed under the License is distributed on an "AS IS"
* basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the
* License for the specific language governing rights and limitations
* under the License.
*
* Copyright (C) OpenMRS, LLC. All Rights Reserved.
*/
package org.openmrs.module.feedback.extension.html;
//~--- non-JDK imports --------------------------------------------------------
import org.openmrs.module.Extension;
import org.openmrs.module.web.extension.AdministrationSectionExt;
//~--- JDK imports ------------------------------------------------------------
import java.util.LinkedHashMap;
import java.util.Map;
public class AdminList extends AdministrationSectionExt {
@Override
public Extension.MEDIA_TYPE getMediaType() {
return Extension.MEDIA_TYPE.html;
}
public String getTitle() {
return "feedback.module";
}
public Map<String, String> getLinks() {
Map<String, String> map = new LinkedHashMap<String, String>();
map.put("module/feedback/addPredefinedSubject.form", "feedback.predefinedsubjects");
map.put("module/feedback/addSeverity.form", "feedback.severities");
map.put("module/feedback/addStatus.form", "feedback.statuses");
map.put("module/feedback/feedbackAdmin.list", "feedback.manageFeedback");
- map.put("module/feedback/feedbackProperties.form", "feedback.admin.properties");
- map.put("module/feedback/addFeedback.form", "feedback.submit");
- map.put("module/feedback/feedbackUser.list", "feedback.user.manageFeedback");
- map.put("module/feedback/preference.form", "feedback.user.preference");
+ map.put("module/feedback/feedbackUser.list", "feedback.user.manageFeedback");
+ map.put("module/feedback/feedbackProperties.form", "feedback.admin.properties");
+ map.put("module/feedback/preference.form", "feedback.user.preference");
return map;
}
}
//~ Formatted by Jindent --- http://www.jindent.com
| true | true | public Map<String, String> getLinks() {
Map<String, String> map = new LinkedHashMap<String, String>();
map.put("module/feedback/addPredefinedSubject.form", "feedback.predefinedsubjects");
map.put("module/feedback/addSeverity.form", "feedback.severities");
map.put("module/feedback/addStatus.form", "feedback.statuses");
map.put("module/feedback/feedbackAdmin.list", "feedback.manageFeedback");
map.put("module/feedback/feedbackProperties.form", "feedback.admin.properties");
map.put("module/feedback/addFeedback.form", "feedback.submit");
map.put("module/feedback/feedbackUser.list", "feedback.user.manageFeedback");
map.put("module/feedback/preference.form", "feedback.user.preference");
return map;
}
| public Map<String, String> getLinks() {
Map<String, String> map = new LinkedHashMap<String, String>();
map.put("module/feedback/addPredefinedSubject.form", "feedback.predefinedsubjects");
map.put("module/feedback/addSeverity.form", "feedback.severities");
map.put("module/feedback/addStatus.form", "feedback.statuses");
map.put("module/feedback/feedbackAdmin.list", "feedback.manageFeedback");
map.put("module/feedback/feedbackUser.list", "feedback.user.manageFeedback");
map.put("module/feedback/feedbackProperties.form", "feedback.admin.properties");
map.put("module/feedback/preference.form", "feedback.user.preference");
return map;
}
|
diff --git a/gui/src/main/java/com/jakeapp/gui/swing/models/NotesTableModel.java b/gui/src/main/java/com/jakeapp/gui/swing/models/NotesTableModel.java
index c3c163c7..44a0c89d 100644
--- a/gui/src/main/java/com/jakeapp/gui/swing/models/NotesTableModel.java
+++ b/gui/src/main/java/com/jakeapp/gui/swing/models/NotesTableModel.java
@@ -1,173 +1,173 @@
package com.jakeapp.gui.swing.models;
import com.jakeapp.core.domain.NoteObject;
import com.jakeapp.core.domain.Project;
import com.jakeapp.core.synchronization.Attributed;
import com.jakeapp.gui.swing.ICoreAccess;
import com.jakeapp.gui.swing.JakeMainApp;
import com.jakeapp.gui.swing.exceptions.NoteOperationFailedException;
import com.jakeapp.gui.swing.helpers.ExceptionUtilities;
import com.jakeapp.gui.swing.helpers.TimeUtilities;
import org.apache.log4j.Logger;
import org.jdesktop.application.ResourceMap;
import javax.swing.*;
import javax.swing.table.DefaultTableModel;
import java.awt.*;
import java.util.ArrayList;
import java.util.List;
/**
* Table model for the notes table.
*
* @author Simon
*/
public class NotesTableModel extends DefaultTableModel {
private static final long serialVersionUID = -2745782032637383756L;
private static Logger log = Logger.getLogger(NotesTableModel.class);
private List<String> columnNames;
private List<Attributed<NoteObject>> attributedNotes;
private ResourceMap resourceMap;
private ICoreAccess core;
private Icon padlock, shared_note;
public NotesTableModel() {
this.resourceMap = org.jdesktop.application.Application.getInstance(com.jakeapp.gui.swing.JakeMainApp.class).getContext().getResourceMap(NotesTableModel.class);
this.attributedNotes = new ArrayList<Attributed<NoteObject>>();
this.core = JakeMainApp.getCore();
this.columnNames = new ArrayList<String>();
this.columnNames.add(this.getResourceMap().getString("tableHeaderSoftLock"));
this.columnNames.add(this.getResourceMap().getString("tableHeaderlocalNote"));
this.columnNames.add(this.getResourceMap().getString("tableHeaderNote"));
this.columnNames.add(this.getResourceMap().getString("tableHeaderLastEdit"));
this.columnNames.add(this.getResourceMap().getString("tableHeaderLastEditor"));
this.padlock = new ImageIcon(Toolkit.getDefaultToolkit()
.getImage(JakeMainApp.class.getResource("/icons/file-lock.png")));
this.shared_note = new ImageIcon(Toolkit.getDefaultToolkit()
.getImage(JakeMainApp.class.getResource("/icons/shared_note.png")));
}
private ResourceMap getResourceMap() {
return this.resourceMap;
}
public Attributed<NoteObject> getNoteAtRow(int row) {
return this.attributedNotes.get(row);
}
@Override
public int getColumnCount() {
return this.columnNames.size();
}
@Override
public String getColumnName(int column) {
return this.columnNames.get(column);
}
@Override
public int getRowCount() {
return this.attributedNotes != null ? this.attributedNotes.size() : 0;
}
/**
* Update the contents of the table model. It tries to update with the current project.
*/
public void update() {
this.update(JakeMainApp.getProject());
}
/**
* Update the contents of the table model for a given project.
*
* @param project the project from which the notes should be loaded.
*/
public void update(Project project) {
if (project == null) {
return;
}
this.attributedNotes.clear();
try {
this.attributedNotes = this.core.getNotes(project);
} catch (NoteOperationFailedException e) {
ExceptionUtilities.showError(e);
}
}
@Override
public Object getValueAt(int row, int column) {
Object value;
Attributed<NoteObject> note = this.getAttributedNotes().get(row);
switch (column) {
case 0: // soft lock
if (note.isLocked()) {
value = this.padlock;
} else {
value = "";
}
break;
case 1: //is local
if (!note.isOnlyLocal()) {
value = this.shared_note;
} else
value = "";
break;
case 2: //content
value = (note.getJakeObject()).getContent();
break;
case 3: //last edit
value = TimeUtilities.getRelativeTime(note.getLastModificationDate());
break;
case 4: //last editor
- value = note.getLastVersionLogEntry().getMember();
+ value = note.getLastVersionEditor();
break;
default:
value = "illegal column count!";
log.warn("column count out of range. Range is 0-2, actually was :" + Integer.toString(row));
}
return value;
}
private List<Attributed<NoteObject>> getAttributedNotes() {
return this.attributedNotes;
}
@Override
public boolean isCellEditable(int row, int column) {
return false;
}
@Override
public Class<?> getColumnClass(int columnIndex) {
if (columnIndex <= 1) {
return Icon.class;
}
return Object.class;
}
/**
* Returns the row of a given note.
* @param note
* @return the number of the row of the given row if it exists in the model, or -1 if it does not
* exist.
*/
public int getRow(NoteObject note) {
int row = -1;
for (int i = 0; i < this.attributedNotes.size(); i++) {
if (this.attributedNotes.get(i).getJakeObject().equals(note)) {
row = i;
break;
}
}
return row;
}
}
| true | true | public Object getValueAt(int row, int column) {
Object value;
Attributed<NoteObject> note = this.getAttributedNotes().get(row);
switch (column) {
case 0: // soft lock
if (note.isLocked()) {
value = this.padlock;
} else {
value = "";
}
break;
case 1: //is local
if (!note.isOnlyLocal()) {
value = this.shared_note;
} else
value = "";
break;
case 2: //content
value = (note.getJakeObject()).getContent();
break;
case 3: //last edit
value = TimeUtilities.getRelativeTime(note.getLastModificationDate());
break;
case 4: //last editor
value = note.getLastVersionLogEntry().getMember();
break;
default:
value = "illegal column count!";
log.warn("column count out of range. Range is 0-2, actually was :" + Integer.toString(row));
}
return value;
}
| public Object getValueAt(int row, int column) {
Object value;
Attributed<NoteObject> note = this.getAttributedNotes().get(row);
switch (column) {
case 0: // soft lock
if (note.isLocked()) {
value = this.padlock;
} else {
value = "";
}
break;
case 1: //is local
if (!note.isOnlyLocal()) {
value = this.shared_note;
} else
value = "";
break;
case 2: //content
value = (note.getJakeObject()).getContent();
break;
case 3: //last edit
value = TimeUtilities.getRelativeTime(note.getLastModificationDate());
break;
case 4: //last editor
value = note.getLastVersionEditor();
break;
default:
value = "illegal column count!";
log.warn("column count out of range. Range is 0-2, actually was :" + Integer.toString(row));
}
return value;
}
|
diff --git a/gnu/testlet/java/beans/Beans/instantiate_1.java b/gnu/testlet/java/beans/Beans/instantiate_1.java
index 9ac8d810..e88efd2b 100644
--- a/gnu/testlet/java/beans/Beans/instantiate_1.java
+++ b/gnu/testlet/java/beans/Beans/instantiate_1.java
@@ -1,123 +1,124 @@
//Tags: JDK1.2
//Uses: TestBean1 TestBean2 TestBean3 TestBean4
//Copyright (C) 2004 Robert Schuster <[email protected]>
//Mauve is free software; you can redistribute it and/or modify
//it under the terms of the GNU General Public License as published by
//the Free Software Foundation; either version 2, or (at your option)
//any later version.
//Mauve is distributed in the hope that it will be useful,
//but WITHOUT ANY WARRANTY; without even the implied warranty of
//MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
//GNU General Public License for more details.
//You should have received a copy of the GNU General Public License
//along with Mauve; see the file COPYING. If not, write to
//the Free Software Foundation, 59 Temple Place - Suite 330,
//Boston, MA 02111-1307, USA. */
package gnu.testlet.java.beans.Beans;
import gnu.testlet.Testlet;
import gnu.testlet.TestHarness;
import java.beans.Beans;
/** Various <code>java.beans.Beans.instantiate</code> tests.
*
* @author Robert Schuster
*/
public class instantiate_1 implements Testlet
{
public void test(TestHarness harness)
{
+ ClassLoader cl = getClass().getClassLoader();
/** Tries to instantiate a Bean with a <code>private</code>
* constructor and expects an <code>IllegalAccessException</code>
* wrapped in an <code>ClassNotFoundException</code> to be thrown.
*/
try
{
- Beans.instantiate(null, "gnu.testlet.java.beans.Beans.TestBean1");
+ Beans.instantiate(cl, "gnu.testlet.java.beans.Beans.TestBean1");
// If this is called then the instantiation succeeded.
harness.fail("Private constructor 1");
}
catch (Exception e)
{
harness.check(
e instanceof ClassNotFoundException,
"Private constructor 2");
harness.check(
e.getCause() instanceof IllegalAccessException,
"Private constructor 3");
}
/** Tries to instantiate a Bean that throws a RuntimeException
* in its constructor and expects an <code>RuntimeException</code>
* wrapped in an <code>ClassNotFoundException</code> to be thrown.
*/
try
{
- Beans.instantiate(null, "gnu.testlet.java.beans.Beans.TestBean2");
+ Beans.instantiate(cl, "gnu.testlet.java.beans.Beans.TestBean2");
// If this is called then the instantiation succeeded.
harness.fail("Exception in Constructor 1");
}
catch (Exception e)
{
harness.check(
e instanceof ClassNotFoundException,
"Exception in Constructor 2");
harness.check(
e.getCause() instanceof RuntimeException,
"Exception in Constructor 3");
}
/** TestBean3 does not provide a zero-argument constructor. This results in
* an InstantiationException that is wrapped in a ClassNotFoundException.
*/
try
{
- Beans.instantiate(null, "gnu.testlet.java.beans.Beans.TestBean3");
+ Beans.instantiate(cl, "gnu.testlet.java.beans.Beans.TestBean3");
// If this is called then the instantiation succeeded.
harness.fail("Missing zero-argument constructor 1");
}
catch (Exception e)
{
harness.check(
e instanceof ClassNotFoundException,
"Missing zero-argument constructor 2");
harness.check(
e.getCause() instanceof InstantiationException,
"Missing zero-argument constructor 3");
}
/* TestBean4 throws a specific TestBean4.Error. The Bean.instantiate
* method should not intercept this. That means we can catch the
* the TestBean4.Error instance here.
*/
try
{
- Beans.instantiate(null, "gnu.testlet.java.beans.Beans.TestBean4");
+ Beans.instantiate(cl, "gnu.testlet.java.beans.Beans.TestBean4");
// If this is called then the instantiation succeeded.
harness.fail("specific Error in constructor 1");
}
catch (TestBean4.Error _)
{
harness.check(true, "specific Error in constructor 2");
}
catch(Exception e) {
harness.fail("specific Error in constructor 3");
}
}
}
| false | true | public void test(TestHarness harness)
{
/** Tries to instantiate a Bean with a <code>private</code>
* constructor and expects an <code>IllegalAccessException</code>
* wrapped in an <code>ClassNotFoundException</code> to be thrown.
*/
try
{
Beans.instantiate(null, "gnu.testlet.java.beans.Beans.TestBean1");
// If this is called then the instantiation succeeded.
harness.fail("Private constructor 1");
}
catch (Exception e)
{
harness.check(
e instanceof ClassNotFoundException,
"Private constructor 2");
harness.check(
e.getCause() instanceof IllegalAccessException,
"Private constructor 3");
}
/** Tries to instantiate a Bean that throws a RuntimeException
* in its constructor and expects an <code>RuntimeException</code>
* wrapped in an <code>ClassNotFoundException</code> to be thrown.
*/
try
{
Beans.instantiate(null, "gnu.testlet.java.beans.Beans.TestBean2");
// If this is called then the instantiation succeeded.
harness.fail("Exception in Constructor 1");
}
catch (Exception e)
{
harness.check(
e instanceof ClassNotFoundException,
"Exception in Constructor 2");
harness.check(
e.getCause() instanceof RuntimeException,
"Exception in Constructor 3");
}
/** TestBean3 does not provide a zero-argument constructor. This results in
* an InstantiationException that is wrapped in a ClassNotFoundException.
*/
try
{
Beans.instantiate(null, "gnu.testlet.java.beans.Beans.TestBean3");
// If this is called then the instantiation succeeded.
harness.fail("Missing zero-argument constructor 1");
}
catch (Exception e)
{
harness.check(
e instanceof ClassNotFoundException,
"Missing zero-argument constructor 2");
harness.check(
e.getCause() instanceof InstantiationException,
"Missing zero-argument constructor 3");
}
/* TestBean4 throws a specific TestBean4.Error. The Bean.instantiate
* method should not intercept this. That means we can catch the
* the TestBean4.Error instance here.
*/
try
{
Beans.instantiate(null, "gnu.testlet.java.beans.Beans.TestBean4");
// If this is called then the instantiation succeeded.
harness.fail("specific Error in constructor 1");
}
catch (TestBean4.Error _)
{
harness.check(true, "specific Error in constructor 2");
}
catch(Exception e) {
harness.fail("specific Error in constructor 3");
}
}
| public void test(TestHarness harness)
{
ClassLoader cl = getClass().getClassLoader();
/** Tries to instantiate a Bean with a <code>private</code>
* constructor and expects an <code>IllegalAccessException</code>
* wrapped in an <code>ClassNotFoundException</code> to be thrown.
*/
try
{
Beans.instantiate(cl, "gnu.testlet.java.beans.Beans.TestBean1");
// If this is called then the instantiation succeeded.
harness.fail("Private constructor 1");
}
catch (Exception e)
{
harness.check(
e instanceof ClassNotFoundException,
"Private constructor 2");
harness.check(
e.getCause() instanceof IllegalAccessException,
"Private constructor 3");
}
/** Tries to instantiate a Bean that throws a RuntimeException
* in its constructor and expects an <code>RuntimeException</code>
* wrapped in an <code>ClassNotFoundException</code> to be thrown.
*/
try
{
Beans.instantiate(cl, "gnu.testlet.java.beans.Beans.TestBean2");
// If this is called then the instantiation succeeded.
harness.fail("Exception in Constructor 1");
}
catch (Exception e)
{
harness.check(
e instanceof ClassNotFoundException,
"Exception in Constructor 2");
harness.check(
e.getCause() instanceof RuntimeException,
"Exception in Constructor 3");
}
/** TestBean3 does not provide a zero-argument constructor. This results in
* an InstantiationException that is wrapped in a ClassNotFoundException.
*/
try
{
Beans.instantiate(cl, "gnu.testlet.java.beans.Beans.TestBean3");
// If this is called then the instantiation succeeded.
harness.fail("Missing zero-argument constructor 1");
}
catch (Exception e)
{
harness.check(
e instanceof ClassNotFoundException,
"Missing zero-argument constructor 2");
harness.check(
e.getCause() instanceof InstantiationException,
"Missing zero-argument constructor 3");
}
/* TestBean4 throws a specific TestBean4.Error. The Bean.instantiate
* method should not intercept this. That means we can catch the
* the TestBean4.Error instance here.
*/
try
{
Beans.instantiate(cl, "gnu.testlet.java.beans.Beans.TestBean4");
// If this is called then the instantiation succeeded.
harness.fail("specific Error in constructor 1");
}
catch (TestBean4.Error _)
{
harness.check(true, "specific Error in constructor 2");
}
catch(Exception e) {
harness.fail("specific Error in constructor 3");
}
}
|
diff --git a/src/org/jacorb/notification/filter/etcl/EqOperator.java b/src/org/jacorb/notification/filter/etcl/EqOperator.java
index b3d21cc7b..29184b72e 100644
--- a/src/org/jacorb/notification/filter/etcl/EqOperator.java
+++ b/src/org/jacorb/notification/filter/etcl/EqOperator.java
@@ -1,78 +1,80 @@
package org.jacorb.notification.filter.etcl;
/*
* JacORB - a free Java ORB
*
* Copyright (C) 1999-2004 Gerald Brose
*
* This library is free software; you can redistribute it and/or
* modify it under the terms of the GNU Library General Public
* License as published by the Free Software Foundation; either
* version 2 of the License, or (at your option) any later version.
*
* This library is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
* Library General Public License for more details.
*
* You should have received a copy of the GNU Library General Public
* License along with this library; if not, write to the Free
* Software Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
*
*/
import org.jacorb.notification.filter.EvaluationContext;
import org.jacorb.notification.filter.EvaluationException;
import org.omg.DynamicAny.DynAnyFactoryPackage.InconsistentTypeCode;
import org.omg.DynamicAny.DynAnyPackage.InvalidValue;
import org.omg.DynamicAny.DynAnyPackage.TypeMismatch;
import antlr.Token;
import org.jacorb.notification.filter.EvaluationResult;
/** A simple node to represent EQ operation */
public class EqOperator extends AbstractTCLNode {
public EqOperator(Token tok) {
super(tok);
}
public EvaluationResult evaluate(EvaluationContext context)
throws EvaluationException {
EvaluationResult _left = left().evaluate(context);
EvaluationResult _right = right().evaluate(context);
- if (_left.compareTo( _right) == 0) {
+ if (_left != null
+ && _right != null
+ && _left.compareTo( _right) == 0) {
return EvaluationResult.BOOL_TRUE;
}
return EvaluationResult.BOOL_FALSE;
}
public String toString() {
return "==";
}
public String getName() {
return getClass().getName();
}
public void acceptInOrder(AbstractTCLVisitor visitor) throws VisitorException {
left().acceptInOrder(visitor);
visitor.visitEq(this);
right().acceptInOrder(visitor);
}
public void acceptPreOrder(AbstractTCLVisitor visitor) throws VisitorException {
visitor.visitEq(this);
left().acceptPreOrder(visitor);
right().acceptPreOrder(visitor);
}
public void acceptPostOrder(AbstractTCLVisitor visitor) throws VisitorException {
left().acceptPostOrder(visitor);
right().acceptPostOrder(visitor);
visitor.visitEq(this);
}
}
| true | true | public EvaluationResult evaluate(EvaluationContext context)
throws EvaluationException {
EvaluationResult _left = left().evaluate(context);
EvaluationResult _right = right().evaluate(context);
if (_left.compareTo( _right) == 0) {
return EvaluationResult.BOOL_TRUE;
}
return EvaluationResult.BOOL_FALSE;
}
| public EvaluationResult evaluate(EvaluationContext context)
throws EvaluationException {
EvaluationResult _left = left().evaluate(context);
EvaluationResult _right = right().evaluate(context);
if (_left != null
&& _right != null
&& _left.compareTo( _right) == 0) {
return EvaluationResult.BOOL_TRUE;
}
return EvaluationResult.BOOL_FALSE;
}
|
diff --git a/src/com/sk89q/worldguard/bukkit/WorldGuardPlayerListener.java b/src/com/sk89q/worldguard/bukkit/WorldGuardPlayerListener.java
index 492baba8..ce1a1bd8 100644
--- a/src/com/sk89q/worldguard/bukkit/WorldGuardPlayerListener.java
+++ b/src/com/sk89q/worldguard/bukkit/WorldGuardPlayerListener.java
@@ -1,571 +1,573 @@
// $Id$
/*
* WorldGuard
* Copyright (C) 2010 sk89q <http://www.sk89q.com>
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
package com.sk89q.worldguard.bukkit;
import static com.sk89q.worldguard.bukkit.BukkitUtil.toVector;
import java.util.Iterator;
import org.bukkit.ChatColor;
import org.bukkit.Location;
import org.bukkit.Material;
import org.bukkit.World;
import org.bukkit.block.Block;
import org.bukkit.entity.Item;
import org.bukkit.entity.Player;
import org.bukkit.event.Event;
import org.bukkit.event.Event.Priority;
import org.bukkit.event.block.Action;
import org.bukkit.event.player.*;
import org.bukkit.inventory.ItemStack;
import org.bukkit.plugin.PluginManager;
import com.sk89q.worldedit.Vector;
import com.sk89q.worldguard.LocalPlayer;
import com.sk89q.worldguard.blacklist.events.BlockInteractBlacklistEvent;
import com.sk89q.worldguard.blacklist.events.ItemAcquireBlacklistEvent;
import com.sk89q.worldguard.blacklist.events.ItemDropBlacklistEvent;
import com.sk89q.worldguard.blacklist.events.ItemUseBlacklistEvent;
import com.sk89q.worldguard.protection.ApplicableRegionSet;
import com.sk89q.worldguard.protection.flags.DefaultFlag;
import com.sk89q.worldguard.protection.flags.RegionGroupFlag.RegionGroup;
import com.sk89q.worldguard.protection.managers.RegionManager;
import com.sk89q.worldguard.protection.regions.ProtectedRegion;
/**
* Handles all events thrown in relation to a Player
*/
public class WorldGuardPlayerListener extends PlayerListener {
/**
* Plugin.
*/
private WorldGuardPlugin plugin;
/**
* Construct the object;
*
* @param plugin
*/
public WorldGuardPlayerListener(WorldGuardPlugin plugin) {
this.plugin = plugin;
}
public void registerEvents() {
PluginManager pm = plugin.getServer().getPluginManager();
pm.registerEvent(Event.Type.PLAYER_INTERACT, this, Priority.High, plugin);
pm.registerEvent(Event.Type.PLAYER_DROP_ITEM, this, Priority.High, plugin);
pm.registerEvent(Event.Type.PLAYER_PICKUP_ITEM, this, Priority.High, plugin);
pm.registerEvent(Event.Type.PLAYER_JOIN, this, Priority.Normal, plugin);
pm.registerEvent(Event.Type.PLAYER_LOGIN, this, Priority.Normal, plugin);
pm.registerEvent(Event.Type.PLAYER_QUIT, this, Priority.Normal, plugin);
pm.registerEvent(Event.Type.PLAYER_BUCKET_FILL, this, Priority.High, plugin);
pm.registerEvent(Event.Type.PLAYER_BUCKET_EMPTY, this, Priority.High, plugin);
pm.registerEvent(Event.Type.PLAYER_RESPAWN, this, Priority.High, plugin);
}
/**
* Called when a player interacts with an item.
*
* @param event Relevant event details
*/
@Override
public void onPlayerInteract(PlayerInteractEvent event) {
if (event.getAction() == Action.RIGHT_CLICK_BLOCK) {
handleBlockRightClick(event);
} else if (event.getAction() == Action.RIGHT_CLICK_AIR) {
handleAirRightClick(event);
}
}
/**
* Called when a block is damaged.
*
* @param event
*/
public void handleAirRightClick(PlayerInteractEvent event) {
/*if (event.isCancelled()) {
return;
}*/
Player player = event.getPlayer();
World world = player.getWorld();
ItemStack item = player.getItemInHand();
ConfigurationManager cfg = plugin.getGlobalConfiguration();
WorldConfiguration wcfg = cfg.get(world);
if (wcfg.getBlacklist() != null) {
if (!wcfg.getBlacklist().check(
new ItemUseBlacklistEvent(plugin.wrapPlayer(player),
toVector(player.getLocation()),
item.getTypeId()), false, false)) {
event.setCancelled(true);
return;
}
}
}
/**
* Called when a block is damaged.
*
* @param event
*/
public void handleBlockRightClick(PlayerInteractEvent event) {
if (event.isCancelled()) {
return;
}
Block block = event.getClickedBlock();
World world = block.getWorld();
Material type = block.getType();
Player player = event.getPlayer();
ItemStack item = player.getItemInHand();
ConfigurationManager cfg = plugin.getGlobalConfiguration();
WorldConfiguration wcfg = cfg.get(world);
if (wcfg.useRegions) {
Vector pt = toVector(block);
RegionManager mgr = plugin.getGlobalRegionManager().get(world);
ApplicableRegionSet set = mgr.getApplicableRegions(pt);
LocalPlayer localPlayer = plugin.wrapPlayer(player);
if (item.getTypeId() == wcfg.regionWand) {
if (set.size() > 0) {
player.sendMessage(ChatColor.YELLOW + "Can you build? "
+ (set.canBuild(localPlayer) ? "Yes" : "No"));
StringBuilder str = new StringBuilder();
for (Iterator<ProtectedRegion> it = set.iterator(); it.hasNext();) {
str.append(it.next().getId());
if (it.hasNext()) {
str.append(", ");
}
}
player.sendMessage(ChatColor.YELLOW + "Applicable regions: " + str.toString());
} else {
player.sendMessage(ChatColor.YELLOW + "WorldGuard: No defined regions here!");
}
event.setCancelled(true);
return;
}
if (item.getType() == Material.FLINT_AND_STEEL) {
if (!set.allows(DefaultFlag.LIGHTER)) {
event.setCancelled(true);
return;
}
}
if ((block.getType() == Material.CHEST
|| block.getType() == Material.DISPENSER
|| block.getType() == Material.FURNACE
|| block.getType() == Material.BURNING_FURNACE
|| block.getType() == Material.NOTE_BLOCK)) {
- if (!set.allows(DefaultFlag.CHEST_ACCESS)
+ if (!plugin.getGlobalRegionManager().hasBypass(player, world)
+ && !set.allows(DefaultFlag.CHEST_ACCESS)
&& !set.canBuild(localPlayer)) {
player.sendMessage(ChatColor.DARK_RED + "You don't have permission for this area.");
event.setCancelled(true);
return;
}
}
if (type == Material.LEVER || type == Material.STONE_BUTTON) {
- if (!set.allows(DefaultFlag.USE)
+ if (!plugin.getGlobalRegionManager().hasBypass(player, world)
+ && !set.allows(DefaultFlag.USE)
&& !set.canBuild(localPlayer)) {
player.sendMessage(ChatColor.DARK_RED + "You don't have permission for this area.");
event.setCancelled(true);
return;
}
}
if (type == Material.CAKE_BLOCK) {
if (!set.canBuild(localPlayer)) {
player.sendMessage(ChatColor.DARK_RED + "You're not invited to this tea party!");
event.setCancelled(true);
return;
}
}
if (type == Material.RAILS && item.getType() == Material.MINECART) {
if (!set.canBuild(localPlayer)
&& !set.allows(DefaultFlag.PLACE_VEHICLE)) {
player.sendMessage(ChatColor.DARK_RED + "You don't have permission to place vehicles here.");
event.setCancelled(true);
return;
}
}
if (item.getType() == Material.BOAT) {
if (!set.canBuild(localPlayer)
&& !set.allows(DefaultFlag.PLACE_VEHICLE)) {
player.sendMessage(ChatColor.DARK_RED + "You don't have permission to place vehicles here.");
event.setCancelled(true);
return;
}
}
}
if (wcfg.getBlacklist() != null) {
if (!wcfg.getBlacklist().check(
new ItemUseBlacklistEvent(plugin.wrapPlayer(player), toVector(block),
item.getTypeId()), false, false)) {
event.setCancelled(true);
return;
}
if (!wcfg.getBlacklist().check(
new BlockInteractBlacklistEvent(plugin.wrapPlayer(player), toVector(block),
block.getTypeId()), false, false)) {
event.setCancelled(true);
return;
}
}
/*if (wcfg.useRegions && wcfg.useiConomy && cfg.getiConomy() != null
&& (type == Material.SIGN_POST || type == Material.SIGN || type == Material.WALL_SIGN)) {
BlockState block = blockClicked.getState();
if (((Sign)block).getLine(0).equalsIgnoreCase("[WorldGuard]")
&& ((Sign)block).getLine(1).equalsIgnoreCase("For sale")) {
String regionId = ((Sign)block).getLine(2);
//String regionComment = ((Sign)block).getLine(3);
if (regionId != null && regionId != "") {
RegionManager mgr = cfg.getWorldGuardPlugin().getGlobalRegionManager().get(player.getWorld().getName());
ProtectedRegion region = mgr.getRegion(regionId);
if (region != null) {
RegionFlags flags = region.getFlags();
if (flags.getBooleanFlag(DefaultFlag.BUYABLE).getValue(false)) {
if (iConomy.getBank().hasAccount(player.getName())) {
Account account = iConomy.getBank().getAccount(player.getName());
double balance = account.getBalance();
double regionPrice = flags.getDoubleFlag(DefaultFlag.PRICE).getValue();
if (balance >= regionPrice) {
account.subtract(regionPrice);
player.sendMessage(ChatColor.YELLOW + "You have bought the region " + regionId + " for " +
iConomy.getBank().format(regionPrice));
DefaultDomain owners = region.getOwners();
owners.addPlayer(player.getName());
region.setOwners(owners);
flags.getBooleanFlag(DefaultFlag.BUYABLE).setValue(false);
account.save();
} else {
player.sendMessage(ChatColor.YELLOW + "You have not enough money.");
}
} else {
player.sendMessage(ChatColor.YELLOW + "You have not enough money.");
}
} else {
player.sendMessage(ChatColor.RED + "Region: " + regionId + " is not buyable");
}
} else {
player.sendMessage(ChatColor.DARK_RED + "The region " + regionId + " does not exist.");
}
} else {
player.sendMessage(ChatColor.DARK_RED + "No region specified.");
}
}
}*/
}
/**
* Called when a player joins a server
*
* @param event Relevant event details
*/
@Override
public void onPlayerJoin(PlayerJoinEvent event) {
Player player = event.getPlayer();
ConfigurationManager cfg = plugin.getGlobalConfiguration();
WorldConfiguration wcfg = cfg.get(player.getWorld());
if (wcfg.fireSpreadDisableToggle) {
player.sendMessage(ChatColor.YELLOW
+ "Fire spread is currently globally disabled for this world.");
}
if (plugin.inGroup(player, "wg-invincible")) {
cfg.enableGodMode(player);
}
if (plugin.inGroup(player, "wg-amphibious")) {
cfg.enableAmphibiousMode(player);
}
}
/**
* Called when a player leaves a server
*
* @param event Relevant event details
*/
@Override
public void onPlayerQuit(PlayerQuitEvent event) {
Player player = event.getPlayer();
ConfigurationManager cfg = plugin.getGlobalConfiguration();
cfg.forgetPlayer(plugin.wrapPlayer(player));
}
/**
* Called when a player uses an item
*
* @param event Relevant event details
*//*
@Override
public void onPlayerItem(PlayerItemEvent event) {
if (event.isCancelled()) {
return;
}
Player player = event.getPlayer();
Block block = event.getBlockClicked();
ItemStack item = event.getItem();
int itemId = item.getTypeId();
GlobalConfiguration cfg = plugin.getGlobalConfiguration();
WorldConfiguration wcfg = cfg.getWorldConfig(player.getWorld().getName());
if (wcfg.useRegions
&& (itemId == 322 || itemId == 320 || itemId == 319 || itemId == 297 || itemId == 260
|| itemId == 350 || itemId == 349 || itemId == 354) ) {
return;
}
if (!wcfg.itemDurability) {
// Hoes
if (item.getTypeId() >= 290 && item.getTypeId() <= 294) {
item.setDurability((byte) -1);
player.setItemInHand(item);
}
}
if (wcfg.useRegions && !event.isBlock() && block != null) {
Vector pt = toVector(block.getRelative(event.getBlockFace()));
if (block.getType() == Material.WALL_SIGN) {
pt = pt.subtract(0, 1, 0);
}
if (!cfg.canBuild(player, pt)) {
player.sendMessage(ChatColor.DARK_RED
+ "You don't have permission for this area.");
event.setCancelled(true);
return;
}
}
if (wcfg.getBlacklist() != null && item != null && block != null) {
if (!wcfg.getBlacklist().check(
new ItemUseBlacklistEvent(plugin.wrapPlayer(player),
toVector(block.getRelative(event.getBlockFace())),
item.getTypeId()), false, false)) {
event.setCancelled(true);
return;
}
}
if (wcfg.useRegions && item != null && block != null && item.getTypeId() == 259) {
Vector pt = toVector(block.getRelative(event.getBlockFace()));
RegionManager mgr = plugin.getGlobalRegionManager().get(player.getWorld().getName());
if (!mgr.getApplicableRegions(pt).isStateFlagAllowed(DefaultFlag.LIGHTER)) {
event.setCancelled(true);
return;
}
}
}*/
/**
* Called when a player attempts to log in to the server
*
* @param event Relevant event details
*/
@Override
public void onPlayerLogin(PlayerLoginEvent event) {
Player player = event.getPlayer();
ConfigurationManager cfg = plugin.getGlobalConfiguration();
WorldConfiguration wcfg = cfg.get(player.getWorld());
if (wcfg.enforceOneSession) {
String name = player.getName();
for (Player pl : plugin.getServer().getOnlinePlayers()) {
if (pl.getName().equalsIgnoreCase(name)) {
pl.kickPlayer("Logged in from another location.");
}
}
}
}
/**
* Called when a player attempts to drop an item
*
* @param event Relevant event details
*/
@Override
public void onPlayerDropItem(PlayerDropItemEvent event) {
if (event.isCancelled()) {
return;
}
ConfigurationManager cfg = plugin.getGlobalConfiguration();
WorldConfiguration wcfg = cfg.get(event.getPlayer().getWorld());
if (wcfg.getBlacklist() != null) {
Item ci = event.getItemDrop();
if (!wcfg.getBlacklist().check(
new ItemDropBlacklistEvent(plugin.wrapPlayer(event.getPlayer()),
toVector(ci.getLocation()), ci.getItemStack().getTypeId()), false, false)) {
event.setCancelled(true);
return;
}
}
}
/**
* Called when a player attempts to pickup an item
*
* @param event
* Relevant event details
*/
@Override
public void onPlayerPickupItem(PlayerPickupItemEvent event) {
if (event.isCancelled()) {
return;
}
ConfigurationManager cfg = plugin.getGlobalConfiguration();
WorldConfiguration wcfg = cfg.get(event.getPlayer().getWorld());
if (wcfg.getBlacklist() != null) {
Item ci = event.getItem();
if (!wcfg.getBlacklist().check(
new ItemAcquireBlacklistEvent(plugin.wrapPlayer(event.getPlayer()),
toVector(ci.getLocation()), ci.getItemStack().getTypeId()), false, true)) {
event.setCancelled(true);
return;
}
}
}
/**
* Called when a bucket is filled.
*/
@Override
public void onPlayerBucketFill(PlayerBucketFillEvent event) {
Player player = event.getPlayer();
World world = player.getWorld();
ConfigurationManager cfg = plugin.getGlobalConfiguration();
WorldConfiguration wcfg = cfg.get(world);
if (!plugin.getGlobalRegionManager().canBuild(player, event.getBlockClicked())) {
player.sendMessage(ChatColor.DARK_RED + "You don't have permission for this area.");
event.setCancelled(true);
return;
}
if (wcfg.getBlacklist() != null) {
if (!wcfg.getBlacklist().check(
new ItemUseBlacklistEvent(plugin.wrapPlayer(player),
toVector(player.getLocation()), event.getBucket().getId()), false, false)) {
event.setCancelled(true);
return;
}
}
}
/**
* Called when a bucket is empty.
*/
@Override
public void onPlayerBucketEmpty(PlayerBucketEmptyEvent event) {
Player player = event.getPlayer();
World world = player.getWorld();
ConfigurationManager cfg = plugin.getGlobalConfiguration();
WorldConfiguration wcfg = cfg.get(world);
if (!plugin.getGlobalRegionManager().canBuild(player, event.getBlockClicked())) {
player.sendMessage(ChatColor.DARK_RED + "You don't have permission for this area.");
event.setCancelled(true);
return;
}
if (wcfg.getBlacklist() != null) {
if (!wcfg.getBlacklist().check(
new ItemUseBlacklistEvent(plugin.wrapPlayer(player),
toVector(player.getLocation()), event.getBucket().getId()), false, false)) {
event.setCancelled(true);
return;
}
}
}
@Override
public void onPlayerRespawn(PlayerRespawnEvent event) {
Player player = event.getPlayer();
Location location = player.getLocation();
ConfigurationManager cfg = plugin.getGlobalConfiguration();
WorldConfiguration wcfg = cfg.get(player.getWorld());
if (wcfg.useRegions) {
Vector pt = toVector(location);
RegionManager mgr = plugin.getGlobalRegionManager().get(player.getWorld());
ApplicableRegionSet set = mgr.getApplicableRegions(pt);
Vector spawn = set.getFlag(DefaultFlag.SPAWN_LOC);
if (spawn != null) {
RegionGroup group = set.getFlag(DefaultFlag.SPAWN_PERM);
Location spawnLoc = BukkitUtil.toLocation(player.getWorld(), spawn);
if (group != null) {
LocalPlayer localPlayer = plugin.wrapPlayer(player);
if (group == RegionGroup.OWNERS) {
if (set.isOwnerOfAll(localPlayer)) {
event.setRespawnLocation(spawnLoc);
}
} else if (group == RegionGroup.MEMBERS) {
if (set.isMemberOfAll(localPlayer)) {
event.setRespawnLocation(spawnLoc);
}
}
} else {
event.setRespawnLocation(spawnLoc);
}
}
}
}
}
| false | true | public void handleBlockRightClick(PlayerInteractEvent event) {
if (event.isCancelled()) {
return;
}
Block block = event.getClickedBlock();
World world = block.getWorld();
Material type = block.getType();
Player player = event.getPlayer();
ItemStack item = player.getItemInHand();
ConfigurationManager cfg = plugin.getGlobalConfiguration();
WorldConfiguration wcfg = cfg.get(world);
if (wcfg.useRegions) {
Vector pt = toVector(block);
RegionManager mgr = plugin.getGlobalRegionManager().get(world);
ApplicableRegionSet set = mgr.getApplicableRegions(pt);
LocalPlayer localPlayer = plugin.wrapPlayer(player);
if (item.getTypeId() == wcfg.regionWand) {
if (set.size() > 0) {
player.sendMessage(ChatColor.YELLOW + "Can you build? "
+ (set.canBuild(localPlayer) ? "Yes" : "No"));
StringBuilder str = new StringBuilder();
for (Iterator<ProtectedRegion> it = set.iterator(); it.hasNext();) {
str.append(it.next().getId());
if (it.hasNext()) {
str.append(", ");
}
}
player.sendMessage(ChatColor.YELLOW + "Applicable regions: " + str.toString());
} else {
player.sendMessage(ChatColor.YELLOW + "WorldGuard: No defined regions here!");
}
event.setCancelled(true);
return;
}
if (item.getType() == Material.FLINT_AND_STEEL) {
if (!set.allows(DefaultFlag.LIGHTER)) {
event.setCancelled(true);
return;
}
}
if ((block.getType() == Material.CHEST
|| block.getType() == Material.DISPENSER
|| block.getType() == Material.FURNACE
|| block.getType() == Material.BURNING_FURNACE
|| block.getType() == Material.NOTE_BLOCK)) {
if (!set.allows(DefaultFlag.CHEST_ACCESS)
&& !set.canBuild(localPlayer)) {
player.sendMessage(ChatColor.DARK_RED + "You don't have permission for this area.");
event.setCancelled(true);
return;
}
}
if (type == Material.LEVER || type == Material.STONE_BUTTON) {
if (!set.allows(DefaultFlag.USE)
&& !set.canBuild(localPlayer)) {
player.sendMessage(ChatColor.DARK_RED + "You don't have permission for this area.");
event.setCancelled(true);
return;
}
}
if (type == Material.CAKE_BLOCK) {
if (!set.canBuild(localPlayer)) {
player.sendMessage(ChatColor.DARK_RED + "You're not invited to this tea party!");
event.setCancelled(true);
return;
}
}
if (type == Material.RAILS && item.getType() == Material.MINECART) {
if (!set.canBuild(localPlayer)
&& !set.allows(DefaultFlag.PLACE_VEHICLE)) {
player.sendMessage(ChatColor.DARK_RED + "You don't have permission to place vehicles here.");
event.setCancelled(true);
return;
}
}
if (item.getType() == Material.BOAT) {
if (!set.canBuild(localPlayer)
&& !set.allows(DefaultFlag.PLACE_VEHICLE)) {
player.sendMessage(ChatColor.DARK_RED + "You don't have permission to place vehicles here.");
event.setCancelled(true);
return;
}
}
}
if (wcfg.getBlacklist() != null) {
if (!wcfg.getBlacklist().check(
new ItemUseBlacklistEvent(plugin.wrapPlayer(player), toVector(block),
item.getTypeId()), false, false)) {
event.setCancelled(true);
return;
}
if (!wcfg.getBlacklist().check(
new BlockInteractBlacklistEvent(plugin.wrapPlayer(player), toVector(block),
block.getTypeId()), false, false)) {
event.setCancelled(true);
return;
}
}
/*if (wcfg.useRegions && wcfg.useiConomy && cfg.getiConomy() != null
&& (type == Material.SIGN_POST || type == Material.SIGN || type == Material.WALL_SIGN)) {
BlockState block = blockClicked.getState();
if (((Sign)block).getLine(0).equalsIgnoreCase("[WorldGuard]")
&& ((Sign)block).getLine(1).equalsIgnoreCase("For sale")) {
String regionId = ((Sign)block).getLine(2);
//String regionComment = ((Sign)block).getLine(3);
if (regionId != null && regionId != "") {
RegionManager mgr = cfg.getWorldGuardPlugin().getGlobalRegionManager().get(player.getWorld().getName());
ProtectedRegion region = mgr.getRegion(regionId);
if (region != null) {
RegionFlags flags = region.getFlags();
if (flags.getBooleanFlag(DefaultFlag.BUYABLE).getValue(false)) {
if (iConomy.getBank().hasAccount(player.getName())) {
Account account = iConomy.getBank().getAccount(player.getName());
double balance = account.getBalance();
double regionPrice = flags.getDoubleFlag(DefaultFlag.PRICE).getValue();
if (balance >= regionPrice) {
account.subtract(regionPrice);
player.sendMessage(ChatColor.YELLOW + "You have bought the region " + regionId + " for " +
iConomy.getBank().format(regionPrice));
DefaultDomain owners = region.getOwners();
owners.addPlayer(player.getName());
region.setOwners(owners);
flags.getBooleanFlag(DefaultFlag.BUYABLE).setValue(false);
account.save();
} else {
player.sendMessage(ChatColor.YELLOW + "You have not enough money.");
}
} else {
player.sendMessage(ChatColor.YELLOW + "You have not enough money.");
}
} else {
player.sendMessage(ChatColor.RED + "Region: " + regionId + " is not buyable");
}
} else {
player.sendMessage(ChatColor.DARK_RED + "The region " + regionId + " does not exist.");
}
} else {
player.sendMessage(ChatColor.DARK_RED + "No region specified.");
}
}
}*/
}
| public void handleBlockRightClick(PlayerInteractEvent event) {
if (event.isCancelled()) {
return;
}
Block block = event.getClickedBlock();
World world = block.getWorld();
Material type = block.getType();
Player player = event.getPlayer();
ItemStack item = player.getItemInHand();
ConfigurationManager cfg = plugin.getGlobalConfiguration();
WorldConfiguration wcfg = cfg.get(world);
if (wcfg.useRegions) {
Vector pt = toVector(block);
RegionManager mgr = plugin.getGlobalRegionManager().get(world);
ApplicableRegionSet set = mgr.getApplicableRegions(pt);
LocalPlayer localPlayer = plugin.wrapPlayer(player);
if (item.getTypeId() == wcfg.regionWand) {
if (set.size() > 0) {
player.sendMessage(ChatColor.YELLOW + "Can you build? "
+ (set.canBuild(localPlayer) ? "Yes" : "No"));
StringBuilder str = new StringBuilder();
for (Iterator<ProtectedRegion> it = set.iterator(); it.hasNext();) {
str.append(it.next().getId());
if (it.hasNext()) {
str.append(", ");
}
}
player.sendMessage(ChatColor.YELLOW + "Applicable regions: " + str.toString());
} else {
player.sendMessage(ChatColor.YELLOW + "WorldGuard: No defined regions here!");
}
event.setCancelled(true);
return;
}
if (item.getType() == Material.FLINT_AND_STEEL) {
if (!set.allows(DefaultFlag.LIGHTER)) {
event.setCancelled(true);
return;
}
}
if ((block.getType() == Material.CHEST
|| block.getType() == Material.DISPENSER
|| block.getType() == Material.FURNACE
|| block.getType() == Material.BURNING_FURNACE
|| block.getType() == Material.NOTE_BLOCK)) {
if (!plugin.getGlobalRegionManager().hasBypass(player, world)
&& !set.allows(DefaultFlag.CHEST_ACCESS)
&& !set.canBuild(localPlayer)) {
player.sendMessage(ChatColor.DARK_RED + "You don't have permission for this area.");
event.setCancelled(true);
return;
}
}
if (type == Material.LEVER || type == Material.STONE_BUTTON) {
if (!plugin.getGlobalRegionManager().hasBypass(player, world)
&& !set.allows(DefaultFlag.USE)
&& !set.canBuild(localPlayer)) {
player.sendMessage(ChatColor.DARK_RED + "You don't have permission for this area.");
event.setCancelled(true);
return;
}
}
if (type == Material.CAKE_BLOCK) {
if (!set.canBuild(localPlayer)) {
player.sendMessage(ChatColor.DARK_RED + "You're not invited to this tea party!");
event.setCancelled(true);
return;
}
}
if (type == Material.RAILS && item.getType() == Material.MINECART) {
if (!set.canBuild(localPlayer)
&& !set.allows(DefaultFlag.PLACE_VEHICLE)) {
player.sendMessage(ChatColor.DARK_RED + "You don't have permission to place vehicles here.");
event.setCancelled(true);
return;
}
}
if (item.getType() == Material.BOAT) {
if (!set.canBuild(localPlayer)
&& !set.allows(DefaultFlag.PLACE_VEHICLE)) {
player.sendMessage(ChatColor.DARK_RED + "You don't have permission to place vehicles here.");
event.setCancelled(true);
return;
}
}
}
if (wcfg.getBlacklist() != null) {
if (!wcfg.getBlacklist().check(
new ItemUseBlacklistEvent(plugin.wrapPlayer(player), toVector(block),
item.getTypeId()), false, false)) {
event.setCancelled(true);
return;
}
if (!wcfg.getBlacklist().check(
new BlockInteractBlacklistEvent(plugin.wrapPlayer(player), toVector(block),
block.getTypeId()), false, false)) {
event.setCancelled(true);
return;
}
}
/*if (wcfg.useRegions && wcfg.useiConomy && cfg.getiConomy() != null
&& (type == Material.SIGN_POST || type == Material.SIGN || type == Material.WALL_SIGN)) {
BlockState block = blockClicked.getState();
if (((Sign)block).getLine(0).equalsIgnoreCase("[WorldGuard]")
&& ((Sign)block).getLine(1).equalsIgnoreCase("For sale")) {
String regionId = ((Sign)block).getLine(2);
//String regionComment = ((Sign)block).getLine(3);
if (regionId != null && regionId != "") {
RegionManager mgr = cfg.getWorldGuardPlugin().getGlobalRegionManager().get(player.getWorld().getName());
ProtectedRegion region = mgr.getRegion(regionId);
if (region != null) {
RegionFlags flags = region.getFlags();
if (flags.getBooleanFlag(DefaultFlag.BUYABLE).getValue(false)) {
if (iConomy.getBank().hasAccount(player.getName())) {
Account account = iConomy.getBank().getAccount(player.getName());
double balance = account.getBalance();
double regionPrice = flags.getDoubleFlag(DefaultFlag.PRICE).getValue();
if (balance >= regionPrice) {
account.subtract(regionPrice);
player.sendMessage(ChatColor.YELLOW + "You have bought the region " + regionId + " for " +
iConomy.getBank().format(regionPrice));
DefaultDomain owners = region.getOwners();
owners.addPlayer(player.getName());
region.setOwners(owners);
flags.getBooleanFlag(DefaultFlag.BUYABLE).setValue(false);
account.save();
} else {
player.sendMessage(ChatColor.YELLOW + "You have not enough money.");
}
} else {
player.sendMessage(ChatColor.YELLOW + "You have not enough money.");
}
} else {
player.sendMessage(ChatColor.RED + "Region: " + regionId + " is not buyable");
}
} else {
player.sendMessage(ChatColor.DARK_RED + "The region " + regionId + " does not exist.");
}
} else {
player.sendMessage(ChatColor.DARK_RED + "No region specified.");
}
}
}*/
}
|
diff --git a/src/com/android/settings/wifi/AdvancedWifiSettings.java b/src/com/android/settings/wifi/AdvancedWifiSettings.java
index fc1b128a4..c213512bb 100644
--- a/src/com/android/settings/wifi/AdvancedWifiSettings.java
+++ b/src/com/android/settings/wifi/AdvancedWifiSettings.java
@@ -1,198 +1,200 @@
/*
* Copyright (C) 2011 The Android Open Source Project
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.android.settings.wifi;
import android.content.Context;
import android.net.wifi.WifiInfo;
import android.net.wifi.WifiManager;
import android.os.Bundle;
import android.preference.CheckBoxPreference;
import android.preference.ListPreference;
import android.preference.Preference;
import android.preference.PreferenceScreen;
import android.provider.Settings;
import android.provider.Settings.Secure;
import android.text.TextUtils;
import android.util.Log;
import android.widget.Toast;
import com.android.settings.R;
import com.android.settings.SettingsPreferenceFragment;
import com.android.settings.Utils;
public class AdvancedWifiSettings extends SettingsPreferenceFragment
implements Preference.OnPreferenceChangeListener {
private static final String TAG = "AdvancedWifiSettings";
private static final String KEY_MAC_ADDRESS = "mac_address";
private static final String KEY_CURRENT_IP_ADDRESS = "current_ip_address";
private static final String KEY_FREQUENCY_BAND = "frequency_band";
private static final String KEY_NOTIFY_OPEN_NETWORKS = "notify_open_networks";
private static final String KEY_SLEEP_POLICY = "sleep_policy";
private static final String KEY_ENABLE_WIFI_WATCHDOG = "wifi_enable_watchdog_service";
private WifiManager mWifiManager;
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
addPreferencesFromResource(R.xml.wifi_advanced_settings);
}
@Override
public void onActivityCreated(Bundle savedInstanceState) {
super.onActivityCreated(savedInstanceState);
mWifiManager = (WifiManager) getSystemService(Context.WIFI_SERVICE);
}
@Override
public void onResume() {
super.onResume();
initPreferences();
refreshWifiInfo();
}
private void initPreferences() {
CheckBoxPreference notifyOpenNetworks =
(CheckBoxPreference) findPreference(KEY_NOTIFY_OPEN_NETWORKS);
notifyOpenNetworks.setChecked(Secure.getInt(getContentResolver(),
Secure.WIFI_NETWORKS_AVAILABLE_NOTIFICATION_ON, 0) == 1);
notifyOpenNetworks.setEnabled(mWifiManager.isWifiEnabled());
CheckBoxPreference watchdogEnabled =
(CheckBoxPreference) findPreference(KEY_ENABLE_WIFI_WATCHDOG);
- watchdogEnabled.setChecked(Secure.getInt(getContentResolver(),
- Secure.WIFI_WATCHDOG_ON, 1) == 1);
+ if (watchdogEnabled != null) {
+ watchdogEnabled.setChecked(Secure.getInt(getContentResolver(),
+ Secure.WIFI_WATCHDOG_ON, 1) == 1);
- //TODO: Bring this back after changing watchdog behavior
- getPreferenceScreen().removePreference(watchdogEnabled);
+ //TODO: Bring this back after changing watchdog behavior
+ getPreferenceScreen().removePreference(watchdogEnabled);
+ }
ListPreference frequencyPref = (ListPreference) findPreference(KEY_FREQUENCY_BAND);
if (mWifiManager.isDualBandSupported()) {
frequencyPref.setOnPreferenceChangeListener(this);
int value = mWifiManager.getFrequencyBand();
if (value != -1) {
frequencyPref.setValue(String.valueOf(value));
} else {
Log.e(TAG, "Failed to fetch frequency band");
}
} else {
if (frequencyPref != null) {
// null if it has already been removed before resume
getPreferenceScreen().removePreference(frequencyPref);
}
}
ListPreference sleepPolicyPref = (ListPreference) findPreference(KEY_SLEEP_POLICY);
if (sleepPolicyPref != null) {
if (Utils.isWifiOnly(getActivity())) {
sleepPolicyPref.setEntries(R.array.wifi_sleep_policy_entries_wifi_only);
}
sleepPolicyPref.setOnPreferenceChangeListener(this);
int value = Settings.System.getInt(getContentResolver(),
Settings.System.WIFI_SLEEP_POLICY,
Settings.System.WIFI_SLEEP_POLICY_NEVER);
String stringValue = String.valueOf(value);
sleepPolicyPref.setValue(stringValue);
updateSleepPolicySummary(sleepPolicyPref, stringValue);
}
}
private void updateSleepPolicySummary(Preference sleepPolicyPref, String value) {
if (value != null) {
String[] values = getResources().getStringArray(R.array.wifi_sleep_policy_values);
final int summaryArrayResId = Utils.isWifiOnly(getActivity()) ?
R.array.wifi_sleep_policy_entries_wifi_only : R.array.wifi_sleep_policy_entries;
String[] summaries = getResources().getStringArray(summaryArrayResId);
for (int i = 0; i < values.length; i++) {
if (value.equals(values[i])) {
if (i < summaries.length) {
sleepPolicyPref.setSummary(summaries[i]);
return;
}
}
}
}
sleepPolicyPref.setSummary("");
Log.e(TAG, "Invalid sleep policy value: " + value);
}
@Override
public boolean onPreferenceTreeClick(PreferenceScreen screen, Preference preference) {
String key = preference.getKey();
if (KEY_NOTIFY_OPEN_NETWORKS.equals(key)) {
Secure.putInt(getContentResolver(),
Secure.WIFI_NETWORKS_AVAILABLE_NOTIFICATION_ON,
((CheckBoxPreference) preference).isChecked() ? 1 : 0);
} else if (KEY_ENABLE_WIFI_WATCHDOG.equals(key)) {
Secure.putInt(getContentResolver(),
Secure.WIFI_WATCHDOG_ON,
((CheckBoxPreference) preference).isChecked() ? 1 : 0);
} else {
return super.onPreferenceTreeClick(screen, preference);
}
return true;
}
@Override
public boolean onPreferenceChange(Preference preference, Object newValue) {
String key = preference.getKey();
if (KEY_FREQUENCY_BAND.equals(key)) {
try {
mWifiManager.setFrequencyBand(Integer.parseInt((String) newValue), true);
} catch (NumberFormatException e) {
Toast.makeText(getActivity(), R.string.wifi_setting_frequency_band_error,
Toast.LENGTH_SHORT).show();
return false;
}
}
if (KEY_SLEEP_POLICY.equals(key)) {
try {
String stringValue = (String) newValue;
Settings.System.putInt(getContentResolver(), Settings.System.WIFI_SLEEP_POLICY,
Integer.parseInt(stringValue));
updateSleepPolicySummary(preference, stringValue);
} catch (NumberFormatException e) {
Toast.makeText(getActivity(), R.string.wifi_setting_sleep_policy_error,
Toast.LENGTH_SHORT).show();
return false;
}
}
return true;
}
private void refreshWifiInfo() {
WifiInfo wifiInfo = mWifiManager.getConnectionInfo();
Preference wifiMacAddressPref = findPreference(KEY_MAC_ADDRESS);
String macAddress = wifiInfo == null ? null : wifiInfo.getMacAddress();
wifiMacAddressPref.setSummary(!TextUtils.isEmpty(macAddress) ? macAddress
: getActivity().getString(R.string.status_unavailable));
Preference wifiIpAddressPref = findPreference(KEY_CURRENT_IP_ADDRESS);
String ipAddress = Utils.getWifiIpAddresses(getActivity());
wifiIpAddressPref.setSummary(ipAddress == null ?
getActivity().getString(R.string.status_unavailable) : ipAddress);
}
}
| false | true | private void initPreferences() {
CheckBoxPreference notifyOpenNetworks =
(CheckBoxPreference) findPreference(KEY_NOTIFY_OPEN_NETWORKS);
notifyOpenNetworks.setChecked(Secure.getInt(getContentResolver(),
Secure.WIFI_NETWORKS_AVAILABLE_NOTIFICATION_ON, 0) == 1);
notifyOpenNetworks.setEnabled(mWifiManager.isWifiEnabled());
CheckBoxPreference watchdogEnabled =
(CheckBoxPreference) findPreference(KEY_ENABLE_WIFI_WATCHDOG);
watchdogEnabled.setChecked(Secure.getInt(getContentResolver(),
Secure.WIFI_WATCHDOG_ON, 1) == 1);
//TODO: Bring this back after changing watchdog behavior
getPreferenceScreen().removePreference(watchdogEnabled);
ListPreference frequencyPref = (ListPreference) findPreference(KEY_FREQUENCY_BAND);
if (mWifiManager.isDualBandSupported()) {
frequencyPref.setOnPreferenceChangeListener(this);
int value = mWifiManager.getFrequencyBand();
if (value != -1) {
frequencyPref.setValue(String.valueOf(value));
} else {
Log.e(TAG, "Failed to fetch frequency band");
}
} else {
if (frequencyPref != null) {
// null if it has already been removed before resume
getPreferenceScreen().removePreference(frequencyPref);
}
}
ListPreference sleepPolicyPref = (ListPreference) findPreference(KEY_SLEEP_POLICY);
if (sleepPolicyPref != null) {
if (Utils.isWifiOnly(getActivity())) {
sleepPolicyPref.setEntries(R.array.wifi_sleep_policy_entries_wifi_only);
}
sleepPolicyPref.setOnPreferenceChangeListener(this);
int value = Settings.System.getInt(getContentResolver(),
Settings.System.WIFI_SLEEP_POLICY,
Settings.System.WIFI_SLEEP_POLICY_NEVER);
String stringValue = String.valueOf(value);
sleepPolicyPref.setValue(stringValue);
updateSleepPolicySummary(sleepPolicyPref, stringValue);
}
}
| private void initPreferences() {
CheckBoxPreference notifyOpenNetworks =
(CheckBoxPreference) findPreference(KEY_NOTIFY_OPEN_NETWORKS);
notifyOpenNetworks.setChecked(Secure.getInt(getContentResolver(),
Secure.WIFI_NETWORKS_AVAILABLE_NOTIFICATION_ON, 0) == 1);
notifyOpenNetworks.setEnabled(mWifiManager.isWifiEnabled());
CheckBoxPreference watchdogEnabled =
(CheckBoxPreference) findPreference(KEY_ENABLE_WIFI_WATCHDOG);
if (watchdogEnabled != null) {
watchdogEnabled.setChecked(Secure.getInt(getContentResolver(),
Secure.WIFI_WATCHDOG_ON, 1) == 1);
//TODO: Bring this back after changing watchdog behavior
getPreferenceScreen().removePreference(watchdogEnabled);
}
ListPreference frequencyPref = (ListPreference) findPreference(KEY_FREQUENCY_BAND);
if (mWifiManager.isDualBandSupported()) {
frequencyPref.setOnPreferenceChangeListener(this);
int value = mWifiManager.getFrequencyBand();
if (value != -1) {
frequencyPref.setValue(String.valueOf(value));
} else {
Log.e(TAG, "Failed to fetch frequency band");
}
} else {
if (frequencyPref != null) {
// null if it has already been removed before resume
getPreferenceScreen().removePreference(frequencyPref);
}
}
ListPreference sleepPolicyPref = (ListPreference) findPreference(KEY_SLEEP_POLICY);
if (sleepPolicyPref != null) {
if (Utils.isWifiOnly(getActivity())) {
sleepPolicyPref.setEntries(R.array.wifi_sleep_policy_entries_wifi_only);
}
sleepPolicyPref.setOnPreferenceChangeListener(this);
int value = Settings.System.getInt(getContentResolver(),
Settings.System.WIFI_SLEEP_POLICY,
Settings.System.WIFI_SLEEP_POLICY_NEVER);
String stringValue = String.valueOf(value);
sleepPolicyPref.setValue(stringValue);
updateSleepPolicySummary(sleepPolicyPref, stringValue);
}
}
|
diff --git a/src/main/org/testng/TestRunner.java b/src/main/org/testng/TestRunner.java
index f595d587..d23b72f8 100644
--- a/src/main/org/testng/TestRunner.java
+++ b/src/main/org/testng/TestRunner.java
@@ -1,1077 +1,1076 @@
package org.testng;
import java.io.File;
import java.util.ArrayList;
import java.util.Collection;
import java.util.Collections;
import java.util.Date;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Set;
import java.util.regex.Pattern;
import org.testng.internal.ClassHelper;
import org.testng.internal.ConfigurationGroupMethods;
import org.testng.internal.Constants;
import org.testng.internal.IInvoker;
import org.testng.internal.IMethodWorker;
import org.testng.internal.ITestResultNotifier;
import org.testng.internal.InvokedMethod;
import org.testng.internal.Invoker;
import org.testng.internal.MethodHelper;
import org.testng.internal.ResultMap;
import org.testng.internal.RunInfo;
import org.testng.internal.TestMethodWorker;
import org.testng.internal.TestNGClassFinder;
import org.testng.internal.TestNGMethod;
import org.testng.internal.TestNGMethodFinder;
import org.testng.internal.Utils;
import org.testng.internal.XmlMethodSelector;
import org.testng.internal.annotations.IAnnotationFinder;
import org.testng.internal.thread.IPooledExecutor;
import org.testng.internal.thread.ThreadUtil;
import org.testng.junit.IJUnitTestRunner;
import org.testng.xml.XmlClass;
import org.testng.xml.XmlPackage;
import org.testng.xml.XmlSuite;
import org.testng.xml.XmlTest;
/**
* This class takes care of running one Test.
*
* @author Cedric Beust, Apr 26, 2004
* @author <a href = "mailto:the_mindstorm@evolva.ro">Alexandru Popescu</a>
*/
public class TestRunner implements ITestContext, ITestResultNotifier {
/* generated */
private static final long serialVersionUID = 4247820024988306670L;
private ISuite m_suite;
protected XmlTest m_xmlTest;
private String m_testName;
private boolean m_debug = false;
transient private List<XmlClass> m_testClassesFromXml= null;
transient private List<XmlPackage> m_packageNamesFromXml= null;
transient private IInvoker m_invoker= null;
transient private IAnnotationFinder m_annotationFinder= null;
/** ITestListeners support. */
transient private List<ITestListener> m_testListeners = new ArrayList<ITestListener>();
/**
* All the test methods we found, associated with their respective classes.
* Note that these test methods might belong to different classes.
* We pick which ones to run at runtime.
*/
private ITestNGMethod[] m_allTestMethods = new ITestNGMethod[0];
// Information about this test run
private Date m_startDate = null;
private Date m_endDate = null;
/** A map to keep track of Class <-> IClass. */
transient private Map<Class, ITestClass> m_classMap= new HashMap<Class, ITestClass>();
/** Where the reports will be created. */
private String m_outputDirectory= Constants.getDefaultValueFor(Constants.PROP_OUTPUT_DIR);
// The XML method selector (groups/methods included/excluded in XML)
private XmlMethodSelector m_xmlMethodSelector = new XmlMethodSelector();
private static int m_verbose = 1;
//
// These next fields contain all the configuration methods found on this class.
// At initialization time, they just contain all the various @Configuration methods
// found in all the classes we are going to run. When comes the time to run them,
// only a subset of them are run: those that are enabled and belong on the same class as
// (or a parent of) the test class.
//
private ITestNGMethod[] m_beforeClassMethods = {};
private ITestNGMethod[] m_afterClassMethods = {};
/** */
private ITestNGMethod[] m_beforeSuiteMethods = {};
private ITestNGMethod[] m_afterSuiteMethods = {};
private ITestNGMethod[] m_beforeXmlTestMethods = {};
private ITestNGMethod[] m_afterXmlTestMethods = {};
private List<ITestNGMethod> m_excludedMethods = new ArrayList<ITestNGMethod>();
private ConfigurationGroupMethods m_groupMethods = null;
// Meta groups
private Map<String, List<String>> m_metaGroups = new HashMap<String, List<String>>();
// All the tests that were run along with their result
private IResultMap m_passedTests = new ResultMap();
private IResultMap m_failedTests = new ResultMap();
private IResultMap m_failedButWithinSuccessPercentageTests = new ResultMap();
private IResultMap m_skippedTests = new ResultMap();
private RunInfo m_runInfo= new RunInfo();
// The host where this test was run, or null if run locally
private String m_host;
public TestRunner(ISuite suite,
XmlTest test,
String outputDirectory,
IAnnotationFinder finder) {
init(suite, test, outputDirectory, finder);
}
public TestRunner(ISuite suite, XmlTest test, IAnnotationFinder finder) {
init(suite, test, suite.getOutputDirectory(), finder);
}
public TestRunner(ISuite suite, XmlTest test) {
init(suite, test, suite.getOutputDirectory(), suite.getAnnotationFinder(test.getAnnotations()));
}
private void init(ISuite suite,
XmlTest test,
String outputDirectory,
IAnnotationFinder annotationFinder)
{
m_xmlTest= test;
m_suite = suite;
m_testName = test.getName();
m_host = suite.getHost();
m_testClassesFromXml= test.getXmlClasses();
m_packageNamesFromXml= test.getXmlPackages();
if(null != m_packageNamesFromXml) {
for(XmlPackage xp: m_packageNamesFromXml) {
m_testClassesFromXml.addAll(xp.getXmlClasses());
}
}
m_annotationFinder= annotationFinder;
m_invoker= new Invoker(this, this, m_suite.getSuiteState(), m_annotationFinder);
setVerbose(test.getVerbose());
if (suite.getParallel() != null) {
log(3, "Running the tests in parallel mode:" + suite.getParallel());
}
setOutputDirectory(outputDirectory);
// Finish our initialization
init();
}
public IInvoker getInvoker() {
return m_invoker;
}
public ITestNGMethod[] getBeforeSuiteMethods() {
return m_beforeSuiteMethods;
}
public ITestNGMethod[] getAfterSuiteMethods() {
return m_afterSuiteMethods;
}
public ITestNGMethod[] getBeforeTestConfigurationMethods() {
return m_beforeXmlTestMethods;
}
public ITestNGMethod[] getAfterTestConfigurationMethods() {
return m_afterXmlTestMethods;
}
private void init() {
initMetaGroups(m_xmlTest);
initRunInfo(m_xmlTest);
// Init methods and class map
// JUnit behavior is different and doesn't need this initialization step
if(!m_xmlTest.isJUnit()) {
initMethods();
}
}
/**
* Initialize meta groups
*/
private void initMetaGroups(XmlTest xmlTest) {
Map<String, List<String>> metaGroups = xmlTest.getMetaGroups();
for (String name : metaGroups.keySet()) {
addMetaGroup(name, metaGroups.get(name));
}
}
private void initRunInfo(final XmlTest xmlTest) {
// Groups
m_xmlMethodSelector.setIncludedGroups(createGroups(m_xmlTest.getIncludedGroups()));
m_xmlMethodSelector.setExcludedGroups(createGroups(m_xmlTest.getExcludedGroups()));
m_xmlMethodSelector.setExpression(m_xmlTest.getExpression());
// Methods
m_xmlMethodSelector.setXmlClasses(m_xmlTest.getXmlClasses());
m_runInfo.addMethodSelector(m_xmlMethodSelector, 10);
// Add user-specified method selectors (only class selectors, we can ignore
// script selectors here)
if (null != xmlTest.getMethodSelectors()) {
for (org.testng.xml.XmlMethodSelector selector : xmlTest.getMethodSelectors()) {
if (selector.getClassName() != null) {
IMethodSelector s = ClassHelper.createSelector(selector);
m_runInfo.addMethodSelector(s, selector.getPriority());
}
}
}
}
private void initMethods() {
//
// Calculate all the methods we need to invoke
//
List<ITestNGMethod> beforeClassMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> testMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> afterClassMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> beforeSuiteMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> afterSuiteMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> beforeXmlTestMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> afterXmlTestMethods = new ArrayList<ITestNGMethod>();
ITestClassFinder testClassFinder= new TestNGClassFinder(Utils.xmlClassesToClasses(m_testClassesFromXml),
null,
m_xmlTest,
m_annotationFinder);
ITestMethodFinder testMethodFinder= new TestNGMethodFinder(m_runInfo, m_annotationFinder);
//
// Initialize TestClasses
//
IClass[] classes = testClassFinder.findTestClasses();
for (IClass ic : classes) {
// Create TestClass
ITestClass tc = new TestClass(ic,
m_testName,
testMethodFinder,
m_annotationFinder,
- m_runInfo,
- this);
+ m_runInfo);
m_classMap.put(ic.getRealClass(), tc);
}
//
// Calculate groups methods
//
Map<String, List<ITestNGMethod>> beforeGroupMethods= MethodHelper.findGroupsMethods(m_classMap.values(), true);
Map<String, List<ITestNGMethod>> afterGroupMethods= MethodHelper.findGroupsMethods(m_classMap.values(), false);
//
// Walk through all the TestClasses, store their method
// and initialize them with the correct ITestClass
//
for (ITestClass tc : m_classMap.values()) {
fixMethodsWithClass(tc.getBeforeClassMethods(), tc, beforeClassMethods);
fixMethodsWithClass(tc.getBeforeTestMethods(), tc, null); // HINT: does not link back to beforeTestMethods
fixMethodsWithClass(tc.getTestMethods(), tc, testMethods);
fixMethodsWithClass(tc.getAfterTestMethods(), tc, null);
fixMethodsWithClass(tc.getAfterClassMethods(), tc, afterClassMethods);
fixMethodsWithClass(tc.getBeforeSuiteMethods(), tc, beforeSuiteMethods);
fixMethodsWithClass(tc.getAfterSuiteMethods(), tc, afterSuiteMethods);
fixMethodsWithClass(tc.getBeforeTestConfigurationMethods(), tc, beforeXmlTestMethods);
fixMethodsWithClass(tc.getAfterTestConfigurationMethods(), tc, afterXmlTestMethods);
fixMethodsWithClass(tc.getBeforeGroupsMethods(), tc,
MethodHelper.uniqueMethodList(beforeGroupMethods.values()));
fixMethodsWithClass(tc.getAfterGroupsMethods(), tc,
MethodHelper.uniqueMethodList(afterGroupMethods.values()));
}
m_runInfo.setTestMethods(testMethods);
//
// Sort the methods
//
m_beforeSuiteMethods = MethodHelper.collectAndOrderMethods(beforeSuiteMethods,
false,
m_runInfo,
m_annotationFinder,
true /* unique */,
m_excludedMethods);
m_beforeXmlTestMethods = MethodHelper.collectAndOrderMethods(beforeXmlTestMethods,
false,
m_runInfo,
m_annotationFinder,
true, // CQ added by me
m_excludedMethods);
m_beforeClassMethods = MethodHelper.collectAndOrderMethods(beforeClassMethods,
false,
m_runInfo,
m_annotationFinder,
m_excludedMethods);
m_allTestMethods = MethodHelper.collectAndOrderMethods(testMethods,
true,
m_runInfo,
m_annotationFinder,
m_excludedMethods);
m_afterClassMethods = MethodHelper.collectAndOrderMethods(afterClassMethods,
false,
m_runInfo,
m_annotationFinder,
m_excludedMethods);
m_afterXmlTestMethods = MethodHelper.collectAndOrderMethods(afterXmlTestMethods,
false,
m_runInfo,
m_annotationFinder,
true, // CQ added by me
m_excludedMethods);
m_afterSuiteMethods = MethodHelper.collectAndOrderMethods(afterSuiteMethods,
false,
m_runInfo,
m_annotationFinder,
true /* unique */,
m_excludedMethods);
// shared group methods
m_groupMethods = new ConfigurationGroupMethods(m_allTestMethods, beforeGroupMethods, afterGroupMethods);
}
private static void ppp(String s) {
if (true) {
System.out.println("[TestRunner] " + s);
}
}
private void fixMethodsWithClass(ITestNGMethod[] methods,
ITestClass testCls,
List<ITestNGMethod> methodList) {
for (ITestNGMethod itm : methods) {
itm.setTestClass(testCls);
if (methodList != null) {
methodList.add(itm);
}
}
}
public Collection<ITestClass> getIClass() {
return m_classMap.values();
}
/**
* FIXME: not used
*/
private IClass findIClass(IClass[] classes, Class cls) {
for (IClass c : classes) {
if (c.getRealClass().equals(cls)) {
return c;
}
}
return null;
}
public String getName() {
return m_testName;
}
public String[] getIncludedGroups() {
Map<String, String> ig= m_xmlMethodSelector.getIncludedGroups();
String[] result= (String[]) ig.values().toArray((new String[ig.size()]));
return result;
}
public String[] getExcludedGroups() {
Map<String, String> eg= m_xmlMethodSelector.getExcludedGroups();
String[] result= (String[]) eg.values().toArray((new String[eg.size()]));
return result;
}
public void setTestName(String name) {
m_testName = name;
}
public void setOutputDirectory(String od) {
if (od == null) { m_outputDirectory = null; return; } //for maven2
File file = new File(od);
file.mkdirs();
m_outputDirectory= file.getAbsolutePath();
}
public String getOutputDirectory() {
return m_outputDirectory;
}
/**
* @return Returns the endDate.
*/
public Date getEndDate() {
return m_endDate;
}
/**
* @return Returns the startDate.
*/
public Date getStartDate() {
return m_startDate;
}
private void addMetaGroup(String name, List<String> groupNames) {
m_metaGroups.put(name, groupNames);
}
/**
* Calculate the transitive closure of all the MetaGroups
*
* @param groups
* @param unfinishedGroups
* @param result The transitive closure containing all the groups found
*/
private void collectGroups(String[] groups,
List<String> unfinishedGroups,
Map<String, String> result) {
for (String gn : groups) {
List<String> subGroups = m_metaGroups.get(gn);
if (null != subGroups) {
for (String sg : subGroups) {
if (null == result.get(sg)) {
result.put(sg, sg);
unfinishedGroups.add(sg);
}
}
}
}
}
private Map<String, String> createGroups(List<String> groups) {
return createGroups((String[]) groups.toArray(new String[groups.size()]));
}
private Map<String, String> createGroups(String[] groups) {
Map<String, String> result= new HashMap<String, String>();
// Groups that were passed on the command line
for (String group : groups) {
result.put(group, group);
}
// See if we have any MetaGroups and
// expand them if they match one of the groups
// we have just been passed
List<String> unfinishedGroups = new ArrayList<String>();
if (m_metaGroups.size() > 0) {
collectGroups(groups, unfinishedGroups, result);
// Do we need to loop over unfinished groups?
while (unfinishedGroups.size() > 0) {
String[] uGroups = (String[]) unfinishedGroups.toArray(new String[unfinishedGroups.size()]);
unfinishedGroups = new ArrayList<String>();
collectGroups(uGroups, unfinishedGroups, result);
}
}
// Utils.dumpMap(result);
return result;
}
/**
* The main entry method for TestRunner.
*
* This is where all the hard work is done:
* - Invoke configuration methods
* - Invoke test methods
* - Catch exceptions
* - Collect results
* - Invoke listeners
* - etc...
*/
public void run() {
beforeRun();
try {
XmlTest test= getTest();
if(test.isJUnit()) {
privateRunJUnit(test);
}
else {
privateRun(test);
}
}
finally {
afterRun();
}
}
/** Before run preparements. */
private void beforeRun() {
//
// Log the start date
//
m_startDate = new Date(System.currentTimeMillis());
// Log start
logStart();
// Invoke listeners
fireEvent(true /*start*/);
}
private void privateRunJUnit(XmlTest xmlTest) {
final Class[] classes= Utils.xmlClassesToClasses(m_testClassesFromXml);
final List<ITestNGMethod> runMethods= new ArrayList<ITestNGMethod>();
List<IMethodWorker> workers= new ArrayList<IMethodWorker>();
// FIXME: directly referincing JUnitTestRunner which uses JUnit classes
// may result in an class resolution exception under different JVMs
// The resolution process is not specified in the JVM spec with a specific implementation,
// so it can be eager => failure
workers.add(new IMethodWorker() {
/**
* @see org.testng.internal.IMethodWorker#getMaxTimeOut()
*/
public long getMaxTimeOut() {
return 0;
}
/**
* @see java.lang.Runnable#run()
*/
public void run() {
for(Class tc: classes) {
IJUnitTestRunner tr= ClassHelper.createTestRunner(TestRunner.this);
try {
tr.run(tc);
}
catch(Exception ex) {
ex.printStackTrace();
}
finally {
runMethods.addAll(tr.getTestMethods());
}
}
}
});
runWorkers(workers, "" /* JUnit does not support parallel */);
m_allTestMethods= runMethods.toArray(new ITestNGMethod[runMethods.size()]);
}
public void privateRun(XmlTest xmlTest) {
Map<String, String> params = xmlTest.getParameters();
//
// Calculate the lists of tests that can be run in sequence and in parallel
//
List<List<ITestNGMethod>> sequentialList= new ArrayList<List<ITestNGMethod>>();
List<ITestNGMethod> parallelList= new ArrayList<ITestNGMethod>();
computeTestLists(sequentialList, parallelList);
log(3, "Found " + (sequentialList.size() + parallelList.size()) + " applicable methods");
//
// Find out all the group methods
//
// m_groupMethods = findGroupMethods(m_classMap.values());
//
// Create the workers
//
List<TestMethodWorker> workers = new ArrayList<TestMethodWorker>();
// These two variables are used throughout the workers to keep track
// of what beforeClass/afterClass methods have been invoked
Map<ITestClass, ITestClass> beforeClassMethods = new HashMap<ITestClass, ITestClass>();
Map<ITestClass, ITestClass> afterClassMethods = new HashMap<ITestClass, ITestClass>();
ClassMethodMap cmm = new ClassMethodMap(m_allTestMethods);
// All the sequential tests are place in one worker, guaranteeing they
// will be invoked sequentially
if (sequentialList.size() > 0) {
for (List<ITestNGMethod> sl : sequentialList) {
workers.add(new TestMethodWorker(m_invoker,
sl.toArray(new ITestNGMethod[sl.size()]),
m_xmlTest.getSuite(),
params,
beforeClassMethods,
afterClassMethods,
m_allTestMethods,
m_groupMethods,
cmm));
}
}
// All the parallel tests are placed in a separate worker, so they can be
// invoked in parallel
if (parallelList.size() > 0) {
for (ITestNGMethod tm : parallelList) {
workers.add(new TestMethodWorker(m_invoker,
new ITestNGMethod[] { tm },
m_xmlTest.getSuite(),
params,
beforeClassMethods,
afterClassMethods,
m_allTestMethods,
m_groupMethods,
cmm));
}
}
runWorkers(workers, xmlTest.getParallel());
}
//
// Invoke the workers
//
private void runWorkers(List<? extends IMethodWorker> workers, String parallelMode) {
if (XmlSuite.PARALLEL_METHODS.equals(parallelMode)
|| "true".equalsIgnoreCase(parallelMode))
{
//
// Parallel run
//
// Default timeout for individual methods: 10 seconds
long maxTimeOut = m_xmlTest.getTimeOut(10 * 1000);
for (IMethodWorker tmw : workers) {
long mt= tmw.getMaxTimeOut();
if (mt > maxTimeOut) {
maxTimeOut= mt;
}
}
ThreadUtil.execute(workers, m_xmlTest.getSuite().getThreadCount(), maxTimeOut, false);
}
else {
//
// Sequential run
//
for (IMethodWorker tmw : workers) {
tmw.run();
}
}
}
private void afterRun() {
//
// Log the end date
//
m_endDate = new Date(System.currentTimeMillis());
if (getVerbose() >= 3) {
dumpInvokedMethods();
}
// Invoke listeners
fireEvent(false /*stop*/);
// Statistics
// logResults();
}
/**
* @param regexps
* @param group
* @return true if the map contains at least one regexp that matches the
* given group
*/
private boolean containsString(Map<String, String> regexps, String group) {
for (String regexp : regexps.values()) {
boolean match = Pattern.matches(regexp, group);
if (match) {
return true;
}
}
return false;
}
/**
* Creates the
* @param sequentialList
* @param parallelList
*/
private void computeTestLists(List<List<ITestNGMethod>> sl,
List<ITestNGMethod> parallelList)
{
Map<String, String> groupsDependedUpon= new HashMap<String, String>();
Map<String, String> methodsDependedUpon= new HashMap<String, String>();
Map<String, List<ITestNGMethod>> sequentialAttributeList = new HashMap<String, List<ITestNGMethod>>();
List<ITestNGMethod> sequentialList = new ArrayList<ITestNGMethod>();
for (int i= m_allTestMethods.length - 1; i >= 0; i--) {
ITestNGMethod tm= m_allTestMethods[i];
//
// If the class this method belongs to has @Test(sequential = true), we
// put this method in the sequential list right away
//
Class cls = tm.getMethod().getDeclaringClass();
org.testng.internal.annotations.ITest test =
(org.testng.internal.annotations.ITest) m_annotationFinder.
findAnnotation(cls, org.testng.internal.annotations.ITest.class);
if (test != null) {
if (test.getSequential()) {
String className = cls.getName();
List<ITestNGMethod> list = sequentialAttributeList.get(className);
if (list == null) {
list = new ArrayList<ITestNGMethod>();
sequentialAttributeList.put(className, list);
}
list.add(0, tm);
continue;
}
}
//
// Otherwise, determine if it depends on other methods/groups or if
// it is depended upon
//
String[] currentGroups = tm.getGroups();
String[] currentGroupsDependedUpon= tm.getGroupsDependedUpon();
String[] currentMethodsDependedUpon= tm.getMethodsDependedUpon();
String thisMethodName = tm.getMethod().getDeclaringClass().getName() + "." +
tm.getMethod().getName();
if (currentGroupsDependedUpon.length > 0) {
for (String gdu : currentGroupsDependedUpon) {
groupsDependedUpon.put(gdu, gdu);
}
sequentialList.add(0, tm);
}
else if (currentMethodsDependedUpon.length > 0) {
for (String cmu : currentMethodsDependedUpon) {
methodsDependedUpon.put(cmu, cmu);
}
sequentialList.add(0, tm);
}
// Is there a method that depends on the current method?
else if (containsString(methodsDependedUpon, thisMethodName)) {
sequentialList.add(0, tm);
}
else if (currentGroups.length > 0) {
boolean isSequential= false;
for (String group : currentGroups) {
if (containsString(groupsDependedUpon, group)) {
sequentialList.add(0, tm);
isSequential = true;
break;
}
}
if (!isSequential) {
parallelList.add(0, tm);
}
}
else {
parallelList.add(0, tm);
}
}
//
// Put all the sequential methods in the output argument
//
if(sequentialList.size() > 0) {
sl.add(sequentialList);
}
for (List<ITestNGMethod> l : sequentialAttributeList.values()) {
sl.add(l);
}
//
// Finally, sort the parallel methods by classes
//
Collections.sort(parallelList, TestNGMethod.SORT_BY_CLASS);
if (getVerbose() >= 2) {
log(3, "WILL BE RUN IN RANDOM ORDER:");
for (ITestNGMethod tm : parallelList) {
log(3, " " + tm);
}
log(3, "WILL BE RUN SEQUENTIALLY:");
for (List<ITestNGMethod> l : sl) {
for (ITestNGMethod tm : l) {
log(3, " " + tm);
}
log(3, "====");
}
log(3, "===");
}
}
/**
* TODO: not used
*/
// private void invokeClassConfigurations(ITestNGMethod[] classMethods,
// XmlTest xmlTest,
// boolean before) {
// for (IClass testClass : m_classMap.values()) {
// m_invoker.invokeConfigurations(testClass,
// null,
// classMethods,
// m_xmlTest.getSuite(),
// xmlTest.getParameters(),
// null /* instance */);
//
// String msg= "Marking class " + testClass + " as " + (before ? "before" : "after")
// + "ConfigurationClass =true";
//
// log(3, msg);
// }
// }
/**
* Logs the beginning of the {@link #privateRun()}.
*/
private void logStart() {
log(3,
"Running test " + m_testName + " on " + m_classMap.size() + " " + " classes, "
+ " included groups:[" + mapToString(m_xmlMethodSelector.getIncludedGroups())
+ "] excluded groups:[" + mapToString(m_xmlMethodSelector.getExcludedGroups()) + "]");
if (getVerbose() >= 3) {
for (ITestClass tc : m_classMap.values()) {
((TestClass) tc).dump();
}
}
}
/**
* Trigger the start/finish event.
*
* @param isStart <tt>true</tt> if the event is for start, <tt>false</tt> if the
* event is for finish
*/
private void fireEvent(boolean isStart) {
for (ITestListener itl : m_testListeners) {
if (isStart) {
itl.onStart(this);
}
else {
itl.onFinish(this);
}
}
}
/////
// ITestResultNotifier
//
public void addPassedTest(ITestNGMethod tm, ITestResult tr) {
synchronized(m_passedTests) {
m_passedTests.addResult(tr, tm);
}
}
public Set<ITestResult> getPassedTests(ITestNGMethod tm) {
return m_passedTests.getResults(tm);
}
public void addSkippedTest(ITestNGMethod tm, ITestResult tr) {
synchronized(m_skippedTests) {
m_skippedTests.addResult(tr, tm);
}
}
public void addInvokedMethod(InvokedMethod im) {
synchronized(m_invokedMethods) {
m_invokedMethods.add(im);
}
}
public void addFailedTest(ITestNGMethod testMethod, ITestResult result) {
logFailedTest(testMethod, result, false /* withinSuccessPercentage */);
}
public void addFailedButWithinSuccessPercentageTest(ITestNGMethod testMethod,
ITestResult result) {
logFailedTest(testMethod, result, true /* withinSuccessPercentage */);
}
public XmlTest getTest() {
return m_xmlTest;
}
public List<ITestListener> getTestListeners() {
return m_testListeners;
}
//
// ITestResultNotifier
/////
/**
* FIXME: not used
*
* @param declaringClass
* @return
*/
private IClass findTestClass(Class<?> declaringClass) {
IClass result= m_classMap.get(declaringClass);
if (null == result) {
for (Class cls : m_classMap.keySet()) {
if (declaringClass.isAssignableFrom(cls)) {
result= m_classMap.get(cls);
assert null != result : "Should never happen";
}
}
}
return result;
}
public ITestNGMethod[] getTestMethods() {
return m_allTestMethods;
}
private void logFailedTest(ITestNGMethod method,
ITestResult tr,
boolean withinSuccessPercentage) {
if (withinSuccessPercentage) {
synchronized(m_failedButWithinSuccessPercentageTests) {
m_failedButWithinSuccessPercentageTests.addResult(tr, method);
}
}
else {
synchronized(m_failedTests) {
m_failedTests.addResult(tr, method);
}
}
}
private String mapToString(Map m) {
StringBuffer result= new StringBuffer();
for (Object o : m.values()) {
result.append(o.toString()).append(" ");
}
return result.toString();
}
private void log(int level, String s) {
Utils.log("TestRunner", level, s);
}
public static int getVerbose() {
return m_verbose;
}
public void setVerbose(int n) {
m_verbose = n;
}
private void log(String s) {
Utils.log("TestRunner", 2, s);
}
public IResultMap getPassedTests() {
return m_passedTests;
}
public IResultMap getSkippedTests() {
return m_skippedTests;
}
public IResultMap getFailedTests() {
return m_failedTests;
}
public IResultMap getFailedButWithinSuccessPercentageTests() {
return m_failedButWithinSuccessPercentageTests;
}
/////
// Listeners
//
public void addTestListener(ITestListener il) {
m_testListeners.add(il);
}
//
// Listeners
/////
/**
* @return Returns the suite.
*/
public ISuite getSuite() {
return m_suite;
}
private List<InvokedMethod> m_invokedMethods = new ArrayList<InvokedMethod>();
public ITestNGMethod[] getAllTestMethods() {
return m_allTestMethods;
}
private void dumpInvokedMethods() {
System.out.println("\n*********** INVOKED METHODS\n");
for (InvokedMethod im : m_invokedMethods) {
if (im.isTestMethod()) {
System.out.print("\t\t");
}
else if (im.isConfigurationMethod()) {
System.out.print("\t");
}
else {
continue;
}
System.out.println("" + im);
}
System.out.println("\n***********\n");
}
/**
* @return
*/
public List<ITestNGMethod> getInvokedMethods() {
List<ITestNGMethod> result= new ArrayList<ITestNGMethod>();
for (InvokedMethod im : m_invokedMethods) {
ITestNGMethod tm= im.getTestMethod();
tm.setDate(im.getDate());
result.add(tm);
}
return result;
}
public String getHost() {
return m_host;
}
public Collection<ITestNGMethod> getExcludedMethods() {
Map<ITestNGMethod, ITestNGMethod> vResult =
new HashMap<ITestNGMethod, ITestNGMethod>();
for (ITestNGMethod m : m_excludedMethods) {
vResult.put(m, m);
}
return vResult.keySet();
}
} // TestRunner
| true | true | private void initMethods() {
//
// Calculate all the methods we need to invoke
//
List<ITestNGMethod> beforeClassMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> testMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> afterClassMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> beforeSuiteMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> afterSuiteMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> beforeXmlTestMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> afterXmlTestMethods = new ArrayList<ITestNGMethod>();
ITestClassFinder testClassFinder= new TestNGClassFinder(Utils.xmlClassesToClasses(m_testClassesFromXml),
null,
m_xmlTest,
m_annotationFinder);
ITestMethodFinder testMethodFinder= new TestNGMethodFinder(m_runInfo, m_annotationFinder);
//
// Initialize TestClasses
//
IClass[] classes = testClassFinder.findTestClasses();
for (IClass ic : classes) {
// Create TestClass
ITestClass tc = new TestClass(ic,
m_testName,
testMethodFinder,
m_annotationFinder,
m_runInfo,
this);
m_classMap.put(ic.getRealClass(), tc);
}
//
// Calculate groups methods
//
Map<String, List<ITestNGMethod>> beforeGroupMethods= MethodHelper.findGroupsMethods(m_classMap.values(), true);
Map<String, List<ITestNGMethod>> afterGroupMethods= MethodHelper.findGroupsMethods(m_classMap.values(), false);
//
// Walk through all the TestClasses, store their method
// and initialize them with the correct ITestClass
//
for (ITestClass tc : m_classMap.values()) {
fixMethodsWithClass(tc.getBeforeClassMethods(), tc, beforeClassMethods);
fixMethodsWithClass(tc.getBeforeTestMethods(), tc, null); // HINT: does not link back to beforeTestMethods
fixMethodsWithClass(tc.getTestMethods(), tc, testMethods);
fixMethodsWithClass(tc.getAfterTestMethods(), tc, null);
fixMethodsWithClass(tc.getAfterClassMethods(), tc, afterClassMethods);
fixMethodsWithClass(tc.getBeforeSuiteMethods(), tc, beforeSuiteMethods);
fixMethodsWithClass(tc.getAfterSuiteMethods(), tc, afterSuiteMethods);
fixMethodsWithClass(tc.getBeforeTestConfigurationMethods(), tc, beforeXmlTestMethods);
fixMethodsWithClass(tc.getAfterTestConfigurationMethods(), tc, afterXmlTestMethods);
fixMethodsWithClass(tc.getBeforeGroupsMethods(), tc,
MethodHelper.uniqueMethodList(beforeGroupMethods.values()));
fixMethodsWithClass(tc.getAfterGroupsMethods(), tc,
MethodHelper.uniqueMethodList(afterGroupMethods.values()));
}
m_runInfo.setTestMethods(testMethods);
//
// Sort the methods
//
m_beforeSuiteMethods = MethodHelper.collectAndOrderMethods(beforeSuiteMethods,
false,
m_runInfo,
m_annotationFinder,
true /* unique */,
m_excludedMethods);
m_beforeXmlTestMethods = MethodHelper.collectAndOrderMethods(beforeXmlTestMethods,
false,
m_runInfo,
m_annotationFinder,
true, // CQ added by me
m_excludedMethods);
m_beforeClassMethods = MethodHelper.collectAndOrderMethods(beforeClassMethods,
false,
m_runInfo,
m_annotationFinder,
m_excludedMethods);
m_allTestMethods = MethodHelper.collectAndOrderMethods(testMethods,
true,
m_runInfo,
m_annotationFinder,
m_excludedMethods);
m_afterClassMethods = MethodHelper.collectAndOrderMethods(afterClassMethods,
false,
m_runInfo,
m_annotationFinder,
m_excludedMethods);
m_afterXmlTestMethods = MethodHelper.collectAndOrderMethods(afterXmlTestMethods,
false,
m_runInfo,
m_annotationFinder,
true, // CQ added by me
m_excludedMethods);
m_afterSuiteMethods = MethodHelper.collectAndOrderMethods(afterSuiteMethods,
false,
m_runInfo,
m_annotationFinder,
true /* unique */,
m_excludedMethods);
// shared group methods
m_groupMethods = new ConfigurationGroupMethods(m_allTestMethods, beforeGroupMethods, afterGroupMethods);
}
| private void initMethods() {
//
// Calculate all the methods we need to invoke
//
List<ITestNGMethod> beforeClassMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> testMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> afterClassMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> beforeSuiteMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> afterSuiteMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> beforeXmlTestMethods = new ArrayList<ITestNGMethod>();
List<ITestNGMethod> afterXmlTestMethods = new ArrayList<ITestNGMethod>();
ITestClassFinder testClassFinder= new TestNGClassFinder(Utils.xmlClassesToClasses(m_testClassesFromXml),
null,
m_xmlTest,
m_annotationFinder);
ITestMethodFinder testMethodFinder= new TestNGMethodFinder(m_runInfo, m_annotationFinder);
//
// Initialize TestClasses
//
IClass[] classes = testClassFinder.findTestClasses();
for (IClass ic : classes) {
// Create TestClass
ITestClass tc = new TestClass(ic,
m_testName,
testMethodFinder,
m_annotationFinder,
m_runInfo);
m_classMap.put(ic.getRealClass(), tc);
}
//
// Calculate groups methods
//
Map<String, List<ITestNGMethod>> beforeGroupMethods= MethodHelper.findGroupsMethods(m_classMap.values(), true);
Map<String, List<ITestNGMethod>> afterGroupMethods= MethodHelper.findGroupsMethods(m_classMap.values(), false);
//
// Walk through all the TestClasses, store their method
// and initialize them with the correct ITestClass
//
for (ITestClass tc : m_classMap.values()) {
fixMethodsWithClass(tc.getBeforeClassMethods(), tc, beforeClassMethods);
fixMethodsWithClass(tc.getBeforeTestMethods(), tc, null); // HINT: does not link back to beforeTestMethods
fixMethodsWithClass(tc.getTestMethods(), tc, testMethods);
fixMethodsWithClass(tc.getAfterTestMethods(), tc, null);
fixMethodsWithClass(tc.getAfterClassMethods(), tc, afterClassMethods);
fixMethodsWithClass(tc.getBeforeSuiteMethods(), tc, beforeSuiteMethods);
fixMethodsWithClass(tc.getAfterSuiteMethods(), tc, afterSuiteMethods);
fixMethodsWithClass(tc.getBeforeTestConfigurationMethods(), tc, beforeXmlTestMethods);
fixMethodsWithClass(tc.getAfterTestConfigurationMethods(), tc, afterXmlTestMethods);
fixMethodsWithClass(tc.getBeforeGroupsMethods(), tc,
MethodHelper.uniqueMethodList(beforeGroupMethods.values()));
fixMethodsWithClass(tc.getAfterGroupsMethods(), tc,
MethodHelper.uniqueMethodList(afterGroupMethods.values()));
}
m_runInfo.setTestMethods(testMethods);
//
// Sort the methods
//
m_beforeSuiteMethods = MethodHelper.collectAndOrderMethods(beforeSuiteMethods,
false,
m_runInfo,
m_annotationFinder,
true /* unique */,
m_excludedMethods);
m_beforeXmlTestMethods = MethodHelper.collectAndOrderMethods(beforeXmlTestMethods,
false,
m_runInfo,
m_annotationFinder,
true, // CQ added by me
m_excludedMethods);
m_beforeClassMethods = MethodHelper.collectAndOrderMethods(beforeClassMethods,
false,
m_runInfo,
m_annotationFinder,
m_excludedMethods);
m_allTestMethods = MethodHelper.collectAndOrderMethods(testMethods,
true,
m_runInfo,
m_annotationFinder,
m_excludedMethods);
m_afterClassMethods = MethodHelper.collectAndOrderMethods(afterClassMethods,
false,
m_runInfo,
m_annotationFinder,
m_excludedMethods);
m_afterXmlTestMethods = MethodHelper.collectAndOrderMethods(afterXmlTestMethods,
false,
m_runInfo,
m_annotationFinder,
true, // CQ added by me
m_excludedMethods);
m_afterSuiteMethods = MethodHelper.collectAndOrderMethods(afterSuiteMethods,
false,
m_runInfo,
m_annotationFinder,
true /* unique */,
m_excludedMethods);
// shared group methods
m_groupMethods = new ConfigurationGroupMethods(m_allTestMethods, beforeGroupMethods, afterGroupMethods);
}
|
diff --git a/loci/plugins/Importer.java b/loci/plugins/Importer.java
index 08b13512b..8a2473a2d 100644
--- a/loci/plugins/Importer.java
+++ b/loci/plugins/Importer.java
@@ -1,865 +1,865 @@
//
// Importer.java
//
/*
LOCI Plugins for ImageJ: a collection of ImageJ plugins including the
Bio-Formats Importer, Bio-Formats Exporter, Data Browser, Stack Colorizer,
Stack Slicer, and OME plugins. Copyright (C) 2005-@year@ Melissa Linkert,
Curtis Rueden, Christopher Peterson, Philip Huettl and Francis Wong.
This program is free software; you can redistribute it and/or modify
it under the terms of the GNU Library General Public License as published by
the Free Software Foundation; either version 2 of the License, or
(at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU Library General Public License for more details.
You should have received a copy of the GNU Library General Public License
along with this program; if not, write to the Free Software
Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
*/
package loci.plugins;
import ij.*;
import ij.io.FileInfo;
import ij.process.*;
import java.awt.Rectangle;
import java.io.*;
import java.util.*;
import loci.formats.*;
import loci.formats.meta.MetadataRetrieve;
import loci.formats.meta.MetadataStore;
import loci.formats.ome.OMEReader;
import loci.formats.ome.OMEROReader;
/**
* Core logic for the Bio-Formats Importer ImageJ plugin.
*
* <dl><dt><b>Source code:</b></dt>
* <dd><a href="https://skyking.microscopy.wisc.edu/trac/java/browser/trunk/loci/plugins/Importer.java">Trac</a>,
* <a href="https://skyking.microscopy.wisc.edu/svn/java/trunk/loci/plugins/Importer.java">SVN</a></dd></dl>
*
* @author Curtis Rueden ctrueden at wisc.edu
* @author Melissa Linkert linkert at wisc.edu
*/
public class Importer {
// -- Fields --
/**
* A handle to the plugin wrapper, for toggling
* the canceled and success flags.
*/
private LociImporter plugin;
private Vector imps = new Vector();
private String stackOrder = null;
// -- Constructor --
public Importer(LociImporter plugin) {
this.plugin = plugin;
}
// -- Importer API methods --
/** Executes the plugin. */
public void run(String arg) {
// -- Step 1: parse core options --
ImporterOptions options = new ImporterOptions();
options.loadPreferences();
options.parseArg(arg);
int status = options.promptLocation();
if (!statusOk(status)) return;
status = options.promptId();
if (!statusOk(status)) return;
String id = options.getId();
boolean quiet = options.isQuiet();
boolean windowless = options.isWindowless();
Location idLoc = options.getIdLocation();
String idName = options.getIdName();
String idType = options.getIdType();
// -- Step 2: construct reader and check id --
IFormatReader r = null;
if (options.isLocal() || options.isHTTP()) {
IJ.showStatus("Identifying " + idName);
ImageReader reader = new ImageReader();
try { r = reader.getReader(id); }
catch (FormatException exc) {
reportException(exc, quiet,
"Sorry, there was an error reading the file.");
return;
}
catch (IOException exc) {
reportException(exc, quiet,
"Sorry, there was a I/O problem reading the file.");
return;
}
}
else if (options.isOMERO()) r = new OMEROReader();
else { // options.isOME
r = new OMEReader();
}
MetadataStore store = MetadataTools.createOMEXMLMetadata();
MetadataRetrieve retrieve = (MetadataRetrieve) store;
r.setMetadataStore(store);
IJ.showStatus("");
r.addStatusListener(new StatusEchoer());
// -- Step 3: get parameter values --
if (!windowless) status = options.promptOptions();
if (!statusOk(status)) return;
boolean mergeChannels = options.isMergeChannels();
boolean colorize = options.isColorize();
boolean showMetadata = options.isShowMetadata();
boolean groupFiles = options.isGroupFiles();
boolean concatenate = options.isConcatenate();
boolean specifyRanges = options.isSpecifyRanges();
boolean cropOnImport = options.doCrop();
// -- Step 4: analyze and read from data source --
// 'id' contains the user's password if we are opening from OME/OMERO
String a = id;
if (options.isOME() || options.isOMERO()) a = "...";
IJ.showStatus("Analyzing " + a);
try {
r.setMetadataFiltered(true);
r.setNormalized(true);
r.setId(id);
int pixelType = r.getPixelType();
String currentFile = r.getCurrentFile();
// -- Step 4a: prompt for the file pattern, if necessary --
if (groupFiles) {
try {
status = options.promptFilePattern();
if (!statusOk(status)) return;
}
catch (NullPointerException e) { }
id = options.getId();
if (id == null) id = currentFile;
}
if (groupFiles) r = new FileStitcher(r, true);
r = new ChannelSeparator(r);
r.setId(id);
// -- Step 4b: prompt for which series to import, if necessary --
// populate series-related variables
int seriesCount = r.getSeriesCount();
int[] num = new int[seriesCount];
int[] sizeC = new int[seriesCount];
int[] sizeZ = new int[seriesCount];
int[] sizeT = new int[seriesCount];
boolean[] certain = new boolean[seriesCount];
int[] cBegin = new int[seriesCount];
int[] cEnd = new int[seriesCount];
int[] cStep = new int[seriesCount];
int[] zBegin = new int[seriesCount];
int[] zEnd = new int[seriesCount];
int[] zStep = new int[seriesCount];
int[] tBegin = new int[seriesCount];
int[] tEnd = new int[seriesCount];
int[] tStep = new int[seriesCount];
boolean[] series = new boolean[seriesCount];
for (int i=0; i<seriesCount; i++) {
r.setSeries(i);
num[i] = r.getImageCount();
sizeC[i] = r.getEffectiveSizeC();
sizeZ[i] = r.getSizeZ();
sizeT[i] = r.getSizeT();
certain[i] = r.isOrderCertain();
cBegin[i] = zBegin[i] = tBegin[i] = 0;
cEnd[i] = sizeC[i] - 1;
zEnd[i] = sizeZ[i] - 1;
tEnd[i] = sizeT[i] - 1;
cStep[i] = zStep[i] = tStep[i] = 1;
}
series[0] = true;
// build descriptive label for each series
String[] seriesLabels = new String[seriesCount];
for (int i=0; i<seriesCount; i++) {
r.setSeries(i);
StringBuffer sb = new StringBuffer();
String name = retrieve.getImageName(i);
if (name != null && name.length() > 0) {
sb.append(name);
sb.append(": ");
}
sb.append(r.getSizeX());
sb.append(" x ");
sb.append(r.getSizeY());
sb.append("; ");
sb.append(num[i]);
sb.append(" plane");
if (num[i] > 1) {
sb.append("s");
if (certain[i]) {
sb.append(" (");
boolean first = true;
if (sizeC[i] > 1) {
sb.append(sizeC[i]);
sb.append("C");
first = false;
}
if (sizeZ[i] > 1) {
if (!first) sb.append(" x ");
sb.append(sizeZ[i]);
sb.append("Z");
first = false;
}
if (sizeT[i] > 1) {
if (!first) sb.append(" x ");
sb.append(sizeT[i]);
sb.append("T");
first = false;
}
sb.append(")");
}
}
seriesLabels[i] = sb.toString();
}
if (seriesCount > 1 && !options.openAllSeries()) {
status = options.promptSeries(r, seriesLabels, series);
if (!statusOk(status)) return;
}
if (options.openAllSeries()) Arrays.fill(series, true);
// -- Step 4c: prompt for the range of planes to import, if necessary --
if (specifyRanges) {
boolean needRange = false;
for (int i=0; i<seriesCount; i++) {
if (series[i] && num[i] > 1) needRange = true;
}
if (needRange) {
IJ.showStatus("");
status = options.promptRange(r, series, seriesLabels,
cBegin, cEnd, cStep, zBegin, zEnd, zStep, tBegin, tEnd, tStep);
if (!statusOk(status)) return;
}
}
int[] cCount = new int[seriesCount];
int[] zCount = new int[seriesCount];
int[] tCount = new int[seriesCount];
for (int i=0; i<seriesCount; i++) {
cCount[i] = (cEnd[i] - cBegin[i] + cStep[i]) / cStep[i];
zCount[i] = (zEnd[i] - zBegin[i] + zStep[i]) / zStep[i];
tCount[i] = (tEnd[i] - tBegin[i] + tStep[i]) / tStep[i];
}
Rectangle[] cropOptions = new Rectangle[seriesCount];
for (int i=0; i<cropOptions.length; i++) {
if (series[i] && cropOnImport) cropOptions[i] = new Rectangle();
}
if (cropOnImport) {
status = options.promptCropSize(r, seriesLabels, series, cropOptions);
if (!statusOk(status)) return;
}
// -- Step 4e: display metadata, if appropriate --
if (showMetadata) {
IJ.showStatus("Populating metadata");
// display standard metadata in a table in its own window
Hashtable meta = new Hashtable();
if (seriesCount == 1) meta = r.getMetadata();
meta.put(idType, currentFile);
int digits = digits(seriesCount);
for (int i=0; i<seriesCount; i++) {
if (!series[i]) continue;
r.setSeries(i);
meta.putAll(r.getCoreMetadata().seriesMetadata[i]);
String s = retrieve.getImageName(i);
if ((s == null || s.trim().length() == 0) && seriesCount > 1) {
StringBuffer sb = new StringBuffer();
sb.append("Series ");
int zeroes = digits - digits(i + 1);
for (int j=0; j<zeroes; j++) sb.append(0);
sb.append(i + 1);
sb.append(" ");
s = sb.toString();
}
else s += " ";
final String pad = " "; // puts core values first when alphabetizing
meta.put(pad + s + "SizeX", new Integer(r.getSizeX()));
meta.put(pad + s + "SizeY", new Integer(r.getSizeY()));
meta.put(pad + s + "SizeZ", new Integer(r.getSizeZ()));
meta.put(pad + s + "SizeT", new Integer(r.getSizeT()));
meta.put(pad + s + "SizeC", new Integer(r.getSizeC()));
meta.put(pad + s + "IsRGB", new Boolean(r.isRGB()));
meta.put(pad + s + "PixelType",
FormatTools.getPixelTypeString(r.getPixelType()));
meta.put(pad + s + "LittleEndian", new Boolean(r.isLittleEndian()));
meta.put(pad + s + "DimensionOrder", r.getDimensionOrder());
meta.put(pad + s + "IsInterleaved", new Boolean(r.isInterleaved()));
}
// sort metadata keys
String metaString = getMetadataString(meta, "\t");
SearchableWindow w = new SearchableWindow("Metadata - " + id,
"Key\tValue", metaString, 400, 400);
w.setVisible(true);
}
// -- Step 4e: read pixel data --
IJ.showStatus("Reading " + currentFile);
for (int i=0; i<seriesCount; i++) {
if (!series[i]) continue;
r.setSeries(i);
boolean[] load = new boolean[num[i]];
if (!options.isViewNone()) {
for (int c=cBegin[i]; c<=cEnd[i]; c+=cStep[i]) {
for (int z=zBegin[i]; z<=zEnd[i]; z+=zStep[i]) {
for (int t=tBegin[i]; t<=tEnd[i]; t+=tStep[i]) {
int index = r.getIndex(z, c, t);
load[index] = true;
}
}
}
}
int total = 0;
for (int j=0; j<num[i]; j++) if (load[j]) total++;
FileInfo fi = new FileInfo();
// populate other common FileInfo fields
- String idDir = idLoc.getParent();
+ String idDir = idLoc == null ? null : idLoc.getParent();
if (idDir != null && !idDir.endsWith(File.separator)) {
idDir += File.separator;
}
fi.fileName = idName;
fi.directory = idDir;
// place metadata key/value pairs in ImageJ's info field
String metadata = getMetadataString(r.getMetadata(), " = ");
long startTime = System.currentTimeMillis();
long time = startTime;
ImageStack stackB = null; // for byte images (8-bit)
ImageStack stackS = null; // for short images (16-bit)
ImageStack stackF = null; // for floating point images (32-bit)
ImageStack stackO = null; // for all other images (24-bit RGB)
int w = cropOnImport ? cropOptions[i].width : r.getSizeX();
int h = cropOnImport ? cropOptions[i].height : r.getSizeY();
int c = r.getRGBChannelCount();
int type = r.getPixelType();
int q = 0;
stackOrder = options.getStackOrder();
if (stackOrder.equals(ImporterOptions.ORDER_DEFAULT)) {
stackOrder = r.getDimensionOrder();
}
if (options.isViewView5D()) {
stackOrder = ImporterOptions.ORDER_XYZCT;
}
if (options.isViewImage5D() ||
options.isViewHyperstack() || options.isViewBrowser())
{
stackOrder = ImporterOptions.ORDER_XYCZT;
}
store.setPixelsDimensionOrder(stackOrder, i, 0);
// dump OME-XML to ImageJ's description field, if available
fi.description = MetadataTools.getOMEXML(retrieve);
if (options.isVirtual()) {
int cSize = r.getSizeC();
int pt = r.getPixelType();
boolean doMerge = options.isMergeChannels();
boolean eight = pt != FormatTools.UINT8 && pt != FormatTools.INT8;
boolean needComposite = doMerge && (cSize > 3 || eight);
int merge = (needComposite || !doMerge) ? 1 : cSize;
// NB: CustomStack extends VirtualStack, which only exists in
// ImageJ v1.39+. We avoid referencing it directly to keep the
// class loader happy for earlier versions of ImageJ.
try {
ReflectedUniverse ru = new ReflectedUniverse();
ru.exec("import loci.plugins.CustomStack");
ru.setVar("w", w);
ru.setVar("h", h);
ru.setVar("id", id);
ru.setVar("r", r);
ru.setVar("stackOrder", stackOrder);
ru.setVar("merge", merge);
stackB = (ImageStack) ru.exec("stackB = " +
"new CustomStack(w, h, null, id, r, stackOrder, merge)");
for (int j=0; j<num[i]; j++) {
String label = constructSliceLabel(j, r,
retrieve, i, new int[][] {zCount, cCount, tCount});
ru.setVar("label", label);
ru.exec("stackB.addSlice(label)");
}
}
catch (ReflectException exc) {
reportException(exc, options.isQuiet(),
"Sorry, there was a problem constructing the virtual stack");
return;
}
}
else {
for (int j=0; j<num[i]; j++) {
if (!load[j]) continue;
// limit message update rate
long clock = System.currentTimeMillis();
if (clock - time >= 100) {
IJ.showStatus("Reading " +
(seriesCount > 1 ? ("series " + (i + 1) + ", ") : "") +
"plane " + (j + 1) + "/" + num[i]);
time = clock;
}
IJ.showProgress((double) q++ / total);
int ndx = FormatTools.getReorderedIndex(r, stackOrder, j);
String label = constructSliceLabel(ndx, r, retrieve, i,
new int[][] {zCount, cCount, tCount});
// get image processor for jth plane
ImageProcessor ip = Util.openProcessor(r, ndx, cropOptions[i]);
if (ip == null) {
plugin.canceled = true;
return;
}
// add plane to image stack
if (ip instanceof ByteProcessor) {
if (stackB == null) stackB = new ImageStack(w, h);
stackB.addSlice(label, ip);
}
else if (ip instanceof ShortProcessor) {
if (stackS == null) stackS = new ImageStack(w, h);
stackS.addSlice(label, ip);
}
else if (ip instanceof FloatProcessor) {
// merge image plane into existing stack if possible
if (stackB != null) {
ip = ip.convertToByte(true);
stackB.addSlice(label, ip);
}
else if (stackS != null) {
ip = ip.convertToShort(true);
stackS.addSlice(label, ip);
}
else {
if (stackF == null) stackF = new ImageStack(w, h);
stackF.addSlice(label, ip);
}
}
else if (ip instanceof ColorProcessor) {
if (stackO == null) stackO = new ImageStack(w, h);
stackO.addSlice(label, ip);
}
}
}
IJ.showStatus("Creating image");
IJ.showProgress(1);
String seriesName = retrieve.getImageName(i);
showStack(stackB, currentFile, seriesName, retrieve,
cCount[i], zCount[i], tCount[i], sizeZ[i], sizeC[i], sizeT[i],
fi, r, options, metadata);
showStack(stackS, currentFile, seriesName, retrieve,
cCount[i], zCount[i], tCount[i], sizeZ[i], sizeC[i], sizeT[i],
fi, r, options, metadata);
showStack(stackF, currentFile, seriesName, retrieve,
cCount[i], zCount[i], tCount[i], sizeZ[i], sizeC[i], sizeT[i],
fi, r, options, metadata);
showStack(stackO, currentFile, seriesName, retrieve,
cCount[i], zCount[i], tCount[i], sizeZ[i], sizeC[i], sizeT[i],
fi, r, options, metadata);
long endTime = System.currentTimeMillis();
double elapsed = (endTime - startTime) / 1000.0;
if (num[i] == 1) {
IJ.showStatus("Bio-Formats: " + elapsed + " seconds");
}
else {
long average = (endTime - startTime) / num[i];
IJ.showStatus("Bio-Formats: " + elapsed + " seconds (" +
average + " ms per plane)");
}
if (concatenate) {
Vector widths = new Vector();
Vector heights = new Vector();
Vector types = new Vector();
Vector newImps = new Vector();
for (int j=0; j<imps.size(); j++) {
ImagePlus imp = (ImagePlus) imps.get(j);
int wj = imp.getWidth();
int hj = imp.getHeight();
int tj = imp.getBitDepth();
boolean append = false;
for (int k=0; k<widths.size(); k++) {
int wk = ((Integer) widths.get(k)).intValue();
int hk = ((Integer) heights.get(k)).intValue();
int tk = ((Integer) types.get(k)).intValue();
if (wj == wk && hj == hk && tj == tk) {
ImagePlus oldImp = (ImagePlus) newImps.get(k);
ImageStack is = oldImp.getStack();
ImageStack newStack = imp.getStack();
for (int s=0; s<newStack.getSize(); s++) {
is.addSlice(newStack.getSliceLabel(s + 1),
newStack.getProcessor(s + 1));
}
oldImp.setStack(oldImp.getTitle(), is);
newImps.setElementAt(oldImp, k);
append = true;
k = widths.size();
}
}
if (!append) {
widths.add(new Integer(wj));
heights.add(new Integer(hj));
types.add(new Integer(tj));
newImps.add(imp);
}
}
boolean splitC = options.isSplitChannels();
boolean splitZ = options.isSplitFocalPlanes();
boolean splitT = options.isSplitTimepoints();
for (int j=0; j<newImps.size(); j++) {
ImagePlus imp = (ImagePlus) newImps.get(j);
imp.show();
if (splitC || splitZ || splitT) {
IJ.runPlugIn("loci.plugins.Slicer", "slice_z=" + splitZ +
" slice_c=" + splitC + " slice_t=" + splitT +
" stack_order=" + stackOrder + " keep_original=false " +
"hyper_stack=" + options.isViewHyperstack() + " ");
}
}
}
}
// -- Step 5: finish up --
plugin.success = true;
options.savePreferences();
}
catch (FormatException exc) {
reportException(exc, quiet,
"Sorry, there was a problem reading the data.");
}
catch (IOException exc) {
reportException(exc, quiet,
"Sorry, there was an I/O problem reading the data.");
}
}
// -- Helper methods --
/**
* Displays the given image stack according to
* the specified parameters and import options.
*/
private void showStack(ImageStack stack, String file, String series,
MetadataRetrieve retrieve, int cCount, int zCount, int tCount,
int sizeZ, int sizeC, int sizeT, FileInfo fi, IFormatReader r,
ImporterOptions options, String metadata)
throws FormatException, IOException
{
if (stack == null) return;
ImagePlus imp = new ImagePlus(getTitle(r, file, series), stack);
imp.setProperty("Info", metadata);
// retrieve the spatial calibration information, if available
Util.applyCalibration(retrieve, imp, r.getSeries());
imp.setFileInfo(fi);
imp.setDimensions(cCount, zCount, tCount);
displayStack(imp, r, options);
}
/** Displays the image stack using the appropriate plugin. */
private void displayStack(ImagePlus imp,
IFormatReader r, ImporterOptions options)
{
boolean mergeChannels = options.isMergeChannels();
boolean colorize = options.isColorize();
boolean concatenate = options.isConcatenate();
int nChannels = imp.getNChannels();
int nSlices = imp.getNSlices();
int nFrames = imp.getNFrames();
if (options.isAutoscale() && !options.isVirtual()) {
Util.adjustColorRange(imp);
}
boolean splitC = options.isSplitChannels();
boolean splitZ = options.isSplitFocalPlanes();
boolean splitT = options.isSplitTimepoints();
if (!concatenate && mergeChannels) imp.show();
if (mergeChannels && options.isWindowless()) {
IJ.runPlugIn("loci.plugins.Colorizer", "stack_order=" + stackOrder +
" merge=true merge_option=[" + options.getMergeOption() + "] " +
"hyper_stack=" + options.isViewHyperstack() + " ");
}
else if (mergeChannels) {
IJ.runPlugIn("loci.plugins.Colorizer", "stack_order=" + stackOrder +
" merge=true hyper_stack=" + options.isViewHyperstack() + " ");
}
imp.setDimensions(imp.getStackSize() / (nSlices * nFrames),
nSlices, nFrames);
if (options.isViewImage5D()) {
ReflectedUniverse ru = new ReflectedUniverse();
try {
ru.exec("import i5d.Image5D");
ru.setVar("title", imp.getTitle());
ru.setVar("stack", imp.getStack());
ru.setVar("sizeC", r.getSizeC());
ru.setVar("sizeZ", r.getSizeZ());
ru.setVar("sizeT", r.getSizeT());
ru.exec("i5d = new Image5D(title, stack, sizeC, sizeZ, sizeT)");
ru.setVar("cal", imp.getCalibration());
ru.setVar("fi", imp.getOriginalFileInfo());
ru.exec("i5d.setCalibration(cal)");
ru.exec("i5d.setFileInfo(fi)");
//ru.exec("i5d.setDimensions(sizeC, sizeZ, sizeT)");
ru.exec("i5d.show()");
}
catch (ReflectException exc) {
reportException(exc, options.isQuiet(),
"Sorry, there was a problem interfacing with Image5D");
return;
}
}
else if (options.isViewView5D()) {
WindowManager.setTempCurrentImage(imp);
IJ.run("View5D ", "");
}
else if (!options.isViewNone()) {
if (IJ.getVersion().compareTo("1.39l") >= 0) {
boolean hyper = options.isViewHyperstack() || options.isViewBrowser();
imp.setOpenAsHyperStack(hyper);
}
if (!concatenate) {
if (options.isViewBrowser()) new CustomWindow(imp);
else imp.show();
if (splitC || splitZ || splitT) {
IJ.runPlugIn("loci.plugins.Slicer", "slice_z=" + splitZ +
" slice_c=" + splitC + " slice_t=" + splitT +
" stack_order=" + stackOrder + " keep_original=false " +
"hyper_stack=" + options.isViewHyperstack() + " ");
if (colorize) {
int[] openImages = WindowManager.getIDList();
for (int i=0; i<openImages.length; i++) {
ImagePlus p = WindowManager.getImage(openImages[i]);
String title = p.getTitle();
if (title.startsWith(imp.getTitle()) &&
title.indexOf("C=") != -1)
{
int channel =
Integer.parseInt(title.substring(title.indexOf("C=") + 2));
WindowManager.setCurrentWindow(p.getWindow());
IJ.runPlugIn("loci.plugins.Colorizer",
"stack_order=" + stackOrder + " merge=false colorize=true" +
" ndx=" + (channel % 3) + " hyper_stack=" +
options.isViewHyperstack() + " ");
}
}
}
}
else if (colorize) {
IJ.runPlugIn("loci.plugins.Colorizer", "stack_order=" + stackOrder +
" merge=false colorize=true ndx=0 hyper_stack=" +
options.isViewHyperstack() + " ");
}
}
else imps.add(imp);
}
}
/** Computes the given value's number of digits. */
private int digits(int value) {
int digits = 0;
while (value > 0) {
value /= 10;
digits++;
}
return digits;
}
/** Get an appropriate stack title, given the file name. */
private String getTitle(IFormatReader r, String file, String series) {
String[] used = r.getUsedFiles();
String title = file.substring(file.lastIndexOf(File.separator) + 1);
if (used.length > 1) {
FilePattern fp = new FilePattern(new Location(file));
if (fp != null) {
title = fp.getPattern();
title = title.substring(title.lastIndexOf(File.separator) + 1);
}
}
if (series != null && !file.endsWith(series) && r.getSeriesCount() > 1) {
title += " - " + series;
}
if (title.length() > 128) {
String a = title.substring(0, 62);
String b = title.substring(title.length() - 62);
title = a + "..." + b;
}
return title;
}
/** Constructs slice label. */
private String constructSliceLabel(int ndx, IFormatReader r,
MetadataRetrieve retrieve, int series, int[][] counts)
{
r.setSeries(series);
int[] zct = r.getZCTCoords(ndx);
int[] subC = r.getChannelDimLengths();
String[] subCTypes = r.getChannelDimTypes();
StringBuffer sb = new StringBuffer();
if (r.isOrderCertain()) {
boolean first = true;
if (counts[1][series] > 1) {
if (first) first = false;
else sb.append("; ");
int[] subCPos = FormatTools.rasterToPosition(subC, zct[1]);
for (int i=0; i<subC.length; i++) {
if (!subCTypes[i].equals(FormatTools.CHANNEL)) sb.append(subCTypes[i]);
else sb.append("ch");
sb.append(":");
sb.append(subCPos[i] + 1);
sb.append("/");
sb.append(subC[i]);
if (i < subC.length - 1) sb.append("; ");
}
}
if (counts[0][series] > 1) {
if (first) first = false;
else sb.append("; ");
sb.append("z:");
sb.append(zct[0] + 1);
sb.append("/");
sb.append(r.getSizeZ());
}
if (counts[2][series] > 1) {
if (first) first = false;
else sb.append("; ");
sb.append("t:");
sb.append(zct[2] + 1);
sb.append("/");
sb.append(r.getSizeT());
}
}
else {
sb.append("no:");
sb.append(ndx + 1);
sb.append("/");
sb.append(r.getImageCount());
}
// put image name at the end, in case it is too long
String imageName = retrieve.getImageName(series);
if (imageName != null) {
sb.append(" - ");
sb.append(imageName);
}
return sb.toString();
}
/** Verifies that the given status result is OK. */
private boolean statusOk(int status) {
if (status == ImporterOptions.STATUS_CANCELED) plugin.canceled = true;
return status == ImporterOptions.STATUS_OK;
}
/** Reports the given exception with stack trace in an ImageJ error dialog. */
private void reportException(Throwable t, boolean quiet, String msg) {
IJ.showStatus("");
if (!quiet) {
ByteArrayOutputStream buf = new ByteArrayOutputStream();
t.printStackTrace(new PrintStream(buf));
String s = new String(buf.toByteArray());
StringTokenizer st = new StringTokenizer(s, "\n\r");
while (st.hasMoreTokens()) IJ.write(st.nextToken());
IJ.error("Bio-Formats Importer", msg);
}
}
/** Returns a string with each key/value pair on its own line. */
private String getMetadataString(Hashtable meta, String separator) {
Enumeration e = meta.keys();
Vector v = new Vector();
while (e.hasMoreElements()) v.add(e.nextElement());
String[] keys = new String[v.size()];
v.copyInto(keys);
Arrays.sort(keys);
StringBuffer sb = new StringBuffer();
for (int i=0; i<keys.length; i++) {
sb.append(keys[i]);
sb.append(separator);
sb.append(meta.get(keys[i]));
sb.append("\n");
}
return sb.toString();
}
// -- Main method --
/** Main method, for testing. */
public static void main(String[] args) {
new ImageJ(null);
StringBuffer sb = new StringBuffer();
for (int i=0; i<args.length; i++) {
if (i > 0) sb.append(" ");
sb.append(args[i]);
}
new LociImporter().run(sb.toString());
}
// -- Helper classes --
/** Used to echo status messages to the ImageJ status bar. */
private static class StatusEchoer implements StatusListener {
public void statusUpdated(StatusEvent e) {
IJ.showStatus(e.getStatusMessage());
}
}
}
| true | true | public void run(String arg) {
// -- Step 1: parse core options --
ImporterOptions options = new ImporterOptions();
options.loadPreferences();
options.parseArg(arg);
int status = options.promptLocation();
if (!statusOk(status)) return;
status = options.promptId();
if (!statusOk(status)) return;
String id = options.getId();
boolean quiet = options.isQuiet();
boolean windowless = options.isWindowless();
Location idLoc = options.getIdLocation();
String idName = options.getIdName();
String idType = options.getIdType();
// -- Step 2: construct reader and check id --
IFormatReader r = null;
if (options.isLocal() || options.isHTTP()) {
IJ.showStatus("Identifying " + idName);
ImageReader reader = new ImageReader();
try { r = reader.getReader(id); }
catch (FormatException exc) {
reportException(exc, quiet,
"Sorry, there was an error reading the file.");
return;
}
catch (IOException exc) {
reportException(exc, quiet,
"Sorry, there was a I/O problem reading the file.");
return;
}
}
else if (options.isOMERO()) r = new OMEROReader();
else { // options.isOME
r = new OMEReader();
}
MetadataStore store = MetadataTools.createOMEXMLMetadata();
MetadataRetrieve retrieve = (MetadataRetrieve) store;
r.setMetadataStore(store);
IJ.showStatus("");
r.addStatusListener(new StatusEchoer());
// -- Step 3: get parameter values --
if (!windowless) status = options.promptOptions();
if (!statusOk(status)) return;
boolean mergeChannels = options.isMergeChannels();
boolean colorize = options.isColorize();
boolean showMetadata = options.isShowMetadata();
boolean groupFiles = options.isGroupFiles();
boolean concatenate = options.isConcatenate();
boolean specifyRanges = options.isSpecifyRanges();
boolean cropOnImport = options.doCrop();
// -- Step 4: analyze and read from data source --
// 'id' contains the user's password if we are opening from OME/OMERO
String a = id;
if (options.isOME() || options.isOMERO()) a = "...";
IJ.showStatus("Analyzing " + a);
try {
r.setMetadataFiltered(true);
r.setNormalized(true);
r.setId(id);
int pixelType = r.getPixelType();
String currentFile = r.getCurrentFile();
// -- Step 4a: prompt for the file pattern, if necessary --
if (groupFiles) {
try {
status = options.promptFilePattern();
if (!statusOk(status)) return;
}
catch (NullPointerException e) { }
id = options.getId();
if (id == null) id = currentFile;
}
if (groupFiles) r = new FileStitcher(r, true);
r = new ChannelSeparator(r);
r.setId(id);
// -- Step 4b: prompt for which series to import, if necessary --
// populate series-related variables
int seriesCount = r.getSeriesCount();
int[] num = new int[seriesCount];
int[] sizeC = new int[seriesCount];
int[] sizeZ = new int[seriesCount];
int[] sizeT = new int[seriesCount];
boolean[] certain = new boolean[seriesCount];
int[] cBegin = new int[seriesCount];
int[] cEnd = new int[seriesCount];
int[] cStep = new int[seriesCount];
int[] zBegin = new int[seriesCount];
int[] zEnd = new int[seriesCount];
int[] zStep = new int[seriesCount];
int[] tBegin = new int[seriesCount];
int[] tEnd = new int[seriesCount];
int[] tStep = new int[seriesCount];
boolean[] series = new boolean[seriesCount];
for (int i=0; i<seriesCount; i++) {
r.setSeries(i);
num[i] = r.getImageCount();
sizeC[i] = r.getEffectiveSizeC();
sizeZ[i] = r.getSizeZ();
sizeT[i] = r.getSizeT();
certain[i] = r.isOrderCertain();
cBegin[i] = zBegin[i] = tBegin[i] = 0;
cEnd[i] = sizeC[i] - 1;
zEnd[i] = sizeZ[i] - 1;
tEnd[i] = sizeT[i] - 1;
cStep[i] = zStep[i] = tStep[i] = 1;
}
series[0] = true;
// build descriptive label for each series
String[] seriesLabels = new String[seriesCount];
for (int i=0; i<seriesCount; i++) {
r.setSeries(i);
StringBuffer sb = new StringBuffer();
String name = retrieve.getImageName(i);
if (name != null && name.length() > 0) {
sb.append(name);
sb.append(": ");
}
sb.append(r.getSizeX());
sb.append(" x ");
sb.append(r.getSizeY());
sb.append("; ");
sb.append(num[i]);
sb.append(" plane");
if (num[i] > 1) {
sb.append("s");
if (certain[i]) {
sb.append(" (");
boolean first = true;
if (sizeC[i] > 1) {
sb.append(sizeC[i]);
sb.append("C");
first = false;
}
if (sizeZ[i] > 1) {
if (!first) sb.append(" x ");
sb.append(sizeZ[i]);
sb.append("Z");
first = false;
}
if (sizeT[i] > 1) {
if (!first) sb.append(" x ");
sb.append(sizeT[i]);
sb.append("T");
first = false;
}
sb.append(")");
}
}
seriesLabels[i] = sb.toString();
}
if (seriesCount > 1 && !options.openAllSeries()) {
status = options.promptSeries(r, seriesLabels, series);
if (!statusOk(status)) return;
}
if (options.openAllSeries()) Arrays.fill(series, true);
// -- Step 4c: prompt for the range of planes to import, if necessary --
if (specifyRanges) {
boolean needRange = false;
for (int i=0; i<seriesCount; i++) {
if (series[i] && num[i] > 1) needRange = true;
}
if (needRange) {
IJ.showStatus("");
status = options.promptRange(r, series, seriesLabels,
cBegin, cEnd, cStep, zBegin, zEnd, zStep, tBegin, tEnd, tStep);
if (!statusOk(status)) return;
}
}
int[] cCount = new int[seriesCount];
int[] zCount = new int[seriesCount];
int[] tCount = new int[seriesCount];
for (int i=0; i<seriesCount; i++) {
cCount[i] = (cEnd[i] - cBegin[i] + cStep[i]) / cStep[i];
zCount[i] = (zEnd[i] - zBegin[i] + zStep[i]) / zStep[i];
tCount[i] = (tEnd[i] - tBegin[i] + tStep[i]) / tStep[i];
}
Rectangle[] cropOptions = new Rectangle[seriesCount];
for (int i=0; i<cropOptions.length; i++) {
if (series[i] && cropOnImport) cropOptions[i] = new Rectangle();
}
if (cropOnImport) {
status = options.promptCropSize(r, seriesLabels, series, cropOptions);
if (!statusOk(status)) return;
}
// -- Step 4e: display metadata, if appropriate --
if (showMetadata) {
IJ.showStatus("Populating metadata");
// display standard metadata in a table in its own window
Hashtable meta = new Hashtable();
if (seriesCount == 1) meta = r.getMetadata();
meta.put(idType, currentFile);
int digits = digits(seriesCount);
for (int i=0; i<seriesCount; i++) {
if (!series[i]) continue;
r.setSeries(i);
meta.putAll(r.getCoreMetadata().seriesMetadata[i]);
String s = retrieve.getImageName(i);
if ((s == null || s.trim().length() == 0) && seriesCount > 1) {
StringBuffer sb = new StringBuffer();
sb.append("Series ");
int zeroes = digits - digits(i + 1);
for (int j=0; j<zeroes; j++) sb.append(0);
sb.append(i + 1);
sb.append(" ");
s = sb.toString();
}
else s += " ";
final String pad = " "; // puts core values first when alphabetizing
meta.put(pad + s + "SizeX", new Integer(r.getSizeX()));
meta.put(pad + s + "SizeY", new Integer(r.getSizeY()));
meta.put(pad + s + "SizeZ", new Integer(r.getSizeZ()));
meta.put(pad + s + "SizeT", new Integer(r.getSizeT()));
meta.put(pad + s + "SizeC", new Integer(r.getSizeC()));
meta.put(pad + s + "IsRGB", new Boolean(r.isRGB()));
meta.put(pad + s + "PixelType",
FormatTools.getPixelTypeString(r.getPixelType()));
meta.put(pad + s + "LittleEndian", new Boolean(r.isLittleEndian()));
meta.put(pad + s + "DimensionOrder", r.getDimensionOrder());
meta.put(pad + s + "IsInterleaved", new Boolean(r.isInterleaved()));
}
// sort metadata keys
String metaString = getMetadataString(meta, "\t");
SearchableWindow w = new SearchableWindow("Metadata - " + id,
"Key\tValue", metaString, 400, 400);
w.setVisible(true);
}
// -- Step 4e: read pixel data --
IJ.showStatus("Reading " + currentFile);
for (int i=0; i<seriesCount; i++) {
if (!series[i]) continue;
r.setSeries(i);
boolean[] load = new boolean[num[i]];
if (!options.isViewNone()) {
for (int c=cBegin[i]; c<=cEnd[i]; c+=cStep[i]) {
for (int z=zBegin[i]; z<=zEnd[i]; z+=zStep[i]) {
for (int t=tBegin[i]; t<=tEnd[i]; t+=tStep[i]) {
int index = r.getIndex(z, c, t);
load[index] = true;
}
}
}
}
int total = 0;
for (int j=0; j<num[i]; j++) if (load[j]) total++;
FileInfo fi = new FileInfo();
// populate other common FileInfo fields
String idDir = idLoc.getParent();
if (idDir != null && !idDir.endsWith(File.separator)) {
idDir += File.separator;
}
fi.fileName = idName;
fi.directory = idDir;
// place metadata key/value pairs in ImageJ's info field
String metadata = getMetadataString(r.getMetadata(), " = ");
long startTime = System.currentTimeMillis();
long time = startTime;
ImageStack stackB = null; // for byte images (8-bit)
ImageStack stackS = null; // for short images (16-bit)
ImageStack stackF = null; // for floating point images (32-bit)
ImageStack stackO = null; // for all other images (24-bit RGB)
int w = cropOnImport ? cropOptions[i].width : r.getSizeX();
int h = cropOnImport ? cropOptions[i].height : r.getSizeY();
int c = r.getRGBChannelCount();
int type = r.getPixelType();
int q = 0;
stackOrder = options.getStackOrder();
if (stackOrder.equals(ImporterOptions.ORDER_DEFAULT)) {
stackOrder = r.getDimensionOrder();
}
if (options.isViewView5D()) {
stackOrder = ImporterOptions.ORDER_XYZCT;
}
if (options.isViewImage5D() ||
options.isViewHyperstack() || options.isViewBrowser())
{
stackOrder = ImporterOptions.ORDER_XYCZT;
}
store.setPixelsDimensionOrder(stackOrder, i, 0);
// dump OME-XML to ImageJ's description field, if available
fi.description = MetadataTools.getOMEXML(retrieve);
if (options.isVirtual()) {
int cSize = r.getSizeC();
int pt = r.getPixelType();
boolean doMerge = options.isMergeChannels();
boolean eight = pt != FormatTools.UINT8 && pt != FormatTools.INT8;
boolean needComposite = doMerge && (cSize > 3 || eight);
int merge = (needComposite || !doMerge) ? 1 : cSize;
// NB: CustomStack extends VirtualStack, which only exists in
// ImageJ v1.39+. We avoid referencing it directly to keep the
// class loader happy for earlier versions of ImageJ.
try {
ReflectedUniverse ru = new ReflectedUniverse();
ru.exec("import loci.plugins.CustomStack");
ru.setVar("w", w);
ru.setVar("h", h);
ru.setVar("id", id);
ru.setVar("r", r);
ru.setVar("stackOrder", stackOrder);
ru.setVar("merge", merge);
stackB = (ImageStack) ru.exec("stackB = " +
"new CustomStack(w, h, null, id, r, stackOrder, merge)");
for (int j=0; j<num[i]; j++) {
String label = constructSliceLabel(j, r,
retrieve, i, new int[][] {zCount, cCount, tCount});
ru.setVar("label", label);
ru.exec("stackB.addSlice(label)");
}
}
catch (ReflectException exc) {
reportException(exc, options.isQuiet(),
"Sorry, there was a problem constructing the virtual stack");
return;
}
}
else {
for (int j=0; j<num[i]; j++) {
if (!load[j]) continue;
// limit message update rate
long clock = System.currentTimeMillis();
if (clock - time >= 100) {
IJ.showStatus("Reading " +
(seriesCount > 1 ? ("series " + (i + 1) + ", ") : "") +
"plane " + (j + 1) + "/" + num[i]);
time = clock;
}
IJ.showProgress((double) q++ / total);
int ndx = FormatTools.getReorderedIndex(r, stackOrder, j);
String label = constructSliceLabel(ndx, r, retrieve, i,
new int[][] {zCount, cCount, tCount});
// get image processor for jth plane
ImageProcessor ip = Util.openProcessor(r, ndx, cropOptions[i]);
if (ip == null) {
plugin.canceled = true;
return;
}
// add plane to image stack
if (ip instanceof ByteProcessor) {
if (stackB == null) stackB = new ImageStack(w, h);
stackB.addSlice(label, ip);
}
else if (ip instanceof ShortProcessor) {
if (stackS == null) stackS = new ImageStack(w, h);
stackS.addSlice(label, ip);
}
else if (ip instanceof FloatProcessor) {
// merge image plane into existing stack if possible
if (stackB != null) {
ip = ip.convertToByte(true);
stackB.addSlice(label, ip);
}
else if (stackS != null) {
ip = ip.convertToShort(true);
stackS.addSlice(label, ip);
}
else {
if (stackF == null) stackF = new ImageStack(w, h);
stackF.addSlice(label, ip);
}
}
else if (ip instanceof ColorProcessor) {
if (stackO == null) stackO = new ImageStack(w, h);
stackO.addSlice(label, ip);
}
}
}
IJ.showStatus("Creating image");
IJ.showProgress(1);
String seriesName = retrieve.getImageName(i);
showStack(stackB, currentFile, seriesName, retrieve,
cCount[i], zCount[i], tCount[i], sizeZ[i], sizeC[i], sizeT[i],
fi, r, options, metadata);
showStack(stackS, currentFile, seriesName, retrieve,
cCount[i], zCount[i], tCount[i], sizeZ[i], sizeC[i], sizeT[i],
fi, r, options, metadata);
showStack(stackF, currentFile, seriesName, retrieve,
cCount[i], zCount[i], tCount[i], sizeZ[i], sizeC[i], sizeT[i],
fi, r, options, metadata);
showStack(stackO, currentFile, seriesName, retrieve,
cCount[i], zCount[i], tCount[i], sizeZ[i], sizeC[i], sizeT[i],
fi, r, options, metadata);
long endTime = System.currentTimeMillis();
double elapsed = (endTime - startTime) / 1000.0;
if (num[i] == 1) {
IJ.showStatus("Bio-Formats: " + elapsed + " seconds");
}
else {
long average = (endTime - startTime) / num[i];
IJ.showStatus("Bio-Formats: " + elapsed + " seconds (" +
average + " ms per plane)");
}
if (concatenate) {
Vector widths = new Vector();
Vector heights = new Vector();
Vector types = new Vector();
Vector newImps = new Vector();
for (int j=0; j<imps.size(); j++) {
ImagePlus imp = (ImagePlus) imps.get(j);
int wj = imp.getWidth();
int hj = imp.getHeight();
int tj = imp.getBitDepth();
boolean append = false;
for (int k=0; k<widths.size(); k++) {
int wk = ((Integer) widths.get(k)).intValue();
int hk = ((Integer) heights.get(k)).intValue();
int tk = ((Integer) types.get(k)).intValue();
if (wj == wk && hj == hk && tj == tk) {
ImagePlus oldImp = (ImagePlus) newImps.get(k);
ImageStack is = oldImp.getStack();
ImageStack newStack = imp.getStack();
for (int s=0; s<newStack.getSize(); s++) {
is.addSlice(newStack.getSliceLabel(s + 1),
newStack.getProcessor(s + 1));
}
oldImp.setStack(oldImp.getTitle(), is);
newImps.setElementAt(oldImp, k);
append = true;
k = widths.size();
}
}
if (!append) {
widths.add(new Integer(wj));
heights.add(new Integer(hj));
types.add(new Integer(tj));
newImps.add(imp);
}
}
boolean splitC = options.isSplitChannels();
boolean splitZ = options.isSplitFocalPlanes();
boolean splitT = options.isSplitTimepoints();
for (int j=0; j<newImps.size(); j++) {
ImagePlus imp = (ImagePlus) newImps.get(j);
imp.show();
if (splitC || splitZ || splitT) {
IJ.runPlugIn("loci.plugins.Slicer", "slice_z=" + splitZ +
" slice_c=" + splitC + " slice_t=" + splitT +
" stack_order=" + stackOrder + " keep_original=false " +
"hyper_stack=" + options.isViewHyperstack() + " ");
}
}
}
}
// -- Step 5: finish up --
plugin.success = true;
options.savePreferences();
}
catch (FormatException exc) {
reportException(exc, quiet,
"Sorry, there was a problem reading the data.");
}
catch (IOException exc) {
reportException(exc, quiet,
"Sorry, there was an I/O problem reading the data.");
}
}
| public void run(String arg) {
// -- Step 1: parse core options --
ImporterOptions options = new ImporterOptions();
options.loadPreferences();
options.parseArg(arg);
int status = options.promptLocation();
if (!statusOk(status)) return;
status = options.promptId();
if (!statusOk(status)) return;
String id = options.getId();
boolean quiet = options.isQuiet();
boolean windowless = options.isWindowless();
Location idLoc = options.getIdLocation();
String idName = options.getIdName();
String idType = options.getIdType();
// -- Step 2: construct reader and check id --
IFormatReader r = null;
if (options.isLocal() || options.isHTTP()) {
IJ.showStatus("Identifying " + idName);
ImageReader reader = new ImageReader();
try { r = reader.getReader(id); }
catch (FormatException exc) {
reportException(exc, quiet,
"Sorry, there was an error reading the file.");
return;
}
catch (IOException exc) {
reportException(exc, quiet,
"Sorry, there was a I/O problem reading the file.");
return;
}
}
else if (options.isOMERO()) r = new OMEROReader();
else { // options.isOME
r = new OMEReader();
}
MetadataStore store = MetadataTools.createOMEXMLMetadata();
MetadataRetrieve retrieve = (MetadataRetrieve) store;
r.setMetadataStore(store);
IJ.showStatus("");
r.addStatusListener(new StatusEchoer());
// -- Step 3: get parameter values --
if (!windowless) status = options.promptOptions();
if (!statusOk(status)) return;
boolean mergeChannels = options.isMergeChannels();
boolean colorize = options.isColorize();
boolean showMetadata = options.isShowMetadata();
boolean groupFiles = options.isGroupFiles();
boolean concatenate = options.isConcatenate();
boolean specifyRanges = options.isSpecifyRanges();
boolean cropOnImport = options.doCrop();
// -- Step 4: analyze and read from data source --
// 'id' contains the user's password if we are opening from OME/OMERO
String a = id;
if (options.isOME() || options.isOMERO()) a = "...";
IJ.showStatus("Analyzing " + a);
try {
r.setMetadataFiltered(true);
r.setNormalized(true);
r.setId(id);
int pixelType = r.getPixelType();
String currentFile = r.getCurrentFile();
// -- Step 4a: prompt for the file pattern, if necessary --
if (groupFiles) {
try {
status = options.promptFilePattern();
if (!statusOk(status)) return;
}
catch (NullPointerException e) { }
id = options.getId();
if (id == null) id = currentFile;
}
if (groupFiles) r = new FileStitcher(r, true);
r = new ChannelSeparator(r);
r.setId(id);
// -- Step 4b: prompt for which series to import, if necessary --
// populate series-related variables
int seriesCount = r.getSeriesCount();
int[] num = new int[seriesCount];
int[] sizeC = new int[seriesCount];
int[] sizeZ = new int[seriesCount];
int[] sizeT = new int[seriesCount];
boolean[] certain = new boolean[seriesCount];
int[] cBegin = new int[seriesCount];
int[] cEnd = new int[seriesCount];
int[] cStep = new int[seriesCount];
int[] zBegin = new int[seriesCount];
int[] zEnd = new int[seriesCount];
int[] zStep = new int[seriesCount];
int[] tBegin = new int[seriesCount];
int[] tEnd = new int[seriesCount];
int[] tStep = new int[seriesCount];
boolean[] series = new boolean[seriesCount];
for (int i=0; i<seriesCount; i++) {
r.setSeries(i);
num[i] = r.getImageCount();
sizeC[i] = r.getEffectiveSizeC();
sizeZ[i] = r.getSizeZ();
sizeT[i] = r.getSizeT();
certain[i] = r.isOrderCertain();
cBegin[i] = zBegin[i] = tBegin[i] = 0;
cEnd[i] = sizeC[i] - 1;
zEnd[i] = sizeZ[i] - 1;
tEnd[i] = sizeT[i] - 1;
cStep[i] = zStep[i] = tStep[i] = 1;
}
series[0] = true;
// build descriptive label for each series
String[] seriesLabels = new String[seriesCount];
for (int i=0; i<seriesCount; i++) {
r.setSeries(i);
StringBuffer sb = new StringBuffer();
String name = retrieve.getImageName(i);
if (name != null && name.length() > 0) {
sb.append(name);
sb.append(": ");
}
sb.append(r.getSizeX());
sb.append(" x ");
sb.append(r.getSizeY());
sb.append("; ");
sb.append(num[i]);
sb.append(" plane");
if (num[i] > 1) {
sb.append("s");
if (certain[i]) {
sb.append(" (");
boolean first = true;
if (sizeC[i] > 1) {
sb.append(sizeC[i]);
sb.append("C");
first = false;
}
if (sizeZ[i] > 1) {
if (!first) sb.append(" x ");
sb.append(sizeZ[i]);
sb.append("Z");
first = false;
}
if (sizeT[i] > 1) {
if (!first) sb.append(" x ");
sb.append(sizeT[i]);
sb.append("T");
first = false;
}
sb.append(")");
}
}
seriesLabels[i] = sb.toString();
}
if (seriesCount > 1 && !options.openAllSeries()) {
status = options.promptSeries(r, seriesLabels, series);
if (!statusOk(status)) return;
}
if (options.openAllSeries()) Arrays.fill(series, true);
// -- Step 4c: prompt for the range of planes to import, if necessary --
if (specifyRanges) {
boolean needRange = false;
for (int i=0; i<seriesCount; i++) {
if (series[i] && num[i] > 1) needRange = true;
}
if (needRange) {
IJ.showStatus("");
status = options.promptRange(r, series, seriesLabels,
cBegin, cEnd, cStep, zBegin, zEnd, zStep, tBegin, tEnd, tStep);
if (!statusOk(status)) return;
}
}
int[] cCount = new int[seriesCount];
int[] zCount = new int[seriesCount];
int[] tCount = new int[seriesCount];
for (int i=0; i<seriesCount; i++) {
cCount[i] = (cEnd[i] - cBegin[i] + cStep[i]) / cStep[i];
zCount[i] = (zEnd[i] - zBegin[i] + zStep[i]) / zStep[i];
tCount[i] = (tEnd[i] - tBegin[i] + tStep[i]) / tStep[i];
}
Rectangle[] cropOptions = new Rectangle[seriesCount];
for (int i=0; i<cropOptions.length; i++) {
if (series[i] && cropOnImport) cropOptions[i] = new Rectangle();
}
if (cropOnImport) {
status = options.promptCropSize(r, seriesLabels, series, cropOptions);
if (!statusOk(status)) return;
}
// -- Step 4e: display metadata, if appropriate --
if (showMetadata) {
IJ.showStatus("Populating metadata");
// display standard metadata in a table in its own window
Hashtable meta = new Hashtable();
if (seriesCount == 1) meta = r.getMetadata();
meta.put(idType, currentFile);
int digits = digits(seriesCount);
for (int i=0; i<seriesCount; i++) {
if (!series[i]) continue;
r.setSeries(i);
meta.putAll(r.getCoreMetadata().seriesMetadata[i]);
String s = retrieve.getImageName(i);
if ((s == null || s.trim().length() == 0) && seriesCount > 1) {
StringBuffer sb = new StringBuffer();
sb.append("Series ");
int zeroes = digits - digits(i + 1);
for (int j=0; j<zeroes; j++) sb.append(0);
sb.append(i + 1);
sb.append(" ");
s = sb.toString();
}
else s += " ";
final String pad = " "; // puts core values first when alphabetizing
meta.put(pad + s + "SizeX", new Integer(r.getSizeX()));
meta.put(pad + s + "SizeY", new Integer(r.getSizeY()));
meta.put(pad + s + "SizeZ", new Integer(r.getSizeZ()));
meta.put(pad + s + "SizeT", new Integer(r.getSizeT()));
meta.put(pad + s + "SizeC", new Integer(r.getSizeC()));
meta.put(pad + s + "IsRGB", new Boolean(r.isRGB()));
meta.put(pad + s + "PixelType",
FormatTools.getPixelTypeString(r.getPixelType()));
meta.put(pad + s + "LittleEndian", new Boolean(r.isLittleEndian()));
meta.put(pad + s + "DimensionOrder", r.getDimensionOrder());
meta.put(pad + s + "IsInterleaved", new Boolean(r.isInterleaved()));
}
// sort metadata keys
String metaString = getMetadataString(meta, "\t");
SearchableWindow w = new SearchableWindow("Metadata - " + id,
"Key\tValue", metaString, 400, 400);
w.setVisible(true);
}
// -- Step 4e: read pixel data --
IJ.showStatus("Reading " + currentFile);
for (int i=0; i<seriesCount; i++) {
if (!series[i]) continue;
r.setSeries(i);
boolean[] load = new boolean[num[i]];
if (!options.isViewNone()) {
for (int c=cBegin[i]; c<=cEnd[i]; c+=cStep[i]) {
for (int z=zBegin[i]; z<=zEnd[i]; z+=zStep[i]) {
for (int t=tBegin[i]; t<=tEnd[i]; t+=tStep[i]) {
int index = r.getIndex(z, c, t);
load[index] = true;
}
}
}
}
int total = 0;
for (int j=0; j<num[i]; j++) if (load[j]) total++;
FileInfo fi = new FileInfo();
// populate other common FileInfo fields
String idDir = idLoc == null ? null : idLoc.getParent();
if (idDir != null && !idDir.endsWith(File.separator)) {
idDir += File.separator;
}
fi.fileName = idName;
fi.directory = idDir;
// place metadata key/value pairs in ImageJ's info field
String metadata = getMetadataString(r.getMetadata(), " = ");
long startTime = System.currentTimeMillis();
long time = startTime;
ImageStack stackB = null; // for byte images (8-bit)
ImageStack stackS = null; // for short images (16-bit)
ImageStack stackF = null; // for floating point images (32-bit)
ImageStack stackO = null; // for all other images (24-bit RGB)
int w = cropOnImport ? cropOptions[i].width : r.getSizeX();
int h = cropOnImport ? cropOptions[i].height : r.getSizeY();
int c = r.getRGBChannelCount();
int type = r.getPixelType();
int q = 0;
stackOrder = options.getStackOrder();
if (stackOrder.equals(ImporterOptions.ORDER_DEFAULT)) {
stackOrder = r.getDimensionOrder();
}
if (options.isViewView5D()) {
stackOrder = ImporterOptions.ORDER_XYZCT;
}
if (options.isViewImage5D() ||
options.isViewHyperstack() || options.isViewBrowser())
{
stackOrder = ImporterOptions.ORDER_XYCZT;
}
store.setPixelsDimensionOrder(stackOrder, i, 0);
// dump OME-XML to ImageJ's description field, if available
fi.description = MetadataTools.getOMEXML(retrieve);
if (options.isVirtual()) {
int cSize = r.getSizeC();
int pt = r.getPixelType();
boolean doMerge = options.isMergeChannels();
boolean eight = pt != FormatTools.UINT8 && pt != FormatTools.INT8;
boolean needComposite = doMerge && (cSize > 3 || eight);
int merge = (needComposite || !doMerge) ? 1 : cSize;
// NB: CustomStack extends VirtualStack, which only exists in
// ImageJ v1.39+. We avoid referencing it directly to keep the
// class loader happy for earlier versions of ImageJ.
try {
ReflectedUniverse ru = new ReflectedUniverse();
ru.exec("import loci.plugins.CustomStack");
ru.setVar("w", w);
ru.setVar("h", h);
ru.setVar("id", id);
ru.setVar("r", r);
ru.setVar("stackOrder", stackOrder);
ru.setVar("merge", merge);
stackB = (ImageStack) ru.exec("stackB = " +
"new CustomStack(w, h, null, id, r, stackOrder, merge)");
for (int j=0; j<num[i]; j++) {
String label = constructSliceLabel(j, r,
retrieve, i, new int[][] {zCount, cCount, tCount});
ru.setVar("label", label);
ru.exec("stackB.addSlice(label)");
}
}
catch (ReflectException exc) {
reportException(exc, options.isQuiet(),
"Sorry, there was a problem constructing the virtual stack");
return;
}
}
else {
for (int j=0; j<num[i]; j++) {
if (!load[j]) continue;
// limit message update rate
long clock = System.currentTimeMillis();
if (clock - time >= 100) {
IJ.showStatus("Reading " +
(seriesCount > 1 ? ("series " + (i + 1) + ", ") : "") +
"plane " + (j + 1) + "/" + num[i]);
time = clock;
}
IJ.showProgress((double) q++ / total);
int ndx = FormatTools.getReorderedIndex(r, stackOrder, j);
String label = constructSliceLabel(ndx, r, retrieve, i,
new int[][] {zCount, cCount, tCount});
// get image processor for jth plane
ImageProcessor ip = Util.openProcessor(r, ndx, cropOptions[i]);
if (ip == null) {
plugin.canceled = true;
return;
}
// add plane to image stack
if (ip instanceof ByteProcessor) {
if (stackB == null) stackB = new ImageStack(w, h);
stackB.addSlice(label, ip);
}
else if (ip instanceof ShortProcessor) {
if (stackS == null) stackS = new ImageStack(w, h);
stackS.addSlice(label, ip);
}
else if (ip instanceof FloatProcessor) {
// merge image plane into existing stack if possible
if (stackB != null) {
ip = ip.convertToByte(true);
stackB.addSlice(label, ip);
}
else if (stackS != null) {
ip = ip.convertToShort(true);
stackS.addSlice(label, ip);
}
else {
if (stackF == null) stackF = new ImageStack(w, h);
stackF.addSlice(label, ip);
}
}
else if (ip instanceof ColorProcessor) {
if (stackO == null) stackO = new ImageStack(w, h);
stackO.addSlice(label, ip);
}
}
}
IJ.showStatus("Creating image");
IJ.showProgress(1);
String seriesName = retrieve.getImageName(i);
showStack(stackB, currentFile, seriesName, retrieve,
cCount[i], zCount[i], tCount[i], sizeZ[i], sizeC[i], sizeT[i],
fi, r, options, metadata);
showStack(stackS, currentFile, seriesName, retrieve,
cCount[i], zCount[i], tCount[i], sizeZ[i], sizeC[i], sizeT[i],
fi, r, options, metadata);
showStack(stackF, currentFile, seriesName, retrieve,
cCount[i], zCount[i], tCount[i], sizeZ[i], sizeC[i], sizeT[i],
fi, r, options, metadata);
showStack(stackO, currentFile, seriesName, retrieve,
cCount[i], zCount[i], tCount[i], sizeZ[i], sizeC[i], sizeT[i],
fi, r, options, metadata);
long endTime = System.currentTimeMillis();
double elapsed = (endTime - startTime) / 1000.0;
if (num[i] == 1) {
IJ.showStatus("Bio-Formats: " + elapsed + " seconds");
}
else {
long average = (endTime - startTime) / num[i];
IJ.showStatus("Bio-Formats: " + elapsed + " seconds (" +
average + " ms per plane)");
}
if (concatenate) {
Vector widths = new Vector();
Vector heights = new Vector();
Vector types = new Vector();
Vector newImps = new Vector();
for (int j=0; j<imps.size(); j++) {
ImagePlus imp = (ImagePlus) imps.get(j);
int wj = imp.getWidth();
int hj = imp.getHeight();
int tj = imp.getBitDepth();
boolean append = false;
for (int k=0; k<widths.size(); k++) {
int wk = ((Integer) widths.get(k)).intValue();
int hk = ((Integer) heights.get(k)).intValue();
int tk = ((Integer) types.get(k)).intValue();
if (wj == wk && hj == hk && tj == tk) {
ImagePlus oldImp = (ImagePlus) newImps.get(k);
ImageStack is = oldImp.getStack();
ImageStack newStack = imp.getStack();
for (int s=0; s<newStack.getSize(); s++) {
is.addSlice(newStack.getSliceLabel(s + 1),
newStack.getProcessor(s + 1));
}
oldImp.setStack(oldImp.getTitle(), is);
newImps.setElementAt(oldImp, k);
append = true;
k = widths.size();
}
}
if (!append) {
widths.add(new Integer(wj));
heights.add(new Integer(hj));
types.add(new Integer(tj));
newImps.add(imp);
}
}
boolean splitC = options.isSplitChannels();
boolean splitZ = options.isSplitFocalPlanes();
boolean splitT = options.isSplitTimepoints();
for (int j=0; j<newImps.size(); j++) {
ImagePlus imp = (ImagePlus) newImps.get(j);
imp.show();
if (splitC || splitZ || splitT) {
IJ.runPlugIn("loci.plugins.Slicer", "slice_z=" + splitZ +
" slice_c=" + splitC + " slice_t=" + splitT +
" stack_order=" + stackOrder + " keep_original=false " +
"hyper_stack=" + options.isViewHyperstack() + " ");
}
}
}
}
// -- Step 5: finish up --
plugin.success = true;
options.savePreferences();
}
catch (FormatException exc) {
reportException(exc, quiet,
"Sorry, there was a problem reading the data.");
}
catch (IOException exc) {
reportException(exc, quiet,
"Sorry, there was an I/O problem reading the data.");
}
}
|
diff --git a/src/pl/dmcs/whatsupdoc/client/providers/PatientRecognitionsProvider.java b/src/pl/dmcs/whatsupdoc/client/providers/PatientRecognitionsProvider.java
index 9be2c48..eb83df3 100644
--- a/src/pl/dmcs/whatsupdoc/client/providers/PatientRecognitionsProvider.java
+++ b/src/pl/dmcs/whatsupdoc/client/providers/PatientRecognitionsProvider.java
@@ -1,206 +1,206 @@
/**
*
*/
package pl.dmcs.whatsupdoc.client.providers;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
import java.util.logging.Level;
import java.util.logging.Logger;
import com.google.gwt.core.client.GWT;
import com.google.gwt.event.dom.client.ClickEvent;
import com.google.gwt.event.dom.client.ClickHandler;
import com.google.gwt.user.client.rpc.AsyncCallback;
import com.google.gwt.user.client.ui.Button;
import com.google.gwt.user.client.ui.Label;
import com.google.gwt.user.client.ui.Widget;
import pl.dmcs.whatsupdoc.client.ContentManager;
import pl.dmcs.whatsupdoc.client.fields.ListItemField;
import pl.dmcs.whatsupdoc.client.model.Recognition;
import pl.dmcs.whatsupdoc.client.model.User;
import pl.dmcs.whatsupdoc.client.services.AuthenticationService;
import pl.dmcs.whatsupdoc.client.services.AuthenticationServiceAsync;
import pl.dmcs.whatsupdoc.client.services.TreatmentService;
import pl.dmcs.whatsupdoc.client.services.TreatmentServiceAsync;
import pl.dmcs.whatsupdoc.shared.FormStatus;
import pl.dmcs.whatsupdoc.shared.UserType;
/**
* 17-11-2012
* @author Jakub Jeleński, [email protected]
*
*
*/
public class PatientRecognitionsProvider extends BodyProvider {
private Logger logger = Logger.getLogger("PatientRecognitionsProvider");
private String patientKey;
private List<ListItemField> items;
private Label timeLabel, doctorLabel, sicknessLabel;
private Button detailsButton, editForm;
private UserType user;
private List<String> rowsCSS;
/**
* @param cm - ContentManager of given BodyProvider
* @param key - PatientKey
*/
public PatientRecognitionsProvider(ContentManager cm, String key) {
super(cm);
this.drawWaitContent();
final TreatmentServiceAsync userService = GWT.create(TreatmentService.class);
final AuthenticationServiceAsync auth = GWT.create(AuthenticationService.class);
rowsCSS = Arrays.asList(new String[]{"even", "odd"});
auth.getCurrentLoggedInUser(new AsyncCallback<User>() {
@Override
public void onSuccess(User result) {
if(result!=null){
user = result.getUserType();
}
}
@Override
public void onFailure(Throwable caught) {
logger.log(Level.SEVERE, "Exception while getCurrentLoggedInUser()");
}
});
Label timeColumn = new Label("Data rozpoznania");
timeColumn.setStyleName("time");
Label doctorColumn = new Label("Imię i nazwisko prowadzącego");
doctorColumn.setStyleName("doctor");
Label diseaseColumn = new Label("Choroba");
diseaseColumn.setStyleName("disease");
ListItemField item = new ListItemField(Arrays.asList(new Widget[]{timeColumn, doctorColumn, diseaseColumn}),
Arrays.asList(new String[] {"timeColumn", "doctorColumn", "diseaseColumn"}));
mainPanel.add(item.returnContent());
items = new ArrayList<ListItemField>();
patientKey = key;
if(key!=null){
userService.getRecognitions(patientKey, new AsyncCallback<ArrayList<Recognition>>() {
@Override
public void onSuccess(ArrayList<Recognition> result) {
if(result!=null){
- List<String> css = Arrays.asList(new String[] {"timeDiv", "personDiv", "diseaseDiv", "buttonDiv"});
+ List<String> css = new ArrayList<String>(Arrays.asList(new String[] {"timeDiv", "personDiv", "diseaseDiv", "buttonDiv"}));
int counter = 0;
for(Recognition recognition : result){
ArrayList<Widget> widgets = new ArrayList<Widget>();
timeLabel = new Label(recognition.getDate().toString()); // In future we should use some date format with user local time
timeLabel.setStyleName("date");
doctorLabel = new Label(recognition.getDoctorName());
doctorLabel.setStyleName("personName");
sicknessLabel = new Label(recognition.getDisease().name());
sicknessLabel.setStyleName("diseaseName");
detailsButton = new Button("Szczegóły");
detailsButton.setStyleName("button");
detailsButton.addClickHandler(new RecognitionDetailHandler(recognition.getRecognitionKeyString()));
widgets.add(timeLabel);
widgets.add(doctorLabel);
widgets.add(sicknessLabel);
if(UserType.PATIENT.equals(user)){
editForm = new Button("Edytuj formularz");
editForm.setStyleName("button");
if( FormStatus.NOT_APPROVED.equals(recognition.getStatusForm()) ){
editForm.setEnabled(true);
}else{
editForm.setEnabled(false);
}
editForm.addClickHandler(new FormEdit(recognition));
widgets.add(editForm);
css.add("buttonDiv");
}
widgets.add(detailsButton);
ListItemField lF = new ListItemField(widgets, css);
lF.setMainCSS(rowsCSS.get(counter%2));
counter++;
items.add(lF);
}
for(ListItemField i : items){
mainPanel.add(i.returnContent());
}
}
}
@Override
public void onFailure(Throwable caught) {
logger.log(Level.SEVERE,"Exception while get Recognition");
}
});
}
}
class FormEdit implements ClickHandler{
private Recognition recognition;
/**
* @param recognition - Recognition
*/
public FormEdit(Recognition recognition) {
this.recognition = recognition;
}
/* (non-Javadoc)
* @see com.google.gwt.event.dom.client.ClickHandler#onClick(com.google.gwt.event.dom.client.ClickEvent)
*/
@Override
public void onClick(ClickEvent event) {
if(FormStatus.NOT_APPROVED.equals(recognition.getStatusForm()) && UserType.PATIENT.equals(user)){
BodyProvider b = new QuestionnaireProvider(getCm(), recognition.getRecognitionKeyString());
getCm().setBody(b);
getCm().drawContent();
}
}
}
class RecognitionDetailHandler implements ClickHandler{
private String recognitionKey;
/**
* @param recognitionKey - string unique to given recognition
*/
public RecognitionDetailHandler(String recognitionKey) {
this.recognitionKey = recognitionKey;
}
/* (non-Javadoc)
* @see com.google.gwt.event.dom.client.ClickHandler#onClick(com.google.gwt.event.dom.client.ClickEvent)
*/
@Override
public void onClick(ClickEvent event) {
BodyProvider body = new RecognitionsDetailsProvider(getCm(), recognitionKey);
getCm().setBody(body);
getCm().getBreadcrumb().addField(true, "Rozpoznanie", body);
getCm().drawContent();
}
}
}
| true | true | public PatientRecognitionsProvider(ContentManager cm, String key) {
super(cm);
this.drawWaitContent();
final TreatmentServiceAsync userService = GWT.create(TreatmentService.class);
final AuthenticationServiceAsync auth = GWT.create(AuthenticationService.class);
rowsCSS = Arrays.asList(new String[]{"even", "odd"});
auth.getCurrentLoggedInUser(new AsyncCallback<User>() {
@Override
public void onSuccess(User result) {
if(result!=null){
user = result.getUserType();
}
}
@Override
public void onFailure(Throwable caught) {
logger.log(Level.SEVERE, "Exception while getCurrentLoggedInUser()");
}
});
Label timeColumn = new Label("Data rozpoznania");
timeColumn.setStyleName("time");
Label doctorColumn = new Label("Imię i nazwisko prowadzącego");
doctorColumn.setStyleName("doctor");
Label diseaseColumn = new Label("Choroba");
diseaseColumn.setStyleName("disease");
ListItemField item = new ListItemField(Arrays.asList(new Widget[]{timeColumn, doctorColumn, diseaseColumn}),
Arrays.asList(new String[] {"timeColumn", "doctorColumn", "diseaseColumn"}));
mainPanel.add(item.returnContent());
items = new ArrayList<ListItemField>();
patientKey = key;
if(key!=null){
userService.getRecognitions(patientKey, new AsyncCallback<ArrayList<Recognition>>() {
@Override
public void onSuccess(ArrayList<Recognition> result) {
if(result!=null){
List<String> css = Arrays.asList(new String[] {"timeDiv", "personDiv", "diseaseDiv", "buttonDiv"});
int counter = 0;
for(Recognition recognition : result){
ArrayList<Widget> widgets = new ArrayList<Widget>();
timeLabel = new Label(recognition.getDate().toString()); // In future we should use some date format with user local time
timeLabel.setStyleName("date");
doctorLabel = new Label(recognition.getDoctorName());
doctorLabel.setStyleName("personName");
sicknessLabel = new Label(recognition.getDisease().name());
sicknessLabel.setStyleName("diseaseName");
detailsButton = new Button("Szczegóły");
detailsButton.setStyleName("button");
detailsButton.addClickHandler(new RecognitionDetailHandler(recognition.getRecognitionKeyString()));
widgets.add(timeLabel);
widgets.add(doctorLabel);
widgets.add(sicknessLabel);
if(UserType.PATIENT.equals(user)){
editForm = new Button("Edytuj formularz");
editForm.setStyleName("button");
if( FormStatus.NOT_APPROVED.equals(recognition.getStatusForm()) ){
editForm.setEnabled(true);
}else{
editForm.setEnabled(false);
}
editForm.addClickHandler(new FormEdit(recognition));
widgets.add(editForm);
css.add("buttonDiv");
}
widgets.add(detailsButton);
ListItemField lF = new ListItemField(widgets, css);
lF.setMainCSS(rowsCSS.get(counter%2));
counter++;
items.add(lF);
}
for(ListItemField i : items){
mainPanel.add(i.returnContent());
}
}
}
@Override
public void onFailure(Throwable caught) {
logger.log(Level.SEVERE,"Exception while get Recognition");
}
});
}
}
| public PatientRecognitionsProvider(ContentManager cm, String key) {
super(cm);
this.drawWaitContent();
final TreatmentServiceAsync userService = GWT.create(TreatmentService.class);
final AuthenticationServiceAsync auth = GWT.create(AuthenticationService.class);
rowsCSS = Arrays.asList(new String[]{"even", "odd"});
auth.getCurrentLoggedInUser(new AsyncCallback<User>() {
@Override
public void onSuccess(User result) {
if(result!=null){
user = result.getUserType();
}
}
@Override
public void onFailure(Throwable caught) {
logger.log(Level.SEVERE, "Exception while getCurrentLoggedInUser()");
}
});
Label timeColumn = new Label("Data rozpoznania");
timeColumn.setStyleName("time");
Label doctorColumn = new Label("Imię i nazwisko prowadzącego");
doctorColumn.setStyleName("doctor");
Label diseaseColumn = new Label("Choroba");
diseaseColumn.setStyleName("disease");
ListItemField item = new ListItemField(Arrays.asList(new Widget[]{timeColumn, doctorColumn, diseaseColumn}),
Arrays.asList(new String[] {"timeColumn", "doctorColumn", "diseaseColumn"}));
mainPanel.add(item.returnContent());
items = new ArrayList<ListItemField>();
patientKey = key;
if(key!=null){
userService.getRecognitions(patientKey, new AsyncCallback<ArrayList<Recognition>>() {
@Override
public void onSuccess(ArrayList<Recognition> result) {
if(result!=null){
List<String> css = new ArrayList<String>(Arrays.asList(new String[] {"timeDiv", "personDiv", "diseaseDiv", "buttonDiv"}));
int counter = 0;
for(Recognition recognition : result){
ArrayList<Widget> widgets = new ArrayList<Widget>();
timeLabel = new Label(recognition.getDate().toString()); // In future we should use some date format with user local time
timeLabel.setStyleName("date");
doctorLabel = new Label(recognition.getDoctorName());
doctorLabel.setStyleName("personName");
sicknessLabel = new Label(recognition.getDisease().name());
sicknessLabel.setStyleName("diseaseName");
detailsButton = new Button("Szczegóły");
detailsButton.setStyleName("button");
detailsButton.addClickHandler(new RecognitionDetailHandler(recognition.getRecognitionKeyString()));
widgets.add(timeLabel);
widgets.add(doctorLabel);
widgets.add(sicknessLabel);
if(UserType.PATIENT.equals(user)){
editForm = new Button("Edytuj formularz");
editForm.setStyleName("button");
if( FormStatus.NOT_APPROVED.equals(recognition.getStatusForm()) ){
editForm.setEnabled(true);
}else{
editForm.setEnabled(false);
}
editForm.addClickHandler(new FormEdit(recognition));
widgets.add(editForm);
css.add("buttonDiv");
}
widgets.add(detailsButton);
ListItemField lF = new ListItemField(widgets, css);
lF.setMainCSS(rowsCSS.get(counter%2));
counter++;
items.add(lF);
}
for(ListItemField i : items){
mainPanel.add(i.returnContent());
}
}
}
@Override
public void onFailure(Throwable caught) {
logger.log(Level.SEVERE,"Exception while get Recognition");
}
});
}
}
|
diff --git a/src/com/noshufou/android/su/InfoFragment.java b/src/com/noshufou/android/su/InfoFragment.java
index 7f5b9fc..d0664eb 100644
--- a/src/com/noshufou/android/su/InfoFragment.java
+++ b/src/com/noshufou/android/su/InfoFragment.java
@@ -1,331 +1,331 @@
package com.noshufou.android.su;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import android.content.Intent;
import android.content.SharedPreferences;
import android.graphics.Color;
import android.net.Uri;
import android.os.AsyncTask;
import android.os.Bundle;
import android.preference.PreferenceManager;
import android.util.Log;
import android.view.LayoutInflater;
import android.view.View;
import android.view.View.OnClickListener;
import android.view.ViewGroup;
import android.widget.CheckBox;
import android.widget.CompoundButton;
import android.widget.CompoundButton.OnCheckedChangeListener;
import android.widget.TextView;
import com.actionbarsherlock.app.SherlockFragment;
import com.actionbarsherlock.view.Menu;
import com.actionbarsherlock.view.MenuInflater;
import com.actionbarsherlock.view.MenuItem;
import com.noshufou.android.su.preferences.Preferences;
import com.noshufou.android.su.util.Device;
import com.noshufou.android.su.util.Device.FileSystem;
import com.noshufou.android.su.util.Util;
import com.noshufou.android.su.util.Util.MenuId;
import com.noshufou.android.su.util.Util.VersionInfo;
import com.noshufou.android.su.widget.ChangeLog;
public class InfoFragment extends SherlockFragment
implements OnClickListener, OnCheckedChangeListener {
private static final String TAG = "Su.InfoFragment";
private TextView mSuperuserVersion;
private TextView mEliteInstalled;
private TextView mGetEliteLabel;
private TextView mSuVersion;
private View mSuDetailsRow;
private TextView mSuDetailsMode;
private TextView mSuDetailsOwner;
private TextView mSuDetailsFile;
private TextView mSuWarning;
private CheckBox mOutdatedNotification;
private View mSuOptionsRow;
private CheckBox mTempUnroot;
private CheckBox mOtaSurvival;
private View mGetElite;
private View mBinaryUpdater;
private SharedPreferences mPrefs;
private Device mDevice = null;
private boolean mDualPane = false;
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
mPrefs = PreferenceManager.getDefaultSharedPreferences(getSherlockActivity());
setHasOptionsMenu(true);
}
@Override
public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) {
View view = inflater.inflate(R.layout.fragment_info, container, false);
mSuperuserVersion = (TextView) view.findViewById(R.id.superuser_version);
mEliteInstalled = (TextView) view.findViewById(R.id.elite_installed);
mGetEliteLabel = (TextView) view.findViewById(R.id.get_elite_label);
mSuVersion = (TextView) view.findViewById(R.id.su_version);
mSuDetailsRow = view.findViewById(R.id.su_details_row);
mSuDetailsMode = (TextView) view.findViewById(R.id.su_details_mode);
mSuDetailsOwner = (TextView) view.findViewById(R.id.su_details_owner);
mSuDetailsFile = (TextView) view.findViewById(R.id.su_details_file);
mSuWarning = (TextView) view.findViewById(R.id.su_warning);
mOutdatedNotification = (CheckBox) view.findViewById(R.id.outdated_notification);
mOutdatedNotification.setOnCheckedChangeListener(this);
mSuOptionsRow = view.findViewById(R.id.su_options_row);
mTempUnroot = (CheckBox) view.findViewById(R.id.temp_unroot);
mTempUnroot.setOnClickListener(this);
mOtaSurvival = (CheckBox) view.findViewById(R.id.ota_survival);
mOtaSurvival.setOnClickListener(this);
view.findViewById(R.id.display_changelog).setOnClickListener(this);
mGetElite = view.findViewById(R.id.get_elite);
mGetElite.setOnClickListener(this);
mBinaryUpdater = view.findViewById(R.id.binary_updater);
mBinaryUpdater.setOnClickListener(this);
new UpdateInfo().execute();
return view;
}
@Override
public void onActivityCreated(Bundle savedInstanceState) {
super.onActivityCreated(savedInstanceState);
mDualPane = ((HomeActivity)getActivity()).isDualPane();
}
@Override
public void onCreateOptionsMenu(Menu menu, MenuInflater inflater) {
if (mDualPane) {
menu.add(Menu.NONE, MenuId.LOG, MenuId.LOG,
R.string.page_label_log)
.setIcon(R.drawable.ic_action_log)
.setShowAsAction(MenuItem.SHOW_AS_ACTION_IF_ROOM);
}
}
@Override
public boolean onOptionsItemSelected(MenuItem item) {
switch (item.getItemId()) {
case MenuId.LOG:
((HomeActivity)getActivity()).showLog();
return true;
default:
return super.onOptionsItemSelected(item);
}
}
@Override
public void onClick(View v) {
switch (v.getId()) {
case R.id.display_changelog:
ChangeLog cl = new ChangeLog(getActivity());
cl.getFullLogDialog().show();
break;
case R.id.get_elite:
final Intent eliteIntent = new Intent(Intent.ACTION_VIEW);
eliteIntent.setData(Uri.parse("market://details?id=com.noshufou.android.su.elite"));
startActivity(eliteIntent);
break;
case R.id.binary_updater:
final Intent updaterIntent = new Intent(getSherlockActivity(), UpdaterActivity.class);
startActivity(updaterIntent);
break;
case R.id.temp_unroot:
new ToggleSuOption(Preferences.TEMP_UNROOT).execute();
break;
case R.id.ota_survival:
new ToggleSuOption(Preferences.OTA_SURVIVE).execute();
break;
}
}
@Override
public void onCheckedChanged(CompoundButton buttonView, boolean isChecked) {
switch (buttonView.getId()) {
case R.id.outdated_notification:
mPrefs.edit().putBoolean(Preferences.OUTDATED_NOTIFICATION, isChecked).commit();
break;
}
}
private class UpdateInfo extends AsyncTask<Void, Object, Void> {
@Override
protected void onPreExecute() {
getSherlockActivity().setSupportProgressBarIndeterminateVisibility(true);
}
@Override
protected Void doInBackground(Void... arg) {
publishProgress(0, Util.getSuperuserVersionInfo(getSherlockActivity()));
publishProgress(1, Util.elitePresent(getSherlockActivity(), false, 0));
String suPath = Util.whichSu();
if (suPath != null) {
publishProgress(2, Util.getSuVersionInfo());
String suTools = Util.ensureSuTools(getSherlockActivity());
try {
Process process = new ProcessBuilder(suTools, "ls", "-l", suPath)
.redirectErrorStream(true).start();
BufferedReader is = new BufferedReader(new InputStreamReader(
process.getInputStream()));
process.waitFor();
String inLine = is.readLine();
String bits[] = inLine.split("\\s+");
publishProgress(3, bits[0], String.format("%s %s", bits[1], bits[2]), suPath);
} catch (IOException e) {
Log.w(TAG, "Binary information could not be read");
} catch (InterruptedException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
} else {
publishProgress(2, null);
}
SharedPreferences prefs = PreferenceManager.getDefaultSharedPreferences(getSherlockActivity());
publishProgress(4, prefs.getBoolean(Preferences.OUTDATED_NOTIFICATION, true));
if (mDevice == null) mDevice = new Device(getSherlockActivity());
mDevice.analyzeSu();
boolean supported = mDevice.mFileSystem == FileSystem.EXTFS;
if (!supported) {
publishProgress(5, null);
} else {
publishProgress(5, mDevice.isRooted, mDevice.isSuProtected);
}
return null;
}
@Override
protected void onProgressUpdate(Object... values) {
switch ((Integer) values[0]) {
case 0:
VersionInfo superuserVersion = (VersionInfo) values[1];
mSuperuserVersion.setText(getSherlockActivity().getString(
R.string.info_version,
superuserVersion.version,
superuserVersion.versionCode));
break;
case 1:
boolean eliteInstalled = (Boolean) values[1];
mEliteInstalled.setText(eliteInstalled ?
R.string.info_elite_installed : R.string.info_elite_not_installed);
mGetEliteLabel.setVisibility(eliteInstalled ? View.GONE : View.VISIBLE);
mGetElite.setClickable(!eliteInstalled);
break;
case 2:
VersionInfo suVersion = (VersionInfo) values[1];
if (suVersion != null) {
mSuVersion.setText(getSherlockActivity().getString(
R.string.info_bin_version,
suVersion.version,
suVersion.versionCode));
mSuDetailsRow.setVisibility(View.VISIBLE);
mSuWarning.setVisibility(View.VISIBLE);
mBinaryUpdater.setClickable(true);
} else {
mSuVersion.setText(R.string.info_bin_version_not_found);
mSuDetailsRow.setVisibility(View.GONE);
mBinaryUpdater.setClickable(false);
mSuWarning.setVisibility(View.GONE);
}
break;
case 3:
String mode = (String) values[1];
String owner = (String) values[2];
String file = (String) values[3];
boolean goodMode = mode.equals("-rwsr-sr-x");
boolean goodOwner = owner.equals("root root");
boolean goodFile = !file.equals("/sbin/su");
mSuDetailsMode.setText(mode);
mSuDetailsMode.setTextColor(goodMode ? Color.GREEN : Color.RED);
mSuDetailsOwner.setText(owner);
mSuDetailsOwner.setTextColor(goodOwner ? Color.GREEN : Color.RED);
mSuDetailsFile.setText(file);
mSuDetailsFile.setTextColor(goodFile ? Color.GREEN : Color.RED);
if (!goodFile) {
mBinaryUpdater.setClickable(false);
mSuWarning.setText("note: your su binary cannot be updated due to it's location");
mSuWarning.setVisibility(View.VISIBLE);
}
break;
case 4:
mOutdatedNotification.setChecked((Boolean) values[1]);
break;
case 5:
- if (values[0] == null) {
+ if (values[1] == null) {
mSuOptionsRow.setVisibility(View.GONE);
} else {
boolean rooted = (Boolean) values[1];
boolean backupAvailable = (Boolean) values[2];
mSuOptionsRow.setVisibility(View.VISIBLE);
mTempUnroot.setChecked(!rooted && backupAvailable);
mTempUnroot.setEnabled(rooted || backupAvailable);
mOtaSurvival.setChecked(backupAvailable);
mOtaSurvival.setEnabled(rooted);
}
}
}
@Override
protected void onPostExecute(Void result) {
getSherlockActivity().setSupportProgressBarIndeterminateVisibility(false);
}
}
private class ToggleSuOption extends AsyncTask<Void, Void, Boolean> {
private String mKey;
public ToggleSuOption(String key) {
mKey = key;
}
@Override
protected void onPreExecute() {
getSherlockActivity().setSupportProgressBarIndeterminateVisibility(true);
mTempUnroot.setEnabled(false);
mOtaSurvival.setEnabled(false);
if (mKey.equals(Preferences.TEMP_UNROOT)) mTempUnroot.setText(R.string.info_working);
else mOtaSurvival.setText(R.string.info_working);
}
@Override
protected Boolean doInBackground(Void... params) {
boolean status = false;
mDevice.analyzeSu();
if (mKey.equals(Preferences.TEMP_UNROOT)) {
if (mDevice.isRooted) mDevice.mSuOps.unRoot();
else mDevice.mSuOps.restore();
} else {
if (mDevice.isSuProtected) mDevice.mSuOps.deleteBackup();
else mDevice.mSuOps.backup();
}
return status;
}
@Override
protected void onPostExecute(Boolean result) {
getSherlockActivity().setSupportProgressBarIndeterminateVisibility(false);
mTempUnroot.setText(R.string.info_temp_unroot);
mOtaSurvival.setText(R.string.info_ota_survival);
mTempUnroot.setEnabled(true);
mOtaSurvival.setEnabled(true);
new UpdateInfo().execute();
}
}
}
| true | true | protected void onProgressUpdate(Object... values) {
switch ((Integer) values[0]) {
case 0:
VersionInfo superuserVersion = (VersionInfo) values[1];
mSuperuserVersion.setText(getSherlockActivity().getString(
R.string.info_version,
superuserVersion.version,
superuserVersion.versionCode));
break;
case 1:
boolean eliteInstalled = (Boolean) values[1];
mEliteInstalled.setText(eliteInstalled ?
R.string.info_elite_installed : R.string.info_elite_not_installed);
mGetEliteLabel.setVisibility(eliteInstalled ? View.GONE : View.VISIBLE);
mGetElite.setClickable(!eliteInstalled);
break;
case 2:
VersionInfo suVersion = (VersionInfo) values[1];
if (suVersion != null) {
mSuVersion.setText(getSherlockActivity().getString(
R.string.info_bin_version,
suVersion.version,
suVersion.versionCode));
mSuDetailsRow.setVisibility(View.VISIBLE);
mSuWarning.setVisibility(View.VISIBLE);
mBinaryUpdater.setClickable(true);
} else {
mSuVersion.setText(R.string.info_bin_version_not_found);
mSuDetailsRow.setVisibility(View.GONE);
mBinaryUpdater.setClickable(false);
mSuWarning.setVisibility(View.GONE);
}
break;
case 3:
String mode = (String) values[1];
String owner = (String) values[2];
String file = (String) values[3];
boolean goodMode = mode.equals("-rwsr-sr-x");
boolean goodOwner = owner.equals("root root");
boolean goodFile = !file.equals("/sbin/su");
mSuDetailsMode.setText(mode);
mSuDetailsMode.setTextColor(goodMode ? Color.GREEN : Color.RED);
mSuDetailsOwner.setText(owner);
mSuDetailsOwner.setTextColor(goodOwner ? Color.GREEN : Color.RED);
mSuDetailsFile.setText(file);
mSuDetailsFile.setTextColor(goodFile ? Color.GREEN : Color.RED);
if (!goodFile) {
mBinaryUpdater.setClickable(false);
mSuWarning.setText("note: your su binary cannot be updated due to it's location");
mSuWarning.setVisibility(View.VISIBLE);
}
break;
case 4:
mOutdatedNotification.setChecked((Boolean) values[1]);
break;
case 5:
if (values[0] == null) {
mSuOptionsRow.setVisibility(View.GONE);
} else {
boolean rooted = (Boolean) values[1];
boolean backupAvailable = (Boolean) values[2];
mSuOptionsRow.setVisibility(View.VISIBLE);
mTempUnroot.setChecked(!rooted && backupAvailable);
mTempUnroot.setEnabled(rooted || backupAvailable);
mOtaSurvival.setChecked(backupAvailable);
mOtaSurvival.setEnabled(rooted);
}
}
}
| protected void onProgressUpdate(Object... values) {
switch ((Integer) values[0]) {
case 0:
VersionInfo superuserVersion = (VersionInfo) values[1];
mSuperuserVersion.setText(getSherlockActivity().getString(
R.string.info_version,
superuserVersion.version,
superuserVersion.versionCode));
break;
case 1:
boolean eliteInstalled = (Boolean) values[1];
mEliteInstalled.setText(eliteInstalled ?
R.string.info_elite_installed : R.string.info_elite_not_installed);
mGetEliteLabel.setVisibility(eliteInstalled ? View.GONE : View.VISIBLE);
mGetElite.setClickable(!eliteInstalled);
break;
case 2:
VersionInfo suVersion = (VersionInfo) values[1];
if (suVersion != null) {
mSuVersion.setText(getSherlockActivity().getString(
R.string.info_bin_version,
suVersion.version,
suVersion.versionCode));
mSuDetailsRow.setVisibility(View.VISIBLE);
mSuWarning.setVisibility(View.VISIBLE);
mBinaryUpdater.setClickable(true);
} else {
mSuVersion.setText(R.string.info_bin_version_not_found);
mSuDetailsRow.setVisibility(View.GONE);
mBinaryUpdater.setClickable(false);
mSuWarning.setVisibility(View.GONE);
}
break;
case 3:
String mode = (String) values[1];
String owner = (String) values[2];
String file = (String) values[3];
boolean goodMode = mode.equals("-rwsr-sr-x");
boolean goodOwner = owner.equals("root root");
boolean goodFile = !file.equals("/sbin/su");
mSuDetailsMode.setText(mode);
mSuDetailsMode.setTextColor(goodMode ? Color.GREEN : Color.RED);
mSuDetailsOwner.setText(owner);
mSuDetailsOwner.setTextColor(goodOwner ? Color.GREEN : Color.RED);
mSuDetailsFile.setText(file);
mSuDetailsFile.setTextColor(goodFile ? Color.GREEN : Color.RED);
if (!goodFile) {
mBinaryUpdater.setClickable(false);
mSuWarning.setText("note: your su binary cannot be updated due to it's location");
mSuWarning.setVisibility(View.VISIBLE);
}
break;
case 4:
mOutdatedNotification.setChecked((Boolean) values[1]);
break;
case 5:
if (values[1] == null) {
mSuOptionsRow.setVisibility(View.GONE);
} else {
boolean rooted = (Boolean) values[1];
boolean backupAvailable = (Boolean) values[2];
mSuOptionsRow.setVisibility(View.VISIBLE);
mTempUnroot.setChecked(!rooted && backupAvailable);
mTempUnroot.setEnabled(rooted || backupAvailable);
mOtaSurvival.setChecked(backupAvailable);
mOtaSurvival.setEnabled(rooted);
}
}
}
|
diff --git a/src/haven/MenuGrid.java b/src/haven/MenuGrid.java
index 069c257e..15f7957c 100644
--- a/src/haven/MenuGrid.java
+++ b/src/haven/MenuGrid.java
@@ -1,315 +1,315 @@
/*
* This file is part of the Haven & Hearth game client.
* Copyright (C) 2009 Fredrik Tolf <[email protected]>, and
* Björn Johannessen <[email protected]>
*
* Redistribution and/or modification of this file is subject to the
* terms of the GNU Lesser General Public License, version 3, as
* published by the Free Software Foundation.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* Other parts of this source tree adhere to other copying
* rights. Please see the file `COPYING' in the root directory of the
* source tree for details.
*
* A copy the GNU Lesser General Public License is distributed along
* with the source tree of which this file is a part in the file
* `doc/LPGL-3'. If it is missing for any reason, please see the Free
* Software Foundation's website at <http://www.fsf.org/>, or write
* to the Free Software Foundation, Inc., 59 Temple Place, Suite 330,
* Boston, MA 02111-1307 USA
*/
package haven;
import java.awt.Color;
import java.awt.event.KeyEvent;
import java.awt.font.TextAttribute;
import haven.Resource.AButton;
import haven.Glob.Pagina;
import java.util.*;
public class MenuGrid extends Widget {
public final Pagina next = paginafor(Resource.load("gfx/hud/sc-next"));
public final Pagina bk = paginafor(Resource.load("gfx/hud/sc-back"));
public final static RichText.Foundry ttfnd = new RichText.Foundry(TextAttribute.FAMILY, "SansSerif", TextAttribute.SIZE, 10);
private static Coord gsz = new Coord(4, 4);
private Pagina cur, pressed, dragging, layout[][] = new Pagina[gsz.x][gsz.y];
private int curoff = 0;
private int pagseq = 0;
private boolean loading = true;
private Map<Character, Pagina> hotmap = new TreeMap<Character, Pagina>();
static {
Widget.addtype("scm", new WidgetFactory() {
public Widget create(Coord c, Widget parent, Object[] args) {
return(new MenuGrid(c, parent));
}
});
}
public class PaginaException extends RuntimeException {
public Pagina pag;
public PaginaException(Pagina p) {
super("Invalid pagina: " + p.res().name);
pag = p;
}
}
private boolean cons(Pagina p, Collection<Pagina> buf) {
Pagina[] cp = new Pagina[0];
Collection<Pagina> open, close = new HashSet<Pagina>();
synchronized(ui.sess.glob.paginae) {
open = new HashSet<Pagina>(ui.sess.glob.paginae);
}
boolean ret = true;
while(!open.isEmpty()) {
Iterator<Pagina> iter = open.iterator();
Pagina pag = iter.next();
iter.remove();
try {
Resource r = pag.res();
AButton ad = r.layer(Resource.action);
if(ad == null)
throw(new PaginaException(pag));
Pagina parent = paginafor(ad.parent);
if(parent == p)
buf.add(pag);
else if((parent != null) && !close.contains(parent))
open.add(parent);
close.add(pag);
} catch(Loading e) {
ret = false;
}
}
return(ret);
}
public MenuGrid(Coord c, Widget parent) {
super(c, Inventory.invsz(gsz), parent);
}
private static Comparator<Pagina> sorter = new Comparator<Pagina>() {
public int compare(Pagina a, Pagina b) {
AButton aa = a.act(), ab = b.act();
if((aa.ad.length == 0) && (ab.ad.length > 0))
return(-1);
if((aa.ad.length > 0) && (ab.ad.length == 0))
return(1);
return(aa.name.compareTo(ab.name));
}
};
private void updlayout() {
synchronized(ui.sess.glob.paginae) {
List<Pagina> cur = new ArrayList<Pagina>();
loading = !cons(this.cur, cur);
Collections.sort(cur, sorter);
int i = curoff;
hotmap.clear();
for(int y = 0; y < gsz.y; y++) {
for(int x = 0; x < gsz.x; x++) {
Pagina btn = null;
if((this.cur != null) && (x == gsz.x - 1) && (y == gsz.y - 1)) {
btn = bk;
} else if((cur.size() > ((gsz.x * gsz.y) - 1)) && (x == gsz.x - 2) && (y == gsz.y - 1)) {
btn = next;
} else if(i < cur.size()) {
Resource.AButton ad = cur.get(i).act();
if(ad.hk != 0)
hotmap.put(Character.toUpperCase(ad.hk), cur.get(i));
btn = cur.get(i++);
}
layout[x][y] = btn;
}
}
pagseq = ui.sess.glob.pagseq;
}
}
private static Text rendertt(Resource res, boolean withpg) {
Resource.AButton ad = res.layer(Resource.action);
Resource.Pagina pg = res.layer(Resource.pagina);
String tt = ad.name;
int pos = tt.toUpperCase().indexOf(Character.toUpperCase(ad.hk));
if(pos >= 0)
tt = tt.substring(0, pos) + "$col[255,255,0]{" + tt.charAt(pos) + "}" + tt.substring(pos + 1);
else if(ad.hk != 0)
tt += " [" + ad.hk + "]";
if(withpg && (pg != null)) {
tt += "\n\n" + pg.text;
}
return(ttfnd.render(tt, 300));
}
public void draw(GOut g) {
long now = System.currentTimeMillis();
Inventory.invsq(g, Coord.z, gsz);
for(int y = 0; y < gsz.y; y++) {
for(int x = 0; x < gsz.x; x++) {
Coord p = Inventory.sqoff(new Coord(x, y));
Pagina btn = layout[x][y];
if(btn != null) {
Tex btex = btn.img.tex();
g.image(btex, p);
if(btn.meter > 0) {
double m = btn.meter / 1000.0;
if(btn.dtime > 0)
m += (1 - m) * (double)(now - btn.gettime) / (double)btn.dtime;
m = Utils.clip(m, 0, 1);
g.chcolor(255, 255, 255, 128);
g.fellipse(p.add(Inventory.isqsz.div(2)), Inventory.isqsz.div(2), 90, (int)(90 + (360 * m)));
g.chcolor();
}
if(btn == pressed) {
g.chcolor(new Color(0, 0, 0, 128));
- g.frect(p.add(1, 1), btex.sz());
+ g.frect(p, btex.sz());
g.chcolor();
}
}
}
}
super.draw(g);
if(dragging != null) {
final Tex dt = dragging.img.tex();
ui.drawafter(new UI.AfterDraw() {
public void draw(GOut g) {
g.image(dt, ui.mc.add(dt.sz().div(2).inv()));
}
});
}
}
private Pagina curttp = null;
private boolean curttl = false;
private Text curtt = null;
private long hoverstart;
public Object tooltip(Coord c, Widget prev) {
Pagina pag = bhit(c);
long now = System.currentTimeMillis();
if((pag != null) && (pag.act() != null)) {
if(prev != this)
hoverstart = now;
boolean ttl = (now - hoverstart) > 500;
if((pag != curttp) || (ttl != curttl)) {
curtt = rendertt(pag.res(), ttl);
curttp = pag;
curttl = ttl;
}
return(curtt);
} else {
hoverstart = now;
return("");
}
}
private Pagina bhit(Coord c) {
Coord bc = Inventory.sqroff(c);
if((bc.x >= 0) && (bc.y >= 0) && (bc.x < gsz.x) && (bc.y < gsz.y))
return(layout[bc.x][bc.y]);
else
return(null);
}
public boolean mousedown(Coord c, int button) {
Pagina h = bhit(c);
if((button == 1) && (h != null)) {
pressed = h;
ui.grabmouse(this);
}
return(true);
}
public void mousemove(Coord c) {
if((dragging == null) && (pressed != null)) {
Pagina h = bhit(c);
if(h != pressed)
dragging = pressed;
}
}
private Pagina paginafor(Resource res) {
return(ui.sess.glob.paginafor(res));
}
private void use(Pagina r) {
Collection<Pagina> sub = new LinkedList<Pagina>(),
cur = new LinkedList<Pagina>();
cons(r, sub);
cons(this.cur, cur);
if(sub.size() > 0) {
this.cur = r;
curoff = 0;
} else if(r == bk) {
this.cur = paginafor(this.cur.act().parent);
curoff = 0;
} else if(r == next) {
if((curoff + 14) >= cur.size())
curoff = 0;
else
curoff += 14;
} else {
wdgmsg("act", (Object[])r.act().ad);
this.cur = null;
curoff = 0;
}
updlayout();
}
@Override
public void tick(double dt) {
if(loading || (pagseq != ui.sess.glob.pagseq))
updlayout();
}
public boolean mouseup(Coord c, int button) {
Pagina h = bhit(c);
if(button == 1) {
if(dragging != null) {
ui.dropthing(ui.root, ui.mc, dragging.res());
dragging = pressed = null;
} else if(pressed != null) {
if(pressed == h)
use(h);
pressed = null;
}
ui.grabmouse(null);
}
return(true);
}
public void uimsg(String msg, Object... args) {
if(msg == "goto") {
String res = (String)args[0];
if(res.equals(""))
cur = null;
else
cur = paginafor(Resource.load(res));
curoff = 0;
updlayout();
}
}
public boolean globtype(char k, KeyEvent ev) {
if((k == 27) && (this.cur != null)) {
this.cur = null;
curoff = 0;
updlayout();
return(true);
} else if((k == 'N') && (layout[gsz.x - 2][gsz.y - 1] == next)) {
use(next);
return(true);
}
Pagina r = hotmap.get(Character.toUpperCase(k));
if(r != null) {
use(r);
return(true);
}
return(false);
}
}
| true | true | public void draw(GOut g) {
long now = System.currentTimeMillis();
Inventory.invsq(g, Coord.z, gsz);
for(int y = 0; y < gsz.y; y++) {
for(int x = 0; x < gsz.x; x++) {
Coord p = Inventory.sqoff(new Coord(x, y));
Pagina btn = layout[x][y];
if(btn != null) {
Tex btex = btn.img.tex();
g.image(btex, p);
if(btn.meter > 0) {
double m = btn.meter / 1000.0;
if(btn.dtime > 0)
m += (1 - m) * (double)(now - btn.gettime) / (double)btn.dtime;
m = Utils.clip(m, 0, 1);
g.chcolor(255, 255, 255, 128);
g.fellipse(p.add(Inventory.isqsz.div(2)), Inventory.isqsz.div(2), 90, (int)(90 + (360 * m)));
g.chcolor();
}
if(btn == pressed) {
g.chcolor(new Color(0, 0, 0, 128));
g.frect(p.add(1, 1), btex.sz());
g.chcolor();
}
}
}
}
super.draw(g);
if(dragging != null) {
final Tex dt = dragging.img.tex();
ui.drawafter(new UI.AfterDraw() {
public void draw(GOut g) {
g.image(dt, ui.mc.add(dt.sz().div(2).inv()));
}
});
}
}
| public void draw(GOut g) {
long now = System.currentTimeMillis();
Inventory.invsq(g, Coord.z, gsz);
for(int y = 0; y < gsz.y; y++) {
for(int x = 0; x < gsz.x; x++) {
Coord p = Inventory.sqoff(new Coord(x, y));
Pagina btn = layout[x][y];
if(btn != null) {
Tex btex = btn.img.tex();
g.image(btex, p);
if(btn.meter > 0) {
double m = btn.meter / 1000.0;
if(btn.dtime > 0)
m += (1 - m) * (double)(now - btn.gettime) / (double)btn.dtime;
m = Utils.clip(m, 0, 1);
g.chcolor(255, 255, 255, 128);
g.fellipse(p.add(Inventory.isqsz.div(2)), Inventory.isqsz.div(2), 90, (int)(90 + (360 * m)));
g.chcolor();
}
if(btn == pressed) {
g.chcolor(new Color(0, 0, 0, 128));
g.frect(p, btex.sz());
g.chcolor();
}
}
}
}
super.draw(g);
if(dragging != null) {
final Tex dt = dragging.img.tex();
ui.drawafter(new UI.AfterDraw() {
public void draw(GOut g) {
g.image(dt, ui.mc.add(dt.sz().div(2).inv()));
}
});
}
}
|
diff --git a/src/main/java/com/almuramc/aqualock/bukkit/display/button/RemoveButton.java b/src/main/java/com/almuramc/aqualock/bukkit/display/button/RemoveButton.java
index 7e87921..e4e7f30 100644
--- a/src/main/java/com/almuramc/aqualock/bukkit/display/button/RemoveButton.java
+++ b/src/main/java/com/almuramc/aqualock/bukkit/display/button/RemoveButton.java
@@ -1,52 +1,52 @@
/*
* This file is part of Aqualock.
*
* Copyright (c) 2012, AlmuraDev <http://www.almuramc.com/>
* Aqualock is licensed under the Almura Development License.
*
* Aqualock is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* Aqualock is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License. If not,
* see <http://www.gnu.org/licenses/> for the GNU General Public License.
*/
package com.almuramc.aqualock.bukkit.display.button;
import com.almuramc.aqualock.bukkit.AqualockPlugin;
import com.almuramc.aqualock.bukkit.display.CachedGeoPopup;
import com.almuramc.aqualock.bukkit.display.field.PasswordField;
import com.almuramc.aqualock.bukkit.util.LockUtil;
import org.getspout.spoutapi.event.screen.ButtonClickEvent;
import org.getspout.spoutapi.gui.GenericButton;
import org.getspout.spoutapi.gui.Widget;
public class RemoveButton extends GenericButton {
private final AqualockPlugin plugin;
public RemoveButton(AqualockPlugin plugin) {
super("Remove");
this.plugin = plugin;
}
@Override
public void onButtonClick(ButtonClickEvent event) {
final CachedGeoPopup panel = (CachedGeoPopup) event.getScreen();
String password = "";
for (Widget widget : panel.getAttachedWidgets()) {
if (widget instanceof PasswordField) {
password = ((PasswordField) widget).getText();
}
}
- if (LockUtil.unlock(getScreen().getPlayer().getName(), password, panel.getLocation())) {
+ if (LockUtil.unlock(panel.getPlayer().getName(), password, panel.getLocation())) {
((CachedGeoPopup) event.getScreen()).onClose();
}
}
}
| true | true | public void onButtonClick(ButtonClickEvent event) {
final CachedGeoPopup panel = (CachedGeoPopup) event.getScreen();
String password = "";
for (Widget widget : panel.getAttachedWidgets()) {
if (widget instanceof PasswordField) {
password = ((PasswordField) widget).getText();
}
}
if (LockUtil.unlock(getScreen().getPlayer().getName(), password, panel.getLocation())) {
((CachedGeoPopup) event.getScreen()).onClose();
}
}
| public void onButtonClick(ButtonClickEvent event) {
final CachedGeoPopup panel = (CachedGeoPopup) event.getScreen();
String password = "";
for (Widget widget : panel.getAttachedWidgets()) {
if (widget instanceof PasswordField) {
password = ((PasswordField) widget).getText();
}
}
if (LockUtil.unlock(panel.getPlayer().getName(), password, panel.getLocation())) {
((CachedGeoPopup) event.getScreen()).onClose();
}
}
|
diff --git a/src/main/java/org/wiztools/restclient/xml/XMLUtil.java b/src/main/java/org/wiztools/restclient/xml/XMLUtil.java
index 6ca16dc..7a8cccb 100644
--- a/src/main/java/org/wiztools/restclient/xml/XMLUtil.java
+++ b/src/main/java/org/wiztools/restclient/xml/XMLUtil.java
@@ -1,604 +1,604 @@
package org.wiztools.restclient.xml;
import java.io.ByteArrayInputStream;
import java.io.ByteArrayOutputStream;
import org.wiztools.restclient.*;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.OutputStreamWriter;
import java.net.MalformedURLException;
import java.net.URL;
import java.util.Arrays;
import java.util.LinkedHashMap;
import java.util.List;
import java.util.Map;
import java.util.logging.Logger;
import javax.xml.parsers.DocumentBuilder;
import javax.xml.parsers.DocumentBuilderFactory;
import javax.xml.parsers.ParserConfigurationException;
import javax.xml.transform.OutputKeys;
import javax.xml.transform.Result;
import javax.xml.transform.Source;
import javax.xml.transform.Transformer;
import javax.xml.transform.TransformerConfigurationException;
import javax.xml.transform.TransformerException;
import javax.xml.transform.TransformerFactory;
import javax.xml.transform.dom.DOMSource;
import javax.xml.transform.stream.StreamResult;
import org.w3c.dom.DOMImplementation;
import org.w3c.dom.Document;
import org.w3c.dom.Element;
import org.w3c.dom.NamedNodeMap;
import org.w3c.dom.Node;
import org.w3c.dom.NodeList;
import org.xml.sax.SAXException;
/**
*
* @author rsubramanian
*/
public final class XMLUtil {
private static final Logger LOG = Logger.getLogger(XMLUtil.class.getName());
private static final String[] VERSIONS = new String[]{"2.0", "2.1", "2.2a1", RCConstants.VERSION};
public static final String XML_MIME = "application/xml";
public static final String XML_DEFAULT_ENCODING = "UTF-8";
static{
// Sort the version array for binary search
Arrays.sort(VERSIONS);
}
private static void checkIfVersionValid(final Node versionNode) throws XMLException{
if(versionNode == null){
throw new XMLException("Attribute `version' not available for root element <rest-client>");
}
int res = Arrays.binarySearch(VERSIONS, versionNode.getNodeValue());
if(res == -1){
throw new XMLException("Version not supported");
}
}
public static Document request2XML(final RequestBean bean)
throws XMLException {
try{
Document xmldoc = null;
DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance();
DocumentBuilder builder = factory.newDocumentBuilder();
DOMImplementation impl = builder.getDOMImplementation();
Element e = null;
Element request = null;
Node n = null;
Element subChild = null;
xmldoc = impl.createDocument(null, "rest-client", null);
Element root = xmldoc.getDocumentElement();
root.setAttributeNS(null, "version", RCConstants.VERSION);
request = xmldoc.createElementNS(null, "request");
// HTTP version
e = xmldoc.createElementNS(null, "http-version");
n = xmldoc.createTextNode(bean.getHttpVersion().versionNumber());
e.appendChild(n);
request.appendChild(e);
// creating the URL child element
e = xmldoc.createElementNS(null, "URL");
n = xmldoc.createTextNode(bean.getUrl().toString());
e.appendChild(n);
request.appendChild(e);
// creating the method child element
e = xmldoc.createElementNS(null, "method");
n = xmldoc.createTextNode(bean.getMethod());
e.appendChild(n);
request.appendChild(e);
// creating the auth-methods child element
List<String> authMethods = bean.getAuthMethods();
if(authMethods.size() > 0){
- if (authMethods != null || authMethods.size() > 0) {
+ if (authMethods != null && authMethods.size() > 0) {
e = xmldoc.createElementNS(null, "auth-methods");
String methods = "";
for (String authMethod : authMethods) {
methods = methods + authMethod + ",";
}
String authenticationMethod = methods.substring(0, methods.length()==0?0:methods.length()-1);
n = xmldoc.createTextNode(authenticationMethod);
e.appendChild(n);
request.appendChild(e);
}
// creating the auth-preemptive child element
Boolean authPreemptive = bean.isAuthPreemptive();
if (authPreemptive != null) {
e = xmldoc.createElementNS(null, "auth-preemptive");
n = xmldoc.createTextNode(authPreemptive.toString());
e.appendChild(n);
request.appendChild(e);
}
// creating the auth-host child element
String authHost = bean.getAuthHost();
if (authHost != null) {
e = xmldoc.createElementNS(null, "auth-host");
n = xmldoc.createTextNode(authHost);
e.appendChild(n);
request.appendChild(e);
}
// creating the auth-realm child element
String authRealm = bean.getAuthRealm();
if (authRealm != null) {
e = xmldoc.createElementNS(null, "auth-realm");
n = xmldoc.createTextNode(authRealm);
e.appendChild(n);
request.appendChild(e);
}
// creating the auth-username child element
String authUsername = bean.getAuthUsername();
if (authUsername != null) {
e = xmldoc.createElementNS(null, "auth-username");
n = xmldoc.createTextNode(authUsername);
e.appendChild(n);
request.appendChild(e);
}
// creating the auth-password child element
String authPassword = null;
if(bean.getAuthPassword() != null){
authPassword = new String(bean.getAuthPassword());
e = xmldoc.createElementNS(null, "auth-password");
String encPassword = Base64.encodeObject(authPassword);
n = xmldoc.createTextNode(encPassword);
e.appendChild(n);
request.appendChild(e);
}
}
// Creating SSL elements
String sslTruststore = bean.getSslTrustStore();
if(!Util.isStrEmpty(sslTruststore)){
// 1. Create truststore entry
e = xmldoc.createElementNS(null, "ssl-truststore");
n = xmldoc.createTextNode(sslTruststore);
e.appendChild(n);
request.appendChild(e);
// 2. Create password entry
String sslPassword = new String(bean.getSslTrustStorePassword());
String encPassword = Base64.encodeObject(sslPassword);
e = xmldoc.createElementNS(null, "ssl-truststore-password");
n = xmldoc.createTextNode(encPassword);
e.appendChild(n);
request.appendChild(e);
}
// creating the headers child element
Map<String, String> headers = bean.getHeaders();
if (!headers.isEmpty()) {
e = xmldoc.createElementNS(null, "headers");
for (String key : headers.keySet()) {
String value = headers.get(key);
subChild = xmldoc.createElementNS(null, "header");
subChild.setAttributeNS(null, "key", key);
subChild.setAttributeNS(null, "value", value);
e.appendChild(subChild);
}
request.appendChild(e);
}
// creating the body child element
ReqEntityBean rBean = bean.getBody();
if (rBean != null) {
e = xmldoc.createElementNS(null, "body");
String contentType = rBean.getContentType();
String charSet = rBean.getCharSet();
String body = rBean.getBody();
e.setAttributeNS(null, "content-type", contentType);
e.setAttributeNS(null, "charset", charSet);
n = xmldoc.createTextNode(body);
e.appendChild(n);
request.appendChild(e);
}
// creating the test-script child element
String testScript = bean.getTestScript();
if (testScript != null) {
e = xmldoc.createElementNS(null, "test-script");
n = xmldoc.createTextNode(testScript);
e.appendChild(n);
request.appendChild(e);
}
root.appendChild(request);
return xmldoc;
}
catch(ParserConfigurationException ex){
throw new XMLException(ex.getMessage(), ex);
}
}
private static Map<String, String> getHeadersFromHeaderNode(final Node node) throws XMLException{
Map<String, String> m = new LinkedHashMap<String, String>();
NodeList llHeader = node.getChildNodes();
int maxHeader = llHeader.getLength();
for(int j=0; j<maxHeader; j++){
Node headerNode = llHeader.item(j);
if(headerNode.getNodeType() != Node.ELEMENT_NODE){
continue;
}
if(!"header".equals(headerNode.getNodeName())){
throw new XMLException("<headers> element should contain only <header> elements");
}
NamedNodeMap nodeMap = headerNode.getAttributes();
Node key = nodeMap.getNamedItem("key");
Node value = nodeMap.getNamedItem("value");
m.put(key.getNodeValue(), value.getNodeValue());
}
return m;
}
public static RequestBean xml2Request(final Document doc)
throws MalformedURLException, XMLException {
RequestBean requestBean = new RequestBean();
// Get the rootNode
Node rootNode = doc.getFirstChild();
if(!"rest-client".equals(rootNode.getNodeName())){
throw new XMLException("Root node is not <rest-client>");
}
NamedNodeMap nodeMapVerAttr = rootNode.getAttributes();
Node versionNode = nodeMapVerAttr.getNamedItem("version");
checkIfVersionValid(versionNode);
// Get the requestNode
NodeList llRequest = rootNode.getChildNodes();
int size = llRequest.getLength();
int reqNodeCount = 0;
Node requestNode = null;
for(int i=0; i<size; i++){
Node tNode = llRequest.item(i);
if(tNode.getNodeType() == Node.ELEMENT_NODE){
requestNode = tNode;
reqNodeCount++;
}
}
if(reqNodeCount != 1){
throw new XMLException("There can be only one child node for root node: <request>");
}
if(!"request".equals(requestNode.getNodeName())){
throw new XMLException("The child node of <rest-client> should be <request>");
}
// Process other nodes
NodeList ll = requestNode.getChildNodes();
int max = ll.getLength();
for(int i=0; i<max; i++){
Node node = ll.item(i);
String nodeName = node.getNodeName();
LOG.fine(nodeName + " : " + node.getNodeType());
if(node.getNodeType() != Node.ELEMENT_NODE){
continue;
}
if("http-version".equals(nodeName)){
String t = node.getTextContent();
HTTPVersion httpVersion = "1.1".equals(t)? HTTPVersion.HTTP_1_1: HTTPVersion.HTTP_1_0;
requestBean.setHttpVersion(httpVersion);
}
else if("URL".equals(nodeName)){
URL url = new URL(node.getTextContent());
requestBean.setUrl(url);
}
else if("method".equals(nodeName)){
requestBean.setMethod(node.getTextContent());
}
else if("auth-methods".equals(nodeName)){
String[] authenticationMethods = node.getTextContent().split(",");
for (int j = 0; j < authenticationMethods.length; j++) {
requestBean.addAuthMethod(authenticationMethods[j]);
}
}
else if("auth-preemptive".equals(nodeName)){
if (node.getTextContent().equals("true")) {
requestBean.setAuthPreemptive(true);
}
else{
requestBean.setAuthPreemptive(false);
}
}
else if("auth-host".equals(nodeName)){
requestBean.setAuthHost(node.getTextContent());
}
else if("auth-realm".equals(nodeName)){
requestBean.setAuthRealm(node.getTextContent());
}
else if("auth-username".equals(nodeName)){
requestBean.setAuthUsername(node.getTextContent());
}
else if("auth-password".equals(nodeName)){
String password = (String) Base64.decodeToObject(node.getTextContent());
requestBean.setAuthPassword(password.toCharArray());
}
else if("ssl-truststore".equals(nodeName)){
String sslTrustStore = node.getTextContent();
requestBean.setSslTrustStore(sslTrustStore);
}
else if("ssl-truststore-password".equals(nodeName)){
String sslTrustStorePassword = (String) Base64.decodeToObject(node.getTextContent());
requestBean.setSslTrustStorePassword(sslTrustStorePassword.toCharArray());
}
else if("headers".equals(nodeName)){
Map<String, String> m = getHeadersFromHeaderNode(node);
for(String key: m.keySet()){
requestBean.addHeader(key, m.get(key));
}
}
else if("body".equals(nodeName)){
NamedNodeMap nodeMap = node.getAttributes();
Node contentType = nodeMap.getNamedItem("content-type");
Node charSet = nodeMap.getNamedItem("charset");
requestBean.setBody(new ReqEntityBean(node.getTextContent(), contentType.getNodeValue(),
charSet.getNodeValue()));
}
else if("test-script".equals(nodeName)){
requestBean.setTestScript(node.getTextContent());
}
else{
throw new XMLException("Invalid element encountered: <" + nodeName + ">");
}
}
return requestBean;
}
public static Document response2XML(final ResponseBean bean)
throws XMLException {
try{
Document xmldoc = null;
DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance();
DocumentBuilder builder = factory.newDocumentBuilder();
DOMImplementation impl = builder.getDOMImplementation();
Element e = null;
Node n = null;
Element response = null;
Element subChild = null;
xmldoc = impl.createDocument(null, "rest-client", null);
Element root = xmldoc.getDocumentElement();
root.setAttributeNS(null, "version", RCConstants.VERSION);
response = xmldoc.createElementNS(null, "response");
// creating the execution time child element
e = xmldoc.createElementNS(null, "execution-time");
n = xmldoc.createTextNode(String.valueOf(bean.getExecutionTime()));
e.appendChild(n);
response.appendChild(e);
// creating the status child element
e = xmldoc.createElementNS(null, "status");
e.setAttributeNS(null, "code", String.valueOf(bean.getStatusCode()));
n = xmldoc.createTextNode(bean.getStatusLine());
e.appendChild(n);
response.appendChild(e);
// creating the headers child element
Map<String, String> headers = bean.getHeaders();
if (!headers.isEmpty()) {
e = xmldoc.createElementNS(null, "headers");
for (String key : headers.keySet()) {
String value = headers.get(key);
subChild = xmldoc.createElementNS(null, "header");
subChild.setAttributeNS(null, "key", key);
subChild.setAttributeNS(null, "value", value);
e.appendChild(subChild);
}
response.appendChild(e);
}
//creating the body child element
String responseBody = bean.getResponseBody();
if (responseBody != null) {
e = xmldoc.createElementNS(null, "body");
n = xmldoc.createTextNode(responseBody);
e.appendChild(n);
response.appendChild(e);
}
// test result
String testResult = bean.getTestResult();
if(testResult != null){
e = xmldoc.createElementNS(null, "test-result");
n = xmldoc.createTextNode(testResult);
e.appendChild(n);
response.appendChild(e);
}
root.appendChild(response);
return xmldoc;
}
catch(ParserConfigurationException ex){
throw new XMLException(ex.getMessage(), ex);
}
}
public static ResponseBean xml2Response(final Document doc) throws XMLException {
ResponseBean responseBean = new ResponseBean();
// Get the rootNode
Node rootNode = doc.getFirstChild();
if(!"rest-client".equals(rootNode.getNodeName())){
throw new XMLException("The root node must be <rest-client>");
}
NamedNodeMap nodeMapVerAttr = rootNode.getAttributes();
Node nodeVersion = nodeMapVerAttr.getNamedItem("version");
checkIfVersionValid(nodeVersion);
// Get the responseNode
NodeList llResponse = rootNode.getChildNodes();
int size = llResponse.getLength();
int resNodeCount = 0;
Node responseNode = null;
for(int i=0; i<size; i++){
Node tNode = llResponse.item(i);
if(tNode.getNodeType() == Node.ELEMENT_NODE){
responseNode = tNode;
resNodeCount++;
}
}
if(resNodeCount != 1){
throw new XMLException("There can be only one child node for root node: <response>");
}
if(!"response".equals(responseNode.getNodeName())){
throw new XMLException("The child node of <rest-client> should be <response>");
}
// Process other nodes
NodeList ll = responseNode.getChildNodes();
int max = ll.getLength();
for(int i=0; i < max; i++){
Node node = ll.item(i);
String nodeName = node.getNodeName();
LOG.fine(nodeName + " : " + node.getNodeType());
if(node.getNodeType() != Node.ELEMENT_NODE){
continue;
}
if("execution-time".equals(nodeName)){
responseBean.setExecutionTime(Long.parseLong(node.getTextContent()));
}
else if("status".equals(nodeName)){
responseBean.setStatusLine(node.getTextContent());
NamedNodeMap nodeMap = node.getAttributes();
Node n = nodeMap.getNamedItem("code");
responseBean.setStatusCode(Integer.parseInt(n.getNodeValue()));
}
else if("headers".equals(nodeName)){
Map<String, String> m = getHeadersFromHeaderNode(node);
for(String key: m.keySet()){
responseBean.addHeader(key, m.get(key));
}
}
else if("body".equals(nodeName)){
responseBean.setResponseBody(node.getTextContent());
}
else if("test-result".equals(nodeName)){
responseBean.setTestResult(node.getTextContent());
}
else{
throw new XMLException("Unrecognized element found: <" + nodeName + ">");
}
}
return responseBean;
}
public static void writeXML(final Document doc, final File f)
throws IOException, XMLException {
try{
DOMSource domSource = new DOMSource(doc);
FileOutputStream out = new FileOutputStream(f);
StreamResult streamResult = new StreamResult(out);
TransformerFactory tf = TransformerFactory.newInstance();
Transformer serializer = tf.newTransformer();
serializer.setOutputProperty(OutputKeys.ENCODING, "UTF-8");
serializer.setOutputProperty(OutputKeys.INDENT, "yes");
serializer.transform(domSource, streamResult);
out.close();
}
catch(TransformerConfigurationException ex){
throw new XMLException(ex.getMessage(), ex);
}
catch(TransformerException ex){
throw new XMLException(ex.getMessage(), ex);
}
}
public static Document getDocumentFromFile(final File f) throws IOException,
XMLException {
try {
DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance();
DocumentBuilder builder = factory.newDocumentBuilder();
Document doc = builder.parse(f);
return doc;
} catch (ParserConfigurationException ex) {
throw new XMLException(ex.getMessage(), ex);
} catch (SAXException ex) {
throw new XMLException(ex.getMessage(), ex);
}
}
public static String getDocumentCharset(final File f) throws IOException, XMLException{
Document doc = getDocumentFromFile(f);
return doc.getXmlEncoding();
}
public static void writeRequestXML(final RequestBean bean, final File f)
throws IOException, XMLException {
Document doc = request2XML(bean);
writeXML(doc, f);
}
public static void writeResponseXML(final ResponseBean bean, final File f)
throws IOException, XMLException {
Document doc = response2XML(bean);
writeXML(doc, f);
}
/*public static void writeXMLRequest(final File f, RequestBean bean)
throws IOException, XMLException {
Document doc = getDocumentFromFile(f);
bean = xml2Request(doc);
}*/
/*public static void writeXMLResponse(final File f, ResponseBean bean)
throws IOException, XMLException {
Document doc = getDocumentFromFile(f);
bean = xml2Response(doc);
}*/
public static RequestBean getRequestFromXMLFile(final File f) throws IOException, XMLException {
Document doc = getDocumentFromFile(f);
return xml2Request(doc);
}
public static ResponseBean getResponseFromXMLFile(final File f) throws IOException, XMLException{
Document doc = getDocumentFromFile(f);
return xml2Response(doc);
}
public static String indentXML(final String in)
throws ParserConfigurationException,
SAXException,
IOException,
TransformerConfigurationException,
TransformerException{
DocumentBuilder docBuilder = DocumentBuilderFactory.newInstance().newDocumentBuilder();
Document doc = docBuilder.parse(new ByteArrayInputStream(in.getBytes("UTF-8")));
Source source = new DOMSource(doc);
ByteArrayOutputStream baos = new ByteArrayOutputStream();
Result result = new StreamResult(new OutputStreamWriter(baos));
TransformerFactory factory = TransformerFactory.newInstance();
factory.setAttribute("indent-number", 4);
Transformer transformer = factory.newTransformer();
transformer.setOutputProperty(OutputKeys.METHOD, "xml");
transformer.setOutputProperty(OutputKeys.INDENT,"yes");
transformer.transform(source, result);
byte[] arr = baos.toByteArray();
return new String(arr);
}
}
| true | true | public static Document request2XML(final RequestBean bean)
throws XMLException {
try{
Document xmldoc = null;
DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance();
DocumentBuilder builder = factory.newDocumentBuilder();
DOMImplementation impl = builder.getDOMImplementation();
Element e = null;
Element request = null;
Node n = null;
Element subChild = null;
xmldoc = impl.createDocument(null, "rest-client", null);
Element root = xmldoc.getDocumentElement();
root.setAttributeNS(null, "version", RCConstants.VERSION);
request = xmldoc.createElementNS(null, "request");
// HTTP version
e = xmldoc.createElementNS(null, "http-version");
n = xmldoc.createTextNode(bean.getHttpVersion().versionNumber());
e.appendChild(n);
request.appendChild(e);
// creating the URL child element
e = xmldoc.createElementNS(null, "URL");
n = xmldoc.createTextNode(bean.getUrl().toString());
e.appendChild(n);
request.appendChild(e);
// creating the method child element
e = xmldoc.createElementNS(null, "method");
n = xmldoc.createTextNode(bean.getMethod());
e.appendChild(n);
request.appendChild(e);
// creating the auth-methods child element
List<String> authMethods = bean.getAuthMethods();
if(authMethods.size() > 0){
if (authMethods != null || authMethods.size() > 0) {
e = xmldoc.createElementNS(null, "auth-methods");
String methods = "";
for (String authMethod : authMethods) {
methods = methods + authMethod + ",";
}
String authenticationMethod = methods.substring(0, methods.length()==0?0:methods.length()-1);
n = xmldoc.createTextNode(authenticationMethod);
e.appendChild(n);
request.appendChild(e);
}
// creating the auth-preemptive child element
Boolean authPreemptive = bean.isAuthPreemptive();
if (authPreemptive != null) {
e = xmldoc.createElementNS(null, "auth-preemptive");
n = xmldoc.createTextNode(authPreemptive.toString());
e.appendChild(n);
request.appendChild(e);
}
// creating the auth-host child element
String authHost = bean.getAuthHost();
if (authHost != null) {
e = xmldoc.createElementNS(null, "auth-host");
n = xmldoc.createTextNode(authHost);
e.appendChild(n);
request.appendChild(e);
}
// creating the auth-realm child element
String authRealm = bean.getAuthRealm();
if (authRealm != null) {
e = xmldoc.createElementNS(null, "auth-realm");
n = xmldoc.createTextNode(authRealm);
e.appendChild(n);
request.appendChild(e);
}
// creating the auth-username child element
String authUsername = bean.getAuthUsername();
if (authUsername != null) {
e = xmldoc.createElementNS(null, "auth-username");
n = xmldoc.createTextNode(authUsername);
e.appendChild(n);
request.appendChild(e);
}
// creating the auth-password child element
String authPassword = null;
if(bean.getAuthPassword() != null){
authPassword = new String(bean.getAuthPassword());
e = xmldoc.createElementNS(null, "auth-password");
String encPassword = Base64.encodeObject(authPassword);
n = xmldoc.createTextNode(encPassword);
e.appendChild(n);
request.appendChild(e);
}
}
// Creating SSL elements
String sslTruststore = bean.getSslTrustStore();
if(!Util.isStrEmpty(sslTruststore)){
// 1. Create truststore entry
e = xmldoc.createElementNS(null, "ssl-truststore");
n = xmldoc.createTextNode(sslTruststore);
e.appendChild(n);
request.appendChild(e);
// 2. Create password entry
String sslPassword = new String(bean.getSslTrustStorePassword());
String encPassword = Base64.encodeObject(sslPassword);
e = xmldoc.createElementNS(null, "ssl-truststore-password");
n = xmldoc.createTextNode(encPassword);
e.appendChild(n);
request.appendChild(e);
}
// creating the headers child element
Map<String, String> headers = bean.getHeaders();
if (!headers.isEmpty()) {
e = xmldoc.createElementNS(null, "headers");
for (String key : headers.keySet()) {
String value = headers.get(key);
subChild = xmldoc.createElementNS(null, "header");
subChild.setAttributeNS(null, "key", key);
subChild.setAttributeNS(null, "value", value);
e.appendChild(subChild);
}
request.appendChild(e);
}
// creating the body child element
ReqEntityBean rBean = bean.getBody();
if (rBean != null) {
e = xmldoc.createElementNS(null, "body");
String contentType = rBean.getContentType();
String charSet = rBean.getCharSet();
String body = rBean.getBody();
e.setAttributeNS(null, "content-type", contentType);
e.setAttributeNS(null, "charset", charSet);
n = xmldoc.createTextNode(body);
e.appendChild(n);
request.appendChild(e);
}
// creating the test-script child element
String testScript = bean.getTestScript();
if (testScript != null) {
e = xmldoc.createElementNS(null, "test-script");
n = xmldoc.createTextNode(testScript);
e.appendChild(n);
request.appendChild(e);
}
root.appendChild(request);
return xmldoc;
}
catch(ParserConfigurationException ex){
throw new XMLException(ex.getMessage(), ex);
}
}
| public static Document request2XML(final RequestBean bean)
throws XMLException {
try{
Document xmldoc = null;
DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance();
DocumentBuilder builder = factory.newDocumentBuilder();
DOMImplementation impl = builder.getDOMImplementation();
Element e = null;
Element request = null;
Node n = null;
Element subChild = null;
xmldoc = impl.createDocument(null, "rest-client", null);
Element root = xmldoc.getDocumentElement();
root.setAttributeNS(null, "version", RCConstants.VERSION);
request = xmldoc.createElementNS(null, "request");
// HTTP version
e = xmldoc.createElementNS(null, "http-version");
n = xmldoc.createTextNode(bean.getHttpVersion().versionNumber());
e.appendChild(n);
request.appendChild(e);
// creating the URL child element
e = xmldoc.createElementNS(null, "URL");
n = xmldoc.createTextNode(bean.getUrl().toString());
e.appendChild(n);
request.appendChild(e);
// creating the method child element
e = xmldoc.createElementNS(null, "method");
n = xmldoc.createTextNode(bean.getMethod());
e.appendChild(n);
request.appendChild(e);
// creating the auth-methods child element
List<String> authMethods = bean.getAuthMethods();
if(authMethods.size() > 0){
if (authMethods != null && authMethods.size() > 0) {
e = xmldoc.createElementNS(null, "auth-methods");
String methods = "";
for (String authMethod : authMethods) {
methods = methods + authMethod + ",";
}
String authenticationMethod = methods.substring(0, methods.length()==0?0:methods.length()-1);
n = xmldoc.createTextNode(authenticationMethod);
e.appendChild(n);
request.appendChild(e);
}
// creating the auth-preemptive child element
Boolean authPreemptive = bean.isAuthPreemptive();
if (authPreemptive != null) {
e = xmldoc.createElementNS(null, "auth-preemptive");
n = xmldoc.createTextNode(authPreemptive.toString());
e.appendChild(n);
request.appendChild(e);
}
// creating the auth-host child element
String authHost = bean.getAuthHost();
if (authHost != null) {
e = xmldoc.createElementNS(null, "auth-host");
n = xmldoc.createTextNode(authHost);
e.appendChild(n);
request.appendChild(e);
}
// creating the auth-realm child element
String authRealm = bean.getAuthRealm();
if (authRealm != null) {
e = xmldoc.createElementNS(null, "auth-realm");
n = xmldoc.createTextNode(authRealm);
e.appendChild(n);
request.appendChild(e);
}
// creating the auth-username child element
String authUsername = bean.getAuthUsername();
if (authUsername != null) {
e = xmldoc.createElementNS(null, "auth-username");
n = xmldoc.createTextNode(authUsername);
e.appendChild(n);
request.appendChild(e);
}
// creating the auth-password child element
String authPassword = null;
if(bean.getAuthPassword() != null){
authPassword = new String(bean.getAuthPassword());
e = xmldoc.createElementNS(null, "auth-password");
String encPassword = Base64.encodeObject(authPassword);
n = xmldoc.createTextNode(encPassword);
e.appendChild(n);
request.appendChild(e);
}
}
// Creating SSL elements
String sslTruststore = bean.getSslTrustStore();
if(!Util.isStrEmpty(sslTruststore)){
// 1. Create truststore entry
e = xmldoc.createElementNS(null, "ssl-truststore");
n = xmldoc.createTextNode(sslTruststore);
e.appendChild(n);
request.appendChild(e);
// 2. Create password entry
String sslPassword = new String(bean.getSslTrustStorePassword());
String encPassword = Base64.encodeObject(sslPassword);
e = xmldoc.createElementNS(null, "ssl-truststore-password");
n = xmldoc.createTextNode(encPassword);
e.appendChild(n);
request.appendChild(e);
}
// creating the headers child element
Map<String, String> headers = bean.getHeaders();
if (!headers.isEmpty()) {
e = xmldoc.createElementNS(null, "headers");
for (String key : headers.keySet()) {
String value = headers.get(key);
subChild = xmldoc.createElementNS(null, "header");
subChild.setAttributeNS(null, "key", key);
subChild.setAttributeNS(null, "value", value);
e.appendChild(subChild);
}
request.appendChild(e);
}
// creating the body child element
ReqEntityBean rBean = bean.getBody();
if (rBean != null) {
e = xmldoc.createElementNS(null, "body");
String contentType = rBean.getContentType();
String charSet = rBean.getCharSet();
String body = rBean.getBody();
e.setAttributeNS(null, "content-type", contentType);
e.setAttributeNS(null, "charset", charSet);
n = xmldoc.createTextNode(body);
e.appendChild(n);
request.appendChild(e);
}
// creating the test-script child element
String testScript = bean.getTestScript();
if (testScript != null) {
e = xmldoc.createElementNS(null, "test-script");
n = xmldoc.createTextNode(testScript);
e.appendChild(n);
request.appendChild(e);
}
root.appendChild(request);
return xmldoc;
}
catch(ParserConfigurationException ex){
throw new XMLException(ex.getMessage(), ex);
}
}
|
diff --git a/cycle/src/test/java/com/camunda/fox/cycle/connector/AbstractConnectorTestBase.java b/cycle/src/test/java/com/camunda/fox/cycle/connector/AbstractConnectorTestBase.java
index 9092cc150..030f634ba 100644
--- a/cycle/src/test/java/com/camunda/fox/cycle/connector/AbstractConnectorTestBase.java
+++ b/cycle/src/test/java/com/camunda/fox/cycle/connector/AbstractConnectorTestBase.java
@@ -1,169 +1,169 @@
package com.camunda.fox.cycle.connector;
import static org.hamcrest.Matchers.equalTo;
import static org.hamcrest.Matchers.hasSize;
import static org.hamcrest.Matchers.is;
import static org.hamcrest.Matchers.notNullValue;
import static org.junit.Assert.assertFalse;
import static org.junit.Assert.assertThat;
import static org.junit.Assert.fail;
import java.io.ByteArrayInputStream;
import java.io.InputStream;
import java.util.Date;
import java.util.List;
import org.junit.Test;
import com.camunda.fox.cycle.util.IoUtil;
/**
*
* @author nico.rehwaldt
*/
public abstract class AbstractConnectorTestBase {
public static final String TMP_DIR_NAME = "connector-test-tmp-dir";
public static final ConnectorNode TMP_FOLDER =
new ConnectorNode("//" + TMP_DIR_NAME, TMP_DIR_NAME, ConnectorNodeType.FOLDER);
/**
* Returns the connector to be tested
* @return
*/
public abstract Connector getConnector();
@Test
public void shouldCreateDirectory() throws Exception {
Connector connector = getConnector();
ConnectorNode tmpFolder = connector.createNode("//", TMP_DIR_NAME, ConnectorNodeType.FOLDER);
assertThat(tmpFolder, is(equalTo(TMP_FOLDER)));
try {
ContentInformation tmpFolderInfo = connector.getContentInformation(tmpFolder);
fail("Obtaining connector info from folder should raise error");
} catch (IllegalArgumentException e) {
// anticipated
}
}
@Test
public void shouldImportDirectoryContents() throws Exception {
// given
Connector connector = getConnector();
// not alphabetically ordered!
String[] filesToImport = new String[] { "collaboration_impl.bpmn", "collaboration.bpmn" };
// when
for (String file: filesToImport) {
InputStream is = getDiagramResourceAsStream(file);
ConnectorNode fileNode = connector.createNode("//" + TMP_DIR_NAME, file, ConnectorNodeType.ANY_FILE);
connector.updateContent(fileNode, is);
IoUtil.closeSilently(is);
}
// then we should reach this point
}
@Test
public void shouldNotThrowExceptionWhenObtainingContentInfoOfNonExistentFile() throws Exception {
// give
Connector connector = getConnector();
// when
ContentInformation info = connector.getContentInformation(new ConnectorNode("some-non-existent-file"));
// then
assertThat(info, is(notNullValue()));
assertThat(info.exists(), is(false));
}
@Test
public void shouldListDirectoryContentsAlphabeticallyOrdered() throws Exception {
// given
Connector connector = getConnector();
// when
List<ConnectorNode> nodes = connector.getChildren(TMP_FOLDER);
// then
assertThat(nodes, hasSize(2));
ConnectorNode firstChildNode = nodes.get(0);
// collaboration should appear first --> alphabetical order
assertThat(firstChildNode.getId(), is("//" + TMP_DIR_NAME + "/collaboration.bpmn"));
assertThat(firstChildNode.getType(), is(ConnectorNodeType.BPMN_FILE));
}
@Test
public void shouldGetSingleFileContents() throws Exception {
// given
Connector connector = getConnector();
InputStream originalInputStream = null;
InputStream nodeInputStream = null;
try {
originalInputStream = getDiagramResourceAsStream("collaboration_impl.bpmn");
byte[] originalBytes = IoUtil.readInputStream(originalInputStream, "class path is");
// when
nodeInputStream = connector.getContent(new ConnectorNode("//" + TMP_DIR_NAME + "/collaboration_impl.bpmn"));
byte[] nodeBytes = IoUtil.readInputStream(nodeInputStream, "node input stream");
// then
assertThat(nodeBytes, is(equalTo(originalBytes)));
} finally {
IoUtil.closeSilently(originalInputStream, nodeInputStream);
}
}
@Test
public void shouldUpdateSingleFileContents() throws Exception {
// given
Connector connector = getConnector();
InputStream originalInputStream = null;
InputStream nodeInputStream = null;
Date now = new Date();
try {
originalInputStream = getDiagramResourceAsStream("collaboration_impl.bpmn");
byte[] inputBytes = IoUtil.readInputStream(originalInputStream, "class path is");
ConnectorNode fileNode = new ConnectorNode("//" + TMP_DIR_NAME + "/collaboration.bpmn", "collaboration.bpmn");
// when
ContentInformation updatedContentInfo = connector.updateContent(
fileNode, new ByteArrayInputStream(inputBytes));
assertThat(updatedContentInfo, is(notNullValue()));
assertThat(updatedContentInfo.exists(), is(true));
// see if updated was set
assertFalse(new Date().before(updatedContentInfo.getLastModified()));
- assertFalse(now.after(updatedContentInfo.getLastModified()));
+ assertFalse(now.getTime() >= updatedContentInfo.getLastModified().getTime());
// see if file contents equal the new contents
nodeInputStream = connector.getContent(fileNode);
byte[] nodeBytes = IoUtil.readInputStream(nodeInputStream, "node input stream");
// then
assertThat(nodeBytes, is(equalTo(inputBytes)));
} finally {
IoUtil.closeSilently(originalInputStream, nodeInputStream);
}
}
private InputStream getDiagramResourceAsStream(String file) {
return getClass().getResourceAsStream("/com/camunda/fox/cycle/roundtrip/" + file);
}
}
| true | true | public void shouldUpdateSingleFileContents() throws Exception {
// given
Connector connector = getConnector();
InputStream originalInputStream = null;
InputStream nodeInputStream = null;
Date now = new Date();
try {
originalInputStream = getDiagramResourceAsStream("collaboration_impl.bpmn");
byte[] inputBytes = IoUtil.readInputStream(originalInputStream, "class path is");
ConnectorNode fileNode = new ConnectorNode("//" + TMP_DIR_NAME + "/collaboration.bpmn", "collaboration.bpmn");
// when
ContentInformation updatedContentInfo = connector.updateContent(
fileNode, new ByteArrayInputStream(inputBytes));
assertThat(updatedContentInfo, is(notNullValue()));
assertThat(updatedContentInfo.exists(), is(true));
// see if updated was set
assertFalse(new Date().before(updatedContentInfo.getLastModified()));
assertFalse(now.after(updatedContentInfo.getLastModified()));
// see if file contents equal the new contents
nodeInputStream = connector.getContent(fileNode);
byte[] nodeBytes = IoUtil.readInputStream(nodeInputStream, "node input stream");
// then
assertThat(nodeBytes, is(equalTo(inputBytes)));
} finally {
IoUtil.closeSilently(originalInputStream, nodeInputStream);
}
}
| public void shouldUpdateSingleFileContents() throws Exception {
// given
Connector connector = getConnector();
InputStream originalInputStream = null;
InputStream nodeInputStream = null;
Date now = new Date();
try {
originalInputStream = getDiagramResourceAsStream("collaboration_impl.bpmn");
byte[] inputBytes = IoUtil.readInputStream(originalInputStream, "class path is");
ConnectorNode fileNode = new ConnectorNode("//" + TMP_DIR_NAME + "/collaboration.bpmn", "collaboration.bpmn");
// when
ContentInformation updatedContentInfo = connector.updateContent(
fileNode, new ByteArrayInputStream(inputBytes));
assertThat(updatedContentInfo, is(notNullValue()));
assertThat(updatedContentInfo.exists(), is(true));
// see if updated was set
assertFalse(new Date().before(updatedContentInfo.getLastModified()));
assertFalse(now.getTime() >= updatedContentInfo.getLastModified().getTime());
// see if file contents equal the new contents
nodeInputStream = connector.getContent(fileNode);
byte[] nodeBytes = IoUtil.readInputStream(nodeInputStream, "node input stream");
// then
assertThat(nodeBytes, is(equalTo(inputBytes)));
} finally {
IoUtil.closeSilently(originalInputStream, nodeInputStream);
}
}
|
diff --git a/SeriesGuide/src/com/battlelancer/seriesguide/ui/EpisodeDetailsFragment.java b/SeriesGuide/src/com/battlelancer/seriesguide/ui/EpisodeDetailsFragment.java
index b7b4c6f27..2884bb93b 100644
--- a/SeriesGuide/src/com/battlelancer/seriesguide/ui/EpisodeDetailsFragment.java
+++ b/SeriesGuide/src/com/battlelancer/seriesguide/ui/EpisodeDetailsFragment.java
@@ -1,586 +1,586 @@
/*
* Copyright 2012 Uwe Trottmann
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*
*/
package com.battlelancer.seriesguide.ui;
import android.annotation.TargetApi;
import android.content.Context;
import android.content.Intent;
import android.database.Cursor;
import android.net.Uri;
import android.os.AsyncTask;
import android.os.Build;
import android.os.Bundle;
import android.support.v4.app.LoaderManager;
import android.support.v4.content.CursorLoader;
import android.support.v4.content.Loader;
import android.support.v4.widget.CursorAdapter;
import android.text.Spannable;
import android.text.SpannableStringBuilder;
import android.text.TextUtils;
import android.text.format.DateUtils;
import android.text.style.TextAppearanceSpan;
import android.view.LayoutInflater;
import android.view.View;
import android.view.View.OnClickListener;
import android.view.ViewGroup;
import android.widget.FrameLayout;
import android.widget.ImageButton;
import android.widget.ImageView;
import android.widget.RatingBar;
import android.widget.RelativeLayout;
import android.widget.TextView;
import com.actionbarsherlock.app.SherlockFragmentActivity;
import com.actionbarsherlock.app.SherlockListFragment;
import com.actionbarsherlock.view.Menu;
import com.actionbarsherlock.view.MenuInflater;
import com.actionbarsherlock.view.MenuItem;
import com.battlelancer.seriesguide.Constants;
import com.battlelancer.seriesguide.provider.SeriesContract.Episodes;
import com.battlelancer.seriesguide.provider.SeriesContract.Seasons;
import com.battlelancer.seriesguide.provider.SeriesContract.Shows;
import com.battlelancer.seriesguide.provider.SeriesGuideDatabase.Tables;
import com.battlelancer.seriesguide.ui.dialogs.CheckInDialogFragment;
import com.battlelancer.seriesguide.ui.dialogs.ListsDialogFragment;
import com.battlelancer.seriesguide.util.FetchArtTask;
import com.battlelancer.seriesguide.util.FlagTask;
import com.battlelancer.seriesguide.util.FlagTask.FlagAction;
import com.battlelancer.seriesguide.util.FlagTask.OnFlagListener;
import com.battlelancer.seriesguide.util.ServiceUtils;
import com.battlelancer.seriesguide.util.ShareUtils;
import com.battlelancer.seriesguide.util.ShareUtils.ShareItems;
import com.battlelancer.seriesguide.util.ShareUtils.ShareMethod;
import com.battlelancer.seriesguide.util.TraktSummaryTask;
import com.battlelancer.seriesguide.util.Utils;
import com.google.analytics.tracking.android.EasyTracker;
import com.uwetrottmann.androidutils.AndroidUtils;
import com.uwetrottmann.androidutils.CheatSheet;
import com.uwetrottmann.seriesguide.R;
import java.util.Locale;
/**
* Displays details about a single episode like summary, ratings and episode
* image if available.
*/
public class EpisodeDetailsFragment extends SherlockListFragment implements
LoaderManager.LoaderCallbacks<Cursor>, OnFlagListener {
private static final int EPISODE_LOADER = 3;
private static final String TAG = "Episode Details";
private FetchArtTask mArtTask;
private TraktSummaryTask mTraktTask;
private DetailsAdapter mAdapter;
protected boolean mWatched;
protected boolean mCollected;
protected int mShowId;
protected int mSeasonNumber;
protected int mEpisodeNumber;
/**
* Data which has to be passed when creating this fragment.
*/
public interface InitBundle {
/**
* Integer extra.
*/
String EPISODE_TVDBID = "episode_tvdbid";
/**
* Boolean extra.
*/
String IS_POSTERBACKGROUND = "showposter";
}
public static EpisodeDetailsFragment newInstance(int episodeId, boolean isShowingPoster) {
EpisodeDetailsFragment f = new EpisodeDetailsFragment();
// Supply index input as an argument.
Bundle args = new Bundle();
args.putInt(InitBundle.EPISODE_TVDBID, episodeId);
args.putBoolean("showposter", isShowingPoster);
f.setArguments(args);
return f;
}
@Override
public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) {
/*
* never use this here (on config change the view needed before removing
* the fragment)
*/
// if (container == null) {
// return null;
// }
return inflater.inflate(R.layout.episodedetails_fragment, container, false);
}
@Override
public void onActivityCreated(Bundle savedInstanceState) {
super.onActivityCreated(savedInstanceState);
mAdapter = new DetailsAdapter(getActivity(), null, 0);
setListAdapter(mAdapter);
getLoaderManager().initLoader(EPISODE_LOADER, null, this);
setHasOptionsMenu(true);
}
@Override
public void onDestroy() {
super.onDestroy();
if (mArtTask != null) {
mArtTask.cancel(true);
mArtTask = null;
}
if (mTraktTask != null) {
mTraktTask.cancel(true);
mTraktTask = null;
}
}
@Override
public void onCreateOptionsMenu(Menu menu, MenuInflater inflater) {
super.onCreateOptionsMenu(menu, inflater);
inflater.inflate(R.menu.episodedetails_menu, menu);
}
@Override
public boolean onOptionsItemSelected(MenuItem item) {
int itemId = item.getItemId();
if (itemId == R.id.menu_rate_trakt) {
fireTrackerEvent("Rate (trakt)");
if (ServiceUtils.isTraktCredentialsValid(getActivity())) {
onShareEpisode(ShareMethod.RATE_TRAKT);
} else {
startActivity(new Intent(getActivity(), ConnectTraktActivity.class));
}
return true;
} else if (itemId == R.id.menu_share) {
fireTrackerEvent("Share");
onShareEpisode(ShareMethod.OTHER_SERVICES);
return true;
} else if (itemId == R.id.menu_manage_lists) {
fireTrackerEvent("Manage lists");
ListsDialogFragment.showListsDialog(String.valueOf(getEpisodeId()), 3,
getFragmentManager());
return true;
}
return super.onOptionsItemSelected(item);
}
@TargetApi(Build.VERSION_CODES.HONEYCOMB)
private void onShareEpisode(ShareMethod shareMethod) {
// Episode of this fragment is always the first item in the cursor
final Cursor episode = (Cursor) mAdapter.getItem(0);
final SherlockFragmentActivity activity = getSherlockActivity();
if (episode != null && activity != null) {
Bundle shareData = new Bundle();
String episodestring = ShareUtils.onCreateShareString(activity, episode);
String sharestring = getString(R.string.share_checkout);
sharestring += " \"" + episode.getString(DetailsQuery.SHOW_TITLE);
sharestring += " - " + episodestring + "\"";
shareData.putString(ShareItems.EPISODESTRING, episodestring);
shareData.putString(ShareItems.SHARESTRING, sharestring);
shareData.putInt(ShareItems.EPISODE, episode.getInt(DetailsQuery.NUMBER));
shareData.putInt(ShareItems.SEASON, episode.getInt(DetailsQuery.SEASON));
shareData.putInt(ShareItems.TVDBID, episode.getInt(DetailsQuery.REF_SHOW_ID));
// IMDb id
String imdbId = episode.getString(DetailsQuery.IMDBID);
if (TextUtils.isEmpty(imdbId)) {
// fall back to show IMDb id
imdbId = episode.getString(DetailsQuery.SHOW_IMDBID);
}
shareData.putString(ShareItems.IMDBID, imdbId);
// don't close cursor!
// episode.close();
ShareUtils.onShareEpisode(activity, shareData, shareMethod, null);
// invalidate the options menu so a potentially new
// quick share action is displayed
activity.invalidateOptionsMenu();
}
}
public int getEpisodeId() {
return getArguments().getInt(InitBundle.EPISODE_TVDBID);
}
protected void onLoadImage(String imagePath, FrameLayout container) {
if (mArtTask == null || mArtTask.getStatus() == AsyncTask.Status.FINISHED) {
mArtTask = (FetchArtTask) new FetchArtTask(imagePath, container, getActivity());
AndroidUtils.executeAsyncTask(mArtTask, new Void[] {
null
});
}
}
private void onToggleWatched() {
mWatched = !mWatched;
new FlagTask(getActivity(), mShowId, this).episodeWatched(mSeasonNumber, mEpisodeNumber)
.setItemId(getEpisodeId()).setFlag(mWatched).execute();
}
private void onToggleCollected() {
mCollected = !mCollected;
new FlagTask(getActivity(), mShowId, this).episodeCollected(mSeasonNumber, mEpisodeNumber)
.setItemId(getEpisodeId()).setFlag(mCollected).execute();
}
/**
* Non-static class (!) so we can access fields of
* {@link EpisodeDetailsFragment}. Displays one row, aka one episode.
*/
private class DetailsAdapter extends CursorAdapter {
private LayoutInflater mLayoutInflater;
public DetailsAdapter(Context context, Cursor c, int flags) {
super(context, c, flags);
mLayoutInflater = (LayoutInflater) context
.getSystemService(Context.LAYOUT_INFLATER_SERVICE);
}
@Override
public View newView(Context context, Cursor cursor, ViewGroup parent) {
return mLayoutInflater.inflate(R.layout.episodedetails, parent, false);
}
@Override
public void bindView(View view, Context context, Cursor cursor) {
mShowId = cursor.getInt(DetailsQuery.REF_SHOW_ID);
mSeasonNumber = cursor.getInt(DetailsQuery.SEASON);
mEpisodeNumber = cursor.getInt(DetailsQuery.NUMBER);
final String showTitle = cursor.getString(DetailsQuery.SHOW_TITLE);
final String episodeTitle = cursor.getString(DetailsQuery.TITLE);
final String episodeString = ShareUtils.onCreateShareString(
getSherlockActivity(), cursor);
final long airTime = cursor.getLong(DetailsQuery.FIRSTAIREDMS);
// Title and description
((TextView) view.findViewById(R.id.title))
.setText(cursor.getString(DetailsQuery.TITLE));
((TextView) view.findViewById(R.id.description)).setText(cursor
.getString(DetailsQuery.OVERVIEW));
// Show title button
TextView showtitle = (TextView) view.findViewById(R.id.showTitle);
showtitle.setText(showTitle);
showtitle.setOnClickListener(new OnClickListener() {
public void onClick(View v) {
Intent upIntent = new Intent(getActivity(), OverviewActivity.class);
upIntent.putExtra(OverviewFragment.InitBundle.SHOW_TVDBID, mShowId);
upIntent.addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP
| Intent.FLAG_ACTIVITY_NEW_TASK);
startActivity(upIntent);
getActivity().overridePendingTransition(R.anim.fragment_slide_right_enter,
R.anim.fragment_slide_right_exit);
getActivity().finish();
}
});
// Show poster background
if (getArguments().getBoolean("showposter")) {
final ImageView background = (ImageView) getActivity().findViewById(
R.id.episodedetails_background);
Utils.setPosterBackground(background,
cursor.getString(DetailsQuery.SHOW_POSTER), getActivity());
}
SpannableStringBuilder airTimeAndNumberText = new SpannableStringBuilder();
// Air day and time
TextView airdateText = (TextView) view.findViewById(R.id.airDay);
TextView airtimeText = (TextView) view.findViewById(R.id.airTime);
if (airTime != -1) {
airdateText.setText(Utils.formatToDate(airTime, getActivity()));
String[] dayAndTime = Utils.formatToTimeAndDay(airTime, getActivity());
airTimeAndNumberText.append((dayAndTime[2] + " (" + dayAndTime[1] + ")")
.toUpperCase(Locale.getDefault()));
} else {
airdateText.setText(R.string.unknown);
}
// number
int numberStartIndex = airTimeAndNumberText.length();
airTimeAndNumberText.append(" ")
.append(getString(R.string.season).toUpperCase(Locale.getDefault()))
.append(" ")
.append(String.valueOf(mSeasonNumber));
airTimeAndNumberText.append(" ");
airTimeAndNumberText
.append(getString(R.string.episode).toUpperCase(Locale.getDefault()))
.append(" ")
.append(String.valueOf(mEpisodeNumber));
final int episodeAbsoluteNumber = cursor.getInt(DetailsQuery.ABSOLUTE_NUMBER);
if (episodeAbsoluteNumber > 0 && episodeAbsoluteNumber != mEpisodeNumber) {
airTimeAndNumberText.append(" (").append(String.valueOf(episodeAbsoluteNumber))
.append(")");
}
airTimeAndNumberText.setSpan(new TextAppearanceSpan(mContext,
- R.style.TextAppearance_XSmall_Dim), numberStartIndex,
+ R.style.TextAppearance_Small_Dim), numberStartIndex,
airTimeAndNumberText.length(), Spannable.SPAN_EXCLUSIVE_EXCLUSIVE);
airtimeText.setText(airTimeAndNumberText);
// Last edit date
TextView lastEdit = (TextView) view.findViewById(R.id.lastEdit);
long lastEditRaw = cursor.getLong(DetailsQuery.LASTEDIT);
if (lastEditRaw > 0) {
lastEdit.setText(DateUtils.formatDateTime(context, lastEditRaw * 1000,
DateUtils.FORMAT_SHOW_DATE | DateUtils.FORMAT_SHOW_TIME));
} else {
lastEdit.setText(R.string.unknown);
}
// Guest stars
Utils.setLabelValueOrHide(view.findViewById(R.id.labelGuestStars),
(TextView) view.findViewById(R.id.guestStars),
Utils.splitAndKitTVDBStrings(cursor
.getString(DetailsQuery.GUESTSTARS)));
// DVD episode number
Utils.setLabelValueOrHide(view.findViewById(R.id.labelDvd),
(TextView) view.findViewById(R.id.dvdNumber),
cursor.getString(DetailsQuery.DVDNUMBER));
// Directors
String directors = Utils.splitAndKitTVDBStrings(cursor
.getString(DetailsQuery.DIRECTORS));
Utils.setValueOrPlaceholder(view.findViewById(R.id.directors), directors);
// Writers
String writers = Utils.splitAndKitTVDBStrings(cursor
.getString(DetailsQuery.WRITERS));
Utils.setValueOrPlaceholder(view.findViewById(R.id.writers), writers);
// Episode image
FrameLayout imageContainer = (FrameLayout) view.findViewById(R.id.imageContainer);
String imagePath = cursor.getString(DetailsQuery.IMAGE);
onLoadImage(imagePath, imageContainer);
// Watched button
mWatched = cursor.getInt(DetailsQuery.WATCHED) == 1 ? true : false;
ImageButton seenButton = (ImageButton) view.findViewById(R.id.watchedButton);
seenButton.setImageResource(mWatched ? R.drawable.ic_watched
: R.drawable.ic_action_watched);
seenButton.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
fireTrackerEvent("Toggle watched");
onToggleWatched();
}
});
CheatSheet.setup(seenButton, mWatched ? R.string.unmark_episode
: R.string.mark_episode);
// Collected button
mCollected = cursor.getInt(DetailsQuery.COLLECTED) == 1 ? true : false;
ImageButton collectedButton = (ImageButton) view.findViewById(R.id.collectedButton);
collectedButton.setImageResource(mCollected ? R.drawable.ic_collected
: R.drawable.ic_action_collect);
collectedButton.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
fireTrackerEvent("Toggle collected");
onToggleCollected();
}
});
CheatSheet.setup(collectedButton, mCollected ? R.string.uncollect
: R.string.collect);
// Calendar button
final int runtime = cursor.getInt(DetailsQuery.SHOW_RUNTIME);
View calendarButton = view.findViewById(R.id.calendarButton);
calendarButton.setOnClickListener(
new OnClickListener() {
@Override
public void onClick(View v) {
fireTrackerEvent("Add to calendar");
ShareUtils.onAddCalendarEvent(getSherlockActivity(), showTitle,
episodeString, airTime, runtime);
}
});
CheatSheet.setup(calendarButton);
// TVDb rating
RelativeLayout rating = (RelativeLayout) view.findViewById(R.id.ratingbar);
String ratingText = cursor.getString(DetailsQuery.RATING);
if (ratingText != null && ratingText.length() != 0) {
RatingBar ratingBar = (RatingBar) rating.findViewById(R.id.bar);
TextView ratingValue = (TextView) rating.findViewById(R.id.value);
ratingBar.setProgress((int) (Double.valueOf(ratingText) / 0.1));
ratingValue.setText(ratingText + "/10");
}
// fetch trakt ratings
mTraktTask = new TraktSummaryTask(getSherlockActivity(), rating).episode(
cursor.getInt(DetailsQuery.REF_SHOW_ID),
cursor.getInt(DetailsQuery.SEASON),
cursor.getInt(DetailsQuery.NUMBER));
AndroidUtils.executeAsyncTask(mTraktTask, new Void[] {});
// Google Play button
View playButton = view.findViewById(R.id.buttonGooglePlay);
Utils.setUpGooglePlayButton(showTitle + " " + episodeTitle, playButton, TAG);
// Amazon button
View amazonButton = view.findViewById(R.id.buttonAmazon);
Utils.setUpAmazonButton(showTitle + " " + episodeTitle, amazonButton, TAG);
// TVDb button
final String seasonId = cursor.getString(DetailsQuery.REF_SEASON_ID);
view.findViewById(R.id.buttonTVDB).setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
Intent i = new Intent(Intent.ACTION_VIEW, Uri
.parse(Constants.TVDB_EPISODE_URL_1 + mShowId
+ Constants.TVDB_EPISODE_URL_2 + seasonId
+ Constants.TVDB_EPISODE_URL_3 + getEpisodeId()));
startActivity(i);
}
});
// IMDb button
String imdbId = cursor.getString(DetailsQuery.IMDBID);
if (TextUtils.isEmpty(imdbId)) {
// fall back to show IMDb id
imdbId = cursor.getString(DetailsQuery.SHOW_IMDBID);
}
Utils.setUpImdbButton(imdbId, view.findViewById(R.id.buttonShowInfoIMDB), TAG,
getActivity());
// trakt shouts button
view.findViewById(R.id.buttonShouts).setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
Intent intent = new Intent(getActivity(), TraktShoutsActivity.class);
intent.putExtras(TraktShoutsActivity.createInitBundle(mShowId,
mSeasonNumber, mEpisodeNumber, episodeTitle));
startActivity(intent);
}
});
// Check in button
final String showImdbid = cursor.getString(DetailsQuery.SHOW_IMDBID);
view.findViewById(R.id.checkinButton).setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
// display a check-in dialog
CheckInDialogFragment f = CheckInDialogFragment.newInstance(showImdbid,
mShowId, mSeasonNumber, mEpisodeNumber, episodeString);
f.show(getFragmentManager(), "checkin-dialog");
}
});
}
}
interface DetailsQuery {
String[] PROJECTION = new String[] {
Tables.EPISODES + "." + Episodes._ID, Shows.REF_SHOW_ID, Episodes.OVERVIEW,
Episodes.NUMBER, Episodes.SEASON, Episodes.WATCHED, Episodes.FIRSTAIREDMS,
Episodes.DIRECTORS, Episodes.GUESTSTARS, Episodes.WRITERS,
Tables.EPISODES + "." + Episodes.RATING, Episodes.IMAGE, Episodes.DVDNUMBER,
Episodes.TITLE, Shows.TITLE, Shows.IMDBID, Shows.RUNTIME, Shows.POSTER,
Seasons.REF_SEASON_ID, Episodes.COLLECTED, Episodes.IMDBID, Episodes.LASTEDIT,
Episodes.ABSOLUTE_NUMBER
};
int _ID = 0;
int REF_SHOW_ID = 1;
int OVERVIEW = 2;
int NUMBER = 3;
int SEASON = 4;
int WATCHED = 5;
int FIRSTAIREDMS = 6;
int DIRECTORS = 7;
int GUESTSTARS = 8;
int WRITERS = 9;
int RATING = 10;
int IMAGE = 11;
int DVDNUMBER = 12;
int TITLE = 13;
int SHOW_TITLE = 14;
int SHOW_IMDBID = 15;
int SHOW_RUNTIME = 16;
int SHOW_POSTER = 17;
int REF_SEASON_ID = 18;
int COLLECTED = 19;
int IMDBID = 20;
int LASTEDIT = 21;
int ABSOLUTE_NUMBER = 22;
}
public Loader<Cursor> onCreateLoader(int arg0, Bundle arg1) {
return new CursorLoader(getActivity(), Episodes.buildEpisodeWithShowUri(String
.valueOf(getEpisodeId())), DetailsQuery.PROJECTION, null, null, null);
}
public void onLoadFinished(Loader<Cursor> loader, Cursor data) {
mAdapter.swapCursor(data);
}
public void onLoaderReset(Loader<Cursor> loader) {
mAdapter.swapCursor(null);
}
@Override
public void onFlagCompleted(FlagAction action, int showId, int itemId, boolean isSuccessful) {
if (isSuccessful && isAdded()) {
getLoaderManager().restartLoader(EPISODE_LOADER, null, this);
}
}
private void fireTrackerEvent(String label) {
EasyTracker.getTracker().sendEvent(TAG, "Action Item", label, (long) 0);
}
}
| true | true | public void bindView(View view, Context context, Cursor cursor) {
mShowId = cursor.getInt(DetailsQuery.REF_SHOW_ID);
mSeasonNumber = cursor.getInt(DetailsQuery.SEASON);
mEpisodeNumber = cursor.getInt(DetailsQuery.NUMBER);
final String showTitle = cursor.getString(DetailsQuery.SHOW_TITLE);
final String episodeTitle = cursor.getString(DetailsQuery.TITLE);
final String episodeString = ShareUtils.onCreateShareString(
getSherlockActivity(), cursor);
final long airTime = cursor.getLong(DetailsQuery.FIRSTAIREDMS);
// Title and description
((TextView) view.findViewById(R.id.title))
.setText(cursor.getString(DetailsQuery.TITLE));
((TextView) view.findViewById(R.id.description)).setText(cursor
.getString(DetailsQuery.OVERVIEW));
// Show title button
TextView showtitle = (TextView) view.findViewById(R.id.showTitle);
showtitle.setText(showTitle);
showtitle.setOnClickListener(new OnClickListener() {
public void onClick(View v) {
Intent upIntent = new Intent(getActivity(), OverviewActivity.class);
upIntent.putExtra(OverviewFragment.InitBundle.SHOW_TVDBID, mShowId);
upIntent.addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP
| Intent.FLAG_ACTIVITY_NEW_TASK);
startActivity(upIntent);
getActivity().overridePendingTransition(R.anim.fragment_slide_right_enter,
R.anim.fragment_slide_right_exit);
getActivity().finish();
}
});
// Show poster background
if (getArguments().getBoolean("showposter")) {
final ImageView background = (ImageView) getActivity().findViewById(
R.id.episodedetails_background);
Utils.setPosterBackground(background,
cursor.getString(DetailsQuery.SHOW_POSTER), getActivity());
}
SpannableStringBuilder airTimeAndNumberText = new SpannableStringBuilder();
// Air day and time
TextView airdateText = (TextView) view.findViewById(R.id.airDay);
TextView airtimeText = (TextView) view.findViewById(R.id.airTime);
if (airTime != -1) {
airdateText.setText(Utils.formatToDate(airTime, getActivity()));
String[] dayAndTime = Utils.formatToTimeAndDay(airTime, getActivity());
airTimeAndNumberText.append((dayAndTime[2] + " (" + dayAndTime[1] + ")")
.toUpperCase(Locale.getDefault()));
} else {
airdateText.setText(R.string.unknown);
}
// number
int numberStartIndex = airTimeAndNumberText.length();
airTimeAndNumberText.append(" ")
.append(getString(R.string.season).toUpperCase(Locale.getDefault()))
.append(" ")
.append(String.valueOf(mSeasonNumber));
airTimeAndNumberText.append(" ");
airTimeAndNumberText
.append(getString(R.string.episode).toUpperCase(Locale.getDefault()))
.append(" ")
.append(String.valueOf(mEpisodeNumber));
final int episodeAbsoluteNumber = cursor.getInt(DetailsQuery.ABSOLUTE_NUMBER);
if (episodeAbsoluteNumber > 0 && episodeAbsoluteNumber != mEpisodeNumber) {
airTimeAndNumberText.append(" (").append(String.valueOf(episodeAbsoluteNumber))
.append(")");
}
airTimeAndNumberText.setSpan(new TextAppearanceSpan(mContext,
R.style.TextAppearance_XSmall_Dim), numberStartIndex,
airTimeAndNumberText.length(), Spannable.SPAN_EXCLUSIVE_EXCLUSIVE);
airtimeText.setText(airTimeAndNumberText);
// Last edit date
TextView lastEdit = (TextView) view.findViewById(R.id.lastEdit);
long lastEditRaw = cursor.getLong(DetailsQuery.LASTEDIT);
if (lastEditRaw > 0) {
lastEdit.setText(DateUtils.formatDateTime(context, lastEditRaw * 1000,
DateUtils.FORMAT_SHOW_DATE | DateUtils.FORMAT_SHOW_TIME));
} else {
lastEdit.setText(R.string.unknown);
}
// Guest stars
Utils.setLabelValueOrHide(view.findViewById(R.id.labelGuestStars),
(TextView) view.findViewById(R.id.guestStars),
Utils.splitAndKitTVDBStrings(cursor
.getString(DetailsQuery.GUESTSTARS)));
// DVD episode number
Utils.setLabelValueOrHide(view.findViewById(R.id.labelDvd),
(TextView) view.findViewById(R.id.dvdNumber),
cursor.getString(DetailsQuery.DVDNUMBER));
// Directors
String directors = Utils.splitAndKitTVDBStrings(cursor
.getString(DetailsQuery.DIRECTORS));
Utils.setValueOrPlaceholder(view.findViewById(R.id.directors), directors);
// Writers
String writers = Utils.splitAndKitTVDBStrings(cursor
.getString(DetailsQuery.WRITERS));
Utils.setValueOrPlaceholder(view.findViewById(R.id.writers), writers);
// Episode image
FrameLayout imageContainer = (FrameLayout) view.findViewById(R.id.imageContainer);
String imagePath = cursor.getString(DetailsQuery.IMAGE);
onLoadImage(imagePath, imageContainer);
// Watched button
mWatched = cursor.getInt(DetailsQuery.WATCHED) == 1 ? true : false;
ImageButton seenButton = (ImageButton) view.findViewById(R.id.watchedButton);
seenButton.setImageResource(mWatched ? R.drawable.ic_watched
: R.drawable.ic_action_watched);
seenButton.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
fireTrackerEvent("Toggle watched");
onToggleWatched();
}
});
CheatSheet.setup(seenButton, mWatched ? R.string.unmark_episode
: R.string.mark_episode);
// Collected button
mCollected = cursor.getInt(DetailsQuery.COLLECTED) == 1 ? true : false;
ImageButton collectedButton = (ImageButton) view.findViewById(R.id.collectedButton);
collectedButton.setImageResource(mCollected ? R.drawable.ic_collected
: R.drawable.ic_action_collect);
collectedButton.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
fireTrackerEvent("Toggle collected");
onToggleCollected();
}
});
CheatSheet.setup(collectedButton, mCollected ? R.string.uncollect
: R.string.collect);
// Calendar button
final int runtime = cursor.getInt(DetailsQuery.SHOW_RUNTIME);
View calendarButton = view.findViewById(R.id.calendarButton);
calendarButton.setOnClickListener(
new OnClickListener() {
@Override
public void onClick(View v) {
fireTrackerEvent("Add to calendar");
ShareUtils.onAddCalendarEvent(getSherlockActivity(), showTitle,
episodeString, airTime, runtime);
}
});
CheatSheet.setup(calendarButton);
// TVDb rating
RelativeLayout rating = (RelativeLayout) view.findViewById(R.id.ratingbar);
String ratingText = cursor.getString(DetailsQuery.RATING);
if (ratingText != null && ratingText.length() != 0) {
RatingBar ratingBar = (RatingBar) rating.findViewById(R.id.bar);
TextView ratingValue = (TextView) rating.findViewById(R.id.value);
ratingBar.setProgress((int) (Double.valueOf(ratingText) / 0.1));
ratingValue.setText(ratingText + "/10");
}
// fetch trakt ratings
mTraktTask = new TraktSummaryTask(getSherlockActivity(), rating).episode(
cursor.getInt(DetailsQuery.REF_SHOW_ID),
cursor.getInt(DetailsQuery.SEASON),
cursor.getInt(DetailsQuery.NUMBER));
AndroidUtils.executeAsyncTask(mTraktTask, new Void[] {});
// Google Play button
View playButton = view.findViewById(R.id.buttonGooglePlay);
Utils.setUpGooglePlayButton(showTitle + " " + episodeTitle, playButton, TAG);
// Amazon button
View amazonButton = view.findViewById(R.id.buttonAmazon);
Utils.setUpAmazonButton(showTitle + " " + episodeTitle, amazonButton, TAG);
// TVDb button
final String seasonId = cursor.getString(DetailsQuery.REF_SEASON_ID);
view.findViewById(R.id.buttonTVDB).setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
Intent i = new Intent(Intent.ACTION_VIEW, Uri
.parse(Constants.TVDB_EPISODE_URL_1 + mShowId
+ Constants.TVDB_EPISODE_URL_2 + seasonId
+ Constants.TVDB_EPISODE_URL_3 + getEpisodeId()));
startActivity(i);
}
});
// IMDb button
String imdbId = cursor.getString(DetailsQuery.IMDBID);
if (TextUtils.isEmpty(imdbId)) {
// fall back to show IMDb id
imdbId = cursor.getString(DetailsQuery.SHOW_IMDBID);
}
Utils.setUpImdbButton(imdbId, view.findViewById(R.id.buttonShowInfoIMDB), TAG,
getActivity());
// trakt shouts button
view.findViewById(R.id.buttonShouts).setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
Intent intent = new Intent(getActivity(), TraktShoutsActivity.class);
intent.putExtras(TraktShoutsActivity.createInitBundle(mShowId,
mSeasonNumber, mEpisodeNumber, episodeTitle));
startActivity(intent);
}
});
// Check in button
final String showImdbid = cursor.getString(DetailsQuery.SHOW_IMDBID);
view.findViewById(R.id.checkinButton).setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
// display a check-in dialog
CheckInDialogFragment f = CheckInDialogFragment.newInstance(showImdbid,
mShowId, mSeasonNumber, mEpisodeNumber, episodeString);
f.show(getFragmentManager(), "checkin-dialog");
}
});
}
| public void bindView(View view, Context context, Cursor cursor) {
mShowId = cursor.getInt(DetailsQuery.REF_SHOW_ID);
mSeasonNumber = cursor.getInt(DetailsQuery.SEASON);
mEpisodeNumber = cursor.getInt(DetailsQuery.NUMBER);
final String showTitle = cursor.getString(DetailsQuery.SHOW_TITLE);
final String episodeTitle = cursor.getString(DetailsQuery.TITLE);
final String episodeString = ShareUtils.onCreateShareString(
getSherlockActivity(), cursor);
final long airTime = cursor.getLong(DetailsQuery.FIRSTAIREDMS);
// Title and description
((TextView) view.findViewById(R.id.title))
.setText(cursor.getString(DetailsQuery.TITLE));
((TextView) view.findViewById(R.id.description)).setText(cursor
.getString(DetailsQuery.OVERVIEW));
// Show title button
TextView showtitle = (TextView) view.findViewById(R.id.showTitle);
showtitle.setText(showTitle);
showtitle.setOnClickListener(new OnClickListener() {
public void onClick(View v) {
Intent upIntent = new Intent(getActivity(), OverviewActivity.class);
upIntent.putExtra(OverviewFragment.InitBundle.SHOW_TVDBID, mShowId);
upIntent.addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP
| Intent.FLAG_ACTIVITY_NEW_TASK);
startActivity(upIntent);
getActivity().overridePendingTransition(R.anim.fragment_slide_right_enter,
R.anim.fragment_slide_right_exit);
getActivity().finish();
}
});
// Show poster background
if (getArguments().getBoolean("showposter")) {
final ImageView background = (ImageView) getActivity().findViewById(
R.id.episodedetails_background);
Utils.setPosterBackground(background,
cursor.getString(DetailsQuery.SHOW_POSTER), getActivity());
}
SpannableStringBuilder airTimeAndNumberText = new SpannableStringBuilder();
// Air day and time
TextView airdateText = (TextView) view.findViewById(R.id.airDay);
TextView airtimeText = (TextView) view.findViewById(R.id.airTime);
if (airTime != -1) {
airdateText.setText(Utils.formatToDate(airTime, getActivity()));
String[] dayAndTime = Utils.formatToTimeAndDay(airTime, getActivity());
airTimeAndNumberText.append((dayAndTime[2] + " (" + dayAndTime[1] + ")")
.toUpperCase(Locale.getDefault()));
} else {
airdateText.setText(R.string.unknown);
}
// number
int numberStartIndex = airTimeAndNumberText.length();
airTimeAndNumberText.append(" ")
.append(getString(R.string.season).toUpperCase(Locale.getDefault()))
.append(" ")
.append(String.valueOf(mSeasonNumber));
airTimeAndNumberText.append(" ");
airTimeAndNumberText
.append(getString(R.string.episode).toUpperCase(Locale.getDefault()))
.append(" ")
.append(String.valueOf(mEpisodeNumber));
final int episodeAbsoluteNumber = cursor.getInt(DetailsQuery.ABSOLUTE_NUMBER);
if (episodeAbsoluteNumber > 0 && episodeAbsoluteNumber != mEpisodeNumber) {
airTimeAndNumberText.append(" (").append(String.valueOf(episodeAbsoluteNumber))
.append(")");
}
airTimeAndNumberText.setSpan(new TextAppearanceSpan(mContext,
R.style.TextAppearance_Small_Dim), numberStartIndex,
airTimeAndNumberText.length(), Spannable.SPAN_EXCLUSIVE_EXCLUSIVE);
airtimeText.setText(airTimeAndNumberText);
// Last edit date
TextView lastEdit = (TextView) view.findViewById(R.id.lastEdit);
long lastEditRaw = cursor.getLong(DetailsQuery.LASTEDIT);
if (lastEditRaw > 0) {
lastEdit.setText(DateUtils.formatDateTime(context, lastEditRaw * 1000,
DateUtils.FORMAT_SHOW_DATE | DateUtils.FORMAT_SHOW_TIME));
} else {
lastEdit.setText(R.string.unknown);
}
// Guest stars
Utils.setLabelValueOrHide(view.findViewById(R.id.labelGuestStars),
(TextView) view.findViewById(R.id.guestStars),
Utils.splitAndKitTVDBStrings(cursor
.getString(DetailsQuery.GUESTSTARS)));
// DVD episode number
Utils.setLabelValueOrHide(view.findViewById(R.id.labelDvd),
(TextView) view.findViewById(R.id.dvdNumber),
cursor.getString(DetailsQuery.DVDNUMBER));
// Directors
String directors = Utils.splitAndKitTVDBStrings(cursor
.getString(DetailsQuery.DIRECTORS));
Utils.setValueOrPlaceholder(view.findViewById(R.id.directors), directors);
// Writers
String writers = Utils.splitAndKitTVDBStrings(cursor
.getString(DetailsQuery.WRITERS));
Utils.setValueOrPlaceholder(view.findViewById(R.id.writers), writers);
// Episode image
FrameLayout imageContainer = (FrameLayout) view.findViewById(R.id.imageContainer);
String imagePath = cursor.getString(DetailsQuery.IMAGE);
onLoadImage(imagePath, imageContainer);
// Watched button
mWatched = cursor.getInt(DetailsQuery.WATCHED) == 1 ? true : false;
ImageButton seenButton = (ImageButton) view.findViewById(R.id.watchedButton);
seenButton.setImageResource(mWatched ? R.drawable.ic_watched
: R.drawable.ic_action_watched);
seenButton.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
fireTrackerEvent("Toggle watched");
onToggleWatched();
}
});
CheatSheet.setup(seenButton, mWatched ? R.string.unmark_episode
: R.string.mark_episode);
// Collected button
mCollected = cursor.getInt(DetailsQuery.COLLECTED) == 1 ? true : false;
ImageButton collectedButton = (ImageButton) view.findViewById(R.id.collectedButton);
collectedButton.setImageResource(mCollected ? R.drawable.ic_collected
: R.drawable.ic_action_collect);
collectedButton.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
fireTrackerEvent("Toggle collected");
onToggleCollected();
}
});
CheatSheet.setup(collectedButton, mCollected ? R.string.uncollect
: R.string.collect);
// Calendar button
final int runtime = cursor.getInt(DetailsQuery.SHOW_RUNTIME);
View calendarButton = view.findViewById(R.id.calendarButton);
calendarButton.setOnClickListener(
new OnClickListener() {
@Override
public void onClick(View v) {
fireTrackerEvent("Add to calendar");
ShareUtils.onAddCalendarEvent(getSherlockActivity(), showTitle,
episodeString, airTime, runtime);
}
});
CheatSheet.setup(calendarButton);
// TVDb rating
RelativeLayout rating = (RelativeLayout) view.findViewById(R.id.ratingbar);
String ratingText = cursor.getString(DetailsQuery.RATING);
if (ratingText != null && ratingText.length() != 0) {
RatingBar ratingBar = (RatingBar) rating.findViewById(R.id.bar);
TextView ratingValue = (TextView) rating.findViewById(R.id.value);
ratingBar.setProgress((int) (Double.valueOf(ratingText) / 0.1));
ratingValue.setText(ratingText + "/10");
}
// fetch trakt ratings
mTraktTask = new TraktSummaryTask(getSherlockActivity(), rating).episode(
cursor.getInt(DetailsQuery.REF_SHOW_ID),
cursor.getInt(DetailsQuery.SEASON),
cursor.getInt(DetailsQuery.NUMBER));
AndroidUtils.executeAsyncTask(mTraktTask, new Void[] {});
// Google Play button
View playButton = view.findViewById(R.id.buttonGooglePlay);
Utils.setUpGooglePlayButton(showTitle + " " + episodeTitle, playButton, TAG);
// Amazon button
View amazonButton = view.findViewById(R.id.buttonAmazon);
Utils.setUpAmazonButton(showTitle + " " + episodeTitle, amazonButton, TAG);
// TVDb button
final String seasonId = cursor.getString(DetailsQuery.REF_SEASON_ID);
view.findViewById(R.id.buttonTVDB).setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
Intent i = new Intent(Intent.ACTION_VIEW, Uri
.parse(Constants.TVDB_EPISODE_URL_1 + mShowId
+ Constants.TVDB_EPISODE_URL_2 + seasonId
+ Constants.TVDB_EPISODE_URL_3 + getEpisodeId()));
startActivity(i);
}
});
// IMDb button
String imdbId = cursor.getString(DetailsQuery.IMDBID);
if (TextUtils.isEmpty(imdbId)) {
// fall back to show IMDb id
imdbId = cursor.getString(DetailsQuery.SHOW_IMDBID);
}
Utils.setUpImdbButton(imdbId, view.findViewById(R.id.buttonShowInfoIMDB), TAG,
getActivity());
// trakt shouts button
view.findViewById(R.id.buttonShouts).setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
Intent intent = new Intent(getActivity(), TraktShoutsActivity.class);
intent.putExtras(TraktShoutsActivity.createInitBundle(mShowId,
mSeasonNumber, mEpisodeNumber, episodeTitle));
startActivity(intent);
}
});
// Check in button
final String showImdbid = cursor.getString(DetailsQuery.SHOW_IMDBID);
view.findViewById(R.id.checkinButton).setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
// display a check-in dialog
CheckInDialogFragment f = CheckInDialogFragment.newInstance(showImdbid,
mShowId, mSeasonNumber, mEpisodeNumber, episodeString);
f.show(getFragmentManager(), "checkin-dialog");
}
});
}
|
diff --git a/source/src/main/java/com/redcats/tst/database/DatabaseVersioningService.java b/source/src/main/java/com/redcats/tst/database/DatabaseVersioningService.java
index 8317f2c5b..0e111c6c0 100644
--- a/source/src/main/java/com/redcats/tst/database/DatabaseVersioningService.java
+++ b/source/src/main/java/com/redcats/tst/database/DatabaseVersioningService.java
@@ -1,2515 +1,2515 @@
package com.redcats.tst.database;
import com.redcats.tst.entity.MyVersion;
import com.redcats.tst.log.MyLogger;
import com.redcats.tst.service.IDatabaseVersioningService;
import com.redcats.tst.service.IMyVersionService;
import java.sql.Connection;
import java.sql.PreparedStatement;
import java.sql.SQLException;
import java.util.ArrayList;
import org.apache.log4j.Level;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
/**
*
* @author vertigo
*/
@Service
public class DatabaseVersioningService implements IDatabaseVersioningService {
@Autowired
private IMyVersionService MyversionService;
@Autowired
private DatabaseSpring databaseSpring;
@Override
public String exeSQL(String SQLString) {
PreparedStatement preStat;
Connection connection = this.databaseSpring.connect();
try {
preStat = connection.prepareStatement(SQLString);
try {
preStat.execute();
MyLogger.log(DatabaseVersioningService.class.getName(), Level.INFO, SQLString + " Executed successfully.");
} catch (Exception exception1) {
MyLogger.log(DatabaseVersioningService.class.getName(), Level.ERROR, exception1.toString());
return exception1.toString();
} finally {
preStat.close();
}
} catch (Exception exception1) {
MyLogger.log(DatabaseVersioningService.class.getName(), Level.ERROR, exception1.toString());
return exception1.toString();
} finally {
try {
if (connection != null) {
connection.close();
}
} catch (SQLException e) {
MyLogger.log(DatabaseVersioningService.class.getName(), Level.WARN, e.toString());
}
}
return "OK";
}
@Override
public boolean isDatabaseUptodate() {
// Getting the Full script to update the database.
ArrayList<String> SQLList;
SQLList = this.getSQLScript();
// Get version from the database
MyVersion MVersion;
MVersion = MyversionService.findMyVersionByKey("database");
// compare both to see if version is uptodate.
if (SQLList.size() == MVersion.getValue()) {
return true;
}
MyLogger.log(DatabaseVersioningService.class.getName(), Level.INFO, "Database needs an upgrade - Script : " + SQLList.size() + " Database : " + MVersion.getValue());
return false;
}
@Override
public ArrayList<String> getSQLScript() {
// Temporary string that will store the SQL Command before putting in the array.
StringBuilder SQLS;
// Full script that create the cerberus database.
ArrayList<String> SQLInstruction;
// Start to build the SQL Script here.
SQLInstruction = new ArrayList<String>();
// ***********************************************
// ***********************************************
// SQL Script Instructions.
// ***********************************************
// ***********************************************
// Every Query must be independant.
// Drop and Create index of the table / columns inside the same SQL
// Drop and creation of Foreign Key inside the same SQL
// 1 Index or Foreign Key at a time.
// Baware of big tables that may result a timeout on the GUI side.
// ***********************************************
// ***********************************************
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `myversion` (");
SQLS.append(" `Key` varchar(45) NOT NULL DEFAULT '', `Value` int(11) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Key`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `myversion` (`Key`, `Value`) VALUES ('database', 0);");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `log` (");
SQLS.append(" `id` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `datecre` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" `desc` varchar(20) DEFAULT NULL,");
SQLS.append(" `longdesc` varchar(400) DEFAULT NULL,");
SQLS.append(" `remoteIP` varchar(20) DEFAULT NULL,");
SQLS.append(" `localIP` varchar(20) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`id`),");
SQLS.append(" KEY `datecre` (`datecre`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `user` (");
SQLS.append(" `UserID` int(10) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Login` varchar(10) NOT NULL,");
SQLS.append(" `Password` char(40) NOT NULL,");
SQLS.append(" `Name` varchar(25) NOT NULL,");
SQLS.append(" `Request` varchar(5) DEFAULT NULL,");
SQLS.append(" `ReportingFavorite` varchar(1000) DEFAULT NULL,");
SQLS.append(" `DefaultIP` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`UserID`),");
SQLS.append(" UNIQUE KEY `ID1` (`Login`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `user` VALUES (1,'admin','d033e22ae348aeb5660fc2140aec35850c4da997','Admin User','false',NULL,NULL)");
SQLS.append(",(2,'cerberus','b7e73576cd25a6756dfc25d9eb914ba235d4355d','Cerberus User','false',NULL,NULL);");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `usergroup` (");
SQLS.append(" `Login` varchar(10) NOT NULL,");
SQLS.append(" `GroupName` varchar(10) NOT NULL,");
SQLS.append(" PRIMARY KEY (`Login`,`GroupName`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `usergroup` VALUES ('admin','Admin'),('admin','User'),('admin','Visitor'),('admin','Integrator'),('cerberus','User'),('cerberus','Visitor'),('cerberus','Integrator');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `documentation` (");
SQLS.append(" `DocTable` varchar(50) NOT NULL,");
SQLS.append(" `DocField` varchar(45) NOT NULL,");
SQLS.append(" `DocValue` varchar(60) NOT NULL DEFAULT '',");
SQLS.append(" `DocLabel` varchar(60) DEFAULT NULL,");
SQLS.append(" `DocDesc` varchar(10000) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`DocTable`,`DocField`,`DocValue`) USING BTREE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `parameter` (");
SQLS.append(" `param` varchar(100) NOT NULL,");
SQLS.append(" `value` varchar(10000) NOT NULL,");
SQLS.append(" `description` varchar(5000) NOT NULL,");
SQLS.append(" PRIMARY KEY (`param`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `parameter` VALUES ('cerberus_homepage_nbbuildhistorydetail','5','Define the number of build/revision that are displayed in the homepage.')");
SQLS.append(",('cerberus_picture_path','/home/vertigo/dev/CerberusPictures/','Path to store the Cerberus Selenium Screenshot')");
SQLS.append(",('cerberus_picture_url','http://localhost/CerberusPictures/','Link to the Cerberus Selenium Screenshot. The following variable can be used : %ID% and %SCREENSHOT%')");
SQLS.append(",('cerberus_reporting_url','http://IP/Cerberus/ReportingExecution.jsp?Application=%appli%&TcActive=Y&Priority=All&Environment=%env%&Build=%build%&Revision=%rev%&Country=%country%&Status=WORKING&Apply=Apply','URL to Cerberus reporting screen. the following variables can be used : %country%, %env%, %appli%, %build% and %rev%.')");
SQLS.append(",('cerberus_selenium_plugins_path','/tmp/','Path to load firefox plugins (Firebug + netExport) to do network traffic')");
SQLS.append(",('cerberus_support_email','<a href=\"mailto:[email protected]?Subject=Cerberus%20Account\" style=\"color: yellow\">Support</a>','Contact Email in order to ask for new user in Cerberus tool.')");
SQLS.append(",('cerberus_testexecutiondetailpage_nbmaxexe','100','Default maximum number of testcase execution displayed in testcase execution detail page.')");
SQLS.append(",('cerberus_testexecutiondetailpage_nbmaxexe_max','5000','Maximum number of testcase execution displayed in testcase execution detail page.')");
SQLS.append(",('CI_OK_prio1','1','Coef in order to calculate the OK/KO result for CI platform.')");
SQLS.append(",('CI_OK_prio2','0.5','Coef in order to calculate the OK/KO result for CI platform.')");
SQLS.append(",('CI_OK_prio3','0.2','Coef in order to calculate the OK/KO result for CI platform.')");
SQLS.append(",('CI_OK_prio4','0.1','Coef in order to calculate the OK/KO result for CI platform.')");
SQLS.append(",('CI_OK_prio5','0','Coef in order to calculate the OK/KO result for CI platform.')");
SQLS.append(",('index_alert_body','','Body for alerts')");
SQLS.append(",('index_alert_from','QUALITY Team <[email protected]>','From team for alerts')");
SQLS.append(",('index_alert_subject','[BAM] Alert detected for %COUNTRY%','Subject for alerts')");
SQLS.append(",('index_alert_to','QUALITY Team <[email protected]>','List of contact for alerts')");
SQLS.append(",('index_notification_body_between','<br><br>','Text to display between the element of the mail')");
SQLS.append(",('index_notification_body_end','Subscribe / unsubscribe and get more realtime graph <a href=\"http://IP/index/BusinessActivityMonitor.jsp\">here</a>. <font size=\"1\">(Not available on Internet)</font><br><br>If you have any question, please contact us at <a href=\"mailto:[email protected]\">[email protected]</a><br>Cumprimentos / Regards / Cordialement,<br>Test and Integration Team</body></html>','Test to display at the end')");
SQLS.append(",('index_notification_body_top','<html><body>Hello<br><br>Following is the activity monitored for %COUNTRY%, on the %DATEDEB%.<br><br>','Text to display at the top of the mail')");
SQLS.append(",('index_notification_subject','[BAM] Business Activity Monitor for %COUNTRY%','subject')");
SQLS.append(",('index_smtp_from','Team <[email protected]>','smtp from used for notification')");
SQLS.append(",('index_smtp_host','smtp.mail.com','Smtp host used with notification')");
SQLS.append(",('index_smtp_port','25','smtp port used for notification ')");
SQLS.append(",('integration_notification_disableenvironment_body','Hello to all.<br><br>Use of environment %ENV% for country %COUNTRY% with Sprint %BUILD% (Revision %REVISION%) has been disabled, either to cancel the environment or to start deploying a new Sprint/revision.<br>Please don\\'t use the VC applications until you receive further notification.<br><br>If you have any question, please contact us at [email protected]<br><br>Cumprimentos / Regards / Cordialement,<br><br>Test and Integration Team','Default Mail Body on event disableenvironment.')");
SQLS.append(",('integration_notification_disableenvironment_cc','Team <[email protected]>','Default Mail cc on event disableenvironment.')");
SQLS.append(",('integration_notification_disableenvironment_subject','[TIT] Env %ENV% for %COUNTRY% (with Sprint %BUILD% revision %REVISION%) has been disabled for Maintenance.','Default Mail Subject on event disableenvironment.')");
SQLS.append(",('integration_notification_disableenvironment_to','Team <[email protected]>','Default Mail to on event disableenvironment.')");
SQLS.append(",('integration_notification_newbuildrevision_body','Hello to all.<br><br>Sprint %BUILD% with Revisions %REVISION% is now available in %ENV%.<br>To access the corresponding application use the link:<br><a href=\"http://IP/index/?active=Y&env=%ENV%&country=%COUNTRY%\">http://IP/index/?active=Y&env=%ENV%&country=%COUNTRY%</a><br><br>%BUILDCONTENT%<br>%TESTRECAP%<br>%TESTRECAPALL%<br>If you have any problem or question, please contact us at [email protected]<br><br>Cumprimentos / Regards / Cordialement,<br><br>Test and Integration Team','Default Mail Body on event newbuildrevision.')");
SQLS.append(",('integration_notification_newbuildrevision_cc','Team <[email protected]>','Default Mail cc on event newbuildrevision.')");
SQLS.append(",('integration_notification_newbuildrevision_subject','[TIT] Sprint %BUILD% Revision %REVISION% is now ready to be used in %ENV% for %COUNTRY%.','Default Mail Subject on event newbuildrevision.')");
SQLS.append(",('integration_notification_newbuildrevision_to','Team <[email protected]>','Default Mail to on event newchain.')");
SQLS.append(",('integration_notification_newchain_body','Hello to all.<br><br>A new Chain %CHAIN% has been executed in %ENV% for your country (%COUNTRY%).<br>Please perform your necessary test following that execution.<br><br>If you have any question, please contact us at [email protected]<br><br>Cumprimentos / Regards / Cordialement.','Default Mail Body on event newchain.')");
SQLS.append(",('integration_notification_newchain_cc','Team <[email protected]>','Default Mail cc on event newchain.')");
SQLS.append(",('integration_notification_newchain_subject','[TIT] A New treatment %CHAIN% has been executed in %ENV% for %COUNTRY%.','Default Mail Subject on event newchain.')");
SQLS.append(",('integration_notification_newchain_to','Team <[email protected]>','Default Mail to on event newchain.')");
SQLS.append(",('integration_smtp_from','Team <[email protected]>','smtp from used for notification')");
SQLS.append(",('integration_smtp_host','mail.com','Smtp host used with notification')");
SQLS.append(",('integration_smtp_port','25','smtp port used for notification ')");
SQLS.append(",('jenkins_admin_password','toto','Jenkins Admin Password')");
SQLS.append(",('jenkins_admin_user','admin','Jenkins Admin Username')");
SQLS.append(",('jenkins_application_pipeline_url','http://IP:8210/view/Deploy/','Jenkins Application Pipeline URL. %APPLI% can be used to replace Application name.')");
SQLS.append(",('jenkins_deploy_pipeline_url','http://IP:8210/view/Deploy/','Jenkins Standard deploy Pipeline URL. ')");
SQLS.append(",('jenkins_deploy_url','http://IP:8210/job/STD-DEPLOY/buildWithParameters?token=buildit&DEPLOY_JOBNAME=%APPLI%&DEPLOY_BUILD=%JENKINSBUILDID%&DEPLOY_TYPE=%DEPLOYTYPE%&DEPLOY_ENV=%JENKINSAGENT%&SVN_REVISION=%RELEASE%','Link to Jenkins in order to trigger a standard deploy. %APPLI% %JENKINSBUILDID% %DEPLOYTYPE% %JENKINSAGENT% and %RELEASE% can be used.')");
SQLS.append(",('ticketing tool_bugtracking_url','http://IP/bugtracking/Lists/Bug%20Tracking/DispForm.aspx?ID=%bugid%&Source=http%3A%2F%2Fsitd_moss%2Fbugtracking%2FLists%2FBug%2520Tracking%2FAllOpenBugs.aspx','URL to SitdMoss Bug reporting screen. the following variable can be used : %bugid%.')");
SQLS.append(",('ticketing tool_newbugtracking_url','http://IP/bugtracking/Lists/Bug%20Tracking/NewForm.aspx?RootFolder=%2Fbugtracking%2FLists%2FBug%20Tracking&Source=http%3A%2F%2Fsitd_moss%2Fbugtracking%2FLists%2FBug%2520Tracking%2FAllOpenBugs.aspx','URL to SitdMoss Bug creation page.')");
SQLS.append(",('ticketing tool_ticketservice_url','http://IP/tickets/Lists/Tickets/DispForm.aspx?ID=%ticketid%','URL to SitdMoss Ticket Service page.')");
SQLS.append(",('sonar_application_dashboard_url','http://IP:8211/sonar/project/index/com.appli:%APPLI%','Sonar Application Dashboard URL. %APPLI% and %MAVENGROUPID% can be used to replace Application name.')");
SQLS.append(",('svn_application_url','http://IP/svn/SITD/%APPLI%','Link to SVN Repository. %APPLI% %TYPE% and %SYSTEM% can be used to replace Application name, type or system.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `invariant` (");
SQLS.append(" `idname` varchar(50) NOT NULL,");
SQLS.append(" `value` varchar(50) NOT NULL,");
SQLS.append(" `sort` int(10) unsigned NOT NULL,");
SQLS.append(" `id` int(10) unsigned NOT NULL,");
SQLS.append(" `description` varchar(100) NOT NULL,");
SQLS.append(" `gp1` varchar(45) DEFAULT NULL,");
SQLS.append(" `gp2` varchar(45) DEFAULT NULL,");
SQLS.append(" `gp3` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`id`,`sort`) USING BTREE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` VALUES ('STATUS','STANDBY',1,1,'Not implemented yet',NULL,NULL,NULL)");
SQLS.append(",('STATUS','IN PROGRESS',2,1,'Being implemented',NULL,NULL,NULL)");
SQLS.append(",('STATUS','TO BE IMPLEMENTED',3,1,'To be implemented',NULL,NULL,NULL)");
SQLS.append(",('STATUS','TO BE VALIDATED',4,1,'To be validated',NULL,NULL,NULL)");
SQLS.append(",('STATUS','WORKING',5,1,'Validated and Working',NULL,NULL,NULL)");
SQLS.append(",('STATUS','TO BE DELETED',6,1,'Should be deleted',NULL,NULL,NULL)");
SQLS.append(",('GROUP','COMPARATIVE',1,2,'Group of comparison tests',NULL,NULL,NULL)");
SQLS.append(",('GROUP','INTERACTIVE',2,2,'Group of interactive tests',NULL,NULL,NULL)");
SQLS.append(",('GROUP','PRIVATE',3,2,'Group of tests which not appear in Cerberus',NULL,NULL,NULL)");
SQLS.append(",('GROUP','PROCESS',4,2,'Group of tests which need a batch',NULL,NULL,NULL)");
SQLS.append(",('GROUP','MANUAL',5,2,'Group of test which cannot be automatized',NULL,NULL,NULL)");
SQLS.append(",('GROUP','',6,2,'Group of tests which are not already defined',NULL,NULL,NULL)");
SQLS.append(",('COUNTRY','BE',10,4,'Belgium','800',NULL,NULL)");
SQLS.append(",('COUNTRY','CH',11,4,'Switzerland','500',NULL,NULL)");
SQLS.append(",('COUNTRY','ES',13,4,'Spain','900',NULL,NULL)");
SQLS.append(",('COUNTRY','IT',14,4,'Italy','205',NULL,NULL)");
SQLS.append(",('COUNTRY','PT',15,4,'Portugal','200',NULL,NULL)");
SQLS.append(",('COUNTRY','RU',16,4,'Russia','240',NULL,NULL)");
SQLS.append(",('COUNTRY','UK',17,4,'Great Britan','300',NULL,NULL)");
SQLS.append(",('COUNTRY','VI',19,4,'Generic country used by .com','280',NULL,NULL)");
SQLS.append(",('COUNTRY','UA',25,4,'Ukrainia','290',NULL,NULL)");
SQLS.append(",('COUNTRY','DE',40,4,'Germany','600',NULL,NULL)");
SQLS.append(",('COUNTRY','AT',41,4,'Austria','600',NULL,NULL)");
SQLS.append(",('COUNTRY','GR',42,4,'Greece','220',NULL,NULL)");
SQLS.append(",('COUNTRY','RX',50,4,'Transversal Country used for Transversal Applications.','RBX',NULL,NULL)");
SQLS.append(",('COUNTRY','FR',60,4,'France',NULL,NULL,NULL)");
SQLS.append(",('ENVIRONMENT','DEV',0,5,'Developpement','DEV',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','CDIDEV',3,5,'Quality Assurance - Leiria','QAold',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','CDIQA',4,5,'Quality Assurance - Leiria','QAold',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA',5,5,'Quality Assurance','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA1',6,5,'Quality Assurance - Roubaix 720 (C2)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA2',7,5,'Quality Assurance - Roubaix 720 (C2)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA3',8,5,'Quality Assurance - Roubaix 720 (C2)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA4',13,5,'Quality Assurance - Roubaix 720 (C4)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA5',14,5,'Quality Assurance - Roubaix 720 (C4)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA6',23,5,'Quality Assurance - Roubaix 720 (C4)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA7',24,5,'Quality Assurance - Roubaix 720 (C4)','QAold',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','UAT',30,5,'User Acceptance Test','UAT',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','PROD',50,5,'Production','PROD',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','PREPROD',60,5,'PreProduction','PROD',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','RQA',71,5,'Quality Assurance - Aubervilliers','QAold',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','PROTOPROD',72,5,'720 Production Prototype','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','PROTOUAT',73,5,'720 UAT Prototype','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','CDI',74,5,'CDI development - Roubaix 720','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','RQA2',75,5,'Quality Assurance - Roubaix (v5r4)','QAold',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','UAT2',81,5,'UAT2 environment','UAT',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','UAT3',82,5,'UAT3 environment','UAT',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','UAT4',83,5,'UAT4 environment','UAT',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','UAT5',84,5,'UAT5 environment','UAT',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','PROD2',90,5,'Production temporarly for new theseus','PROD',NULL,'')");
SQLS.append(",('SERVER','PRIMARY',1,6,'Primary Server',NULL,NULL,NULL)");
SQLS.append(",('SERVER','BACKUP1',2,6,'Backup 1',NULL,NULL,NULL)");
SQLS.append(",('SERVER','BACKUP2',3,6,'Backup 2',NULL,NULL,NULL)");
SQLS.append(",('SESSION','1',1,7,'Session 1',NULL,NULL,NULL)");
SQLS.append(",('SESSION','2',2,7,'Session 2',NULL,NULL,NULL)");
SQLS.append(",('SESSION','3',3,7,'Session 3',NULL,NULL,NULL)");
SQLS.append(",('SESSION','4',4,7,'Session 4',NULL,NULL,NULL)");
SQLS.append(",('SESSION','5',5,7,'Session 5',NULL,NULL,NULL)");
SQLS.append(",('SESSION','6',6,7,'Session 6',NULL,NULL,NULL)");
SQLS.append(",('SESSION','7',7,7,'Session 7',NULL,NULL,NULL)");
SQLS.append(",('SESSION','8',8,7,'Session 8',NULL,NULL,NULL)");
SQLS.append(",('SESSION','9',9,7,'Session 9',NULL,NULL,NULL)");
SQLS.append(",('SESSION','10',10,7,'Session 10',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2011B2',9,8,'2011B2',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2011B3',10,8,'2011B3',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2012B1',11,8,'2012B1',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2012S1',12,8,'2012S1',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2012S2',13,8,'2012 Sprint 02',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2013S1',14,8,'2013 Sprint 01',NULL,NULL,NULL)");
SQLS.append(",('REVISION','A00',0,9,'Pre QA Revision',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R00',1,9,'R00',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R01',10,9,'R01',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R02',20,9,'R02',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R03',30,9,'R03',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R04',40,9,'R04',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R05',50,9,'R05',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R06',60,9,'R06',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R07',70,9,'R07',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R08',80,9,'R08',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R09',90,9,'R09',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R10',100,9,'R10',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R11',110,9,'R11',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R12',120,9,'R12',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R13',130,9,'R13',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R14',140,9,'R14',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R15',150,9,'R15',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R16',160,9,'R16',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R17',170,9,'R17',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R18',180,9,'R18',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R19',190,9,'R19',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R20',200,9,'R20',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R21',210,9,'R21',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R22',220,9,'R22',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R23',230,9,'R23',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R24',240,9,'R24',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R25',250,9,'R25',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R26',260,9,'R26',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R27',270,9,'R27',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R28',280,9,'R28',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R29',290,9,'R29',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R30',300,9,'R30',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R31',310,9,'R31',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R32',320,9,'R32',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R33',330,9,'R33',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R34',340,9,'R34',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R35',350,9,'R35',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R36',360,9,'R36',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R37',370,9,'R37',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R38',380,9,'R38',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R39',390,9,'R39',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R40',400,9,'R40',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R41',410,9,'R41',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R42',420,9,'R42',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R43',430,9,'R43',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R44',440,9,'R44',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R45',450,9,'R45',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R46',460,9,'R46',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R47',470,9,'R47',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R48',480,9,'R48',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R49',490,9,'R49',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R50',500,9,'R50',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R51',510,9,'R51',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R52',520,9,'R52',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R53',530,9,'R53',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R54',540,9,'R54',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R55',550,9,'R55',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R56',560,9,'R56',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R57',570,9,'R57',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R58',580,9,'R58',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R59',590,9,'R59',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R60',600,9,'R60',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R61',610,9,'R61',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R62',620,9,'R62',NULL,NULL,NULL)");
SQLS.append(",('REVISION','C12',1120,9,'R12 cancelled',NULL,NULL,NULL)");
SQLS.append(",('REVISION','C13',1130,9,'R13 Cancelled',NULL,NULL,NULL)");
SQLS.append(",('ENVTYPE','STD',1,10,'Regression and evolution Standard Testing.',NULL,NULL,NULL)");
SQLS.append(",('ENVTYPE','COMPARISON',2,10,'Comparison Testing. No GUI Tests are allowed.',NULL,NULL,NULL)");
SQLS.append(",('ENVACTIVE','Y',1,11,'Active',NULL,NULL,NULL)");
SQLS.append(",('ENVACTIVE','N',2,11,'Disable',NULL,NULL,NULL)");
SQLS.append(",('ACTION','addSelection',10,12,'addSelection',NULL,NULL,NULL)");
SQLS.append(",('ACTION','calculateProperty',20,12,'calculateProperty',NULL,NULL,NULL)");
SQLS.append(",('ACTION','click',30,12,'click',NULL,NULL,NULL)");
SQLS.append(",('ACTION','clickAndWait',40,12,'clickAndWait',NULL,NULL,NULL)");
SQLS.append(",('ACTON','doubleClick',45,12,'doubleClick',NULL,NULL,NULL)");
SQLS.append(",('ACTION','enter',50,12,'enter',NULL,NULL,NULL)");
SQLS.append(",('ACTION','keypress',55,12,'keypress',NULL,NULL,NULL)");
SQLS.append(",('ACTION','openUrlWithBase',60,12,'openUrlWithBase',NULL,NULL,NULL)");
SQLS.append(",('ACTION','removeSelection',70,12,'removeSelection',NULL,NULL,NULL)");
SQLS.append(",('ACTION','select',80,12,'select',NULL,NULL,NULL)");
SQLS.append(",('ACTION','selectAndWait',90,12,'selectAndWait',NULL,NULL,NULL)");
SQLS.append(",('ACTION','store',100,12,'store',NULL,NULL,NULL)");
SQLS.append(",('ACTION','type',110,12,'type',NULL,NULL,NULL)");
SQLS.append(",('ACTION','URLLOGIN',120,12,'URLLOGIN',NULL,NULL,NULL)");
SQLS.append(",('ACTION','verifyTextPresent',130,12,'verifyTextPresent',NULL,NULL,NULL)");
SQLS.append(",('ACTION','verifyTitle',140,12,'verifyTitle',NULL,NULL,NULL)");
SQLS.append(",('ACTION','verifyValue',150,12,'verifyValue',NULL,NULL,NULL)");
SQLS.append(",('ACTION','wait',160,12,'wait',NULL,NULL,NULL)");
SQLS.append(",('ACTION','waitForPage',170,12,'waitForPage',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','PropertyIsEqualTo',10,13,'PropertyIsEqualTo',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','PropertyIsGreaterThan',12,13,'PropertyIsGreaterThan',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','PropertyIsMinorThan',14,13,'PropertyIsMinorThan',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyElementPresent',20,13,'verifyElementPresent',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyElementVisible',30,13,'verifyElementVisible',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyText',40,13,'verifyText',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyTextPresent',50,13,'verifyTextPresent',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifytitle',60,13,'verifytitle',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyurl',70,13,'verifyurl',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyContainText',80,13,'Verify Contain Text',NULL,NULL,NULL)");
SQLS.append(",('CHAIN','0',1,14,'0',NULL,NULL,NULL)");
SQLS.append(",('CHAIN','1',2,14,'1',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','0',1,15,'No Priority defined',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','1',2,15,'Critical Priority',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','2',3,15,'High Priority',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','3',4,15,'Mid Priority',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','4',5,15,'Low Priority',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','5',6,15,'Lower Priority or cosmetic',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','99',7,15,'99',NULL,NULL,NULL)");
SQLS.append(",('TCACTIVE','Y',1,16,'Yes',NULL,NULL,NULL)");
SQLS.append(",('TCACTIVE','N',2,16,'No',NULL,NULL,NULL)");
SQLS.append(",('TCREADONLY','N',1,17,'No',NULL,NULL,NULL)");
SQLS.append(",('TCREADONLY','Y',2,17,'Yes',NULL,NULL,NULL)");
SQLS.append(",('CTRLFATAL','Y',1,18,'Yes',NULL,NULL,NULL)");
SQLS.append(",('CTRLFATAL','N',2,18,'No',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYTYPE','SQL',1,19,'SQL Query',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYTYPE','HTML',2,19,'HTML ID Field',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYTYPE','TEXT',3,19,'Fix Text value',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYTYPE','LIB_SQL',4,19,'Using an SQL from the library',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYNATURE','STATIC',1,20,'Static',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYNATURE','RANDOM',2,20,'Random',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYNATURE','RANDOMNEW',3,20,'Random New',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','AT',1,21,'Austria',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','BE',2,21,'Belgium',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','CH',3,21,'Switzerland',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','ES',4,21,'Spain',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','GR',5,21,'Greece',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','IT',6,21,'Italy',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','PT',7,21,'Portugal',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','RU',8,21,'Russia',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','UA',9,21,'Ukrainia',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','UK',10,21,'Great Britain',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','VI',11,21,'Generic filiale',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','RX',12,21,'Roubaix',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','CDI',13,21,'CDITeam',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','TIT',14,21,'Test and Integration Team',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','DE',15,21,'Germany',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','FR',16,21,'France',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYDATABASE','VC',1,22,'VC Database',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYDATABASE','ICS',2,22,'ICSDatabase',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYDATABASE','IDW',3,22,'IDW Database',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYDATABASE','CRB',4,22,'CERBERUS Database',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYDATABASE','IRT',5,22,'IRT Database',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYBAM','NBC',2,23,'Number of Orders','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','AOL',4,23,'Number of Orders in the last 10 minutes','table','sum',NULL)");
SQLS.append(",('PROPERTYBAM','API',5,23,'Number of API call in the last 10 minutes','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','APT',6,23,'Average of Duration of API call in the last 10 minutes','line','avg','1.6')");
SQLS.append(",('PROPERTYBAM','NBA',7,23,'Number of API longer than 1 second in the last 10 minutes','','sum',NULL)");
SQLS.append(",('PROPERTYBAM','APE',8,23,'Number of API Errors in the last 10 minutes','line','sum','20')");
SQLS.append(",('PROPERTYBAM','AVT',9,23,'Average of duration of a simple VCCRM scenario','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','APT',10,23,'Average of Duration of API call in the last 10 minutes','table','avg','1.6')");
SQLS.append(",('PROPERTYBAM','BAT',11,23,'Batch','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','BKP',12,23,'Backup','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','DTW',13,23,'Dataware','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','FST',14,23,'Fast Chain','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','IMG',15,23,'Selling Data File','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','MOR',16,23,'Morning Chain','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','WEB',17,23,'Product Data File','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','SIZ',18,23,'Size of the homepage','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','LOG',19,23,'Web : Login Duration','line','avg','150')");
SQLS.append(",('PROPERTYBAM','SIS',20,23,'Web : Search : Total size of pages','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','NAV',21,23,'Web : Search : Duration','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','PLP',22,23,'Web : PLP Duration','line','avg','100')");
SQLS.append(",('PROPERTYBAM','PDP',23,23,'Web : PDP Duration','line','avg','150')");
SQLS.append(",('PROPERTYBAM','CHE',24,23,'Web : Checkout Duration','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','APC',25,23,'APC : API Error code 12 & 17','line','sum','50')");
SQLS.append(",('PROPERTYBAM','MTE',26,23,'Web : Megatab ELLOS Duration','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','PLD',27,23,'Web : PLP DRESSES Duration','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','OMP',28,23,'Web : Outlet-MiniPDP Duration','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','DBC',29,23,'Demand ','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','MAR',30,23,'Margin in the last 10 minutes','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','APD',31,23,'APD : API Error code 20','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','DOR',32,23,'Performance : Direct Order','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','EBP',33,23,'Performance : EBoutique Pull','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','LOH',34,23,'Web : Login Duration','LINE','AVG',NULL)");
SQLS.append(",('OUTPUTFORMAT','gui',1,24,'GUI HTLM output','','',NULL)");
SQLS.append(",('OUTPUTFORMAT','compact',2,24,'Compact single line output.',NULL,NULL,NULL)");
SQLS.append(",('OUTPUTFORMAT','verbose-txt',3,24,'Verbose key=value format.',NULL,NULL,NULL)");
SQLS.append(",('VERBOSE','0',1,25,'Minimum log','','',NULL)");
SQLS.append(",('VERBOSE','1',2,25,'Standard log','','',NULL)");
SQLS.append(",('VERBOSE','2',3,25,'Maximum log',NULL,NULL,NULL)");
SQLS.append(",('RUNQA','Y',1,26,'Test can run in QA enviroment',NULL,NULL,NULL)");
SQLS.append(",('RUNQA','N',2,26,'Test cannot run in QA enviroment',NULL,NULL,NULL)");
SQLS.append(",('RUNUAT','Y',1,27,'Test can run in UAT environment',NULL,NULL,NULL)");
SQLS.append(",('RUNUAT','N',2,27,'Test cannot run in UAT environment',NULL,NULL,NULL)");
SQLS.append(",('RUNPROD','N',1,28,'Test cannot run in PROD environment',NULL,NULL,NULL)");
SQLS.append(",('RUNPROD','Y',2,28,'Test can run in PROD environment',NULL,NULL,NULL)");
SQLS.append(",('FILTERNBDAYS','14',1,29,'14 Days (2 weeks)',NULL,NULL,NULL)");
SQLS.append(",('FILTERNBDAYS','30',2,29,'30 Days (1 month)',NULL,NULL,NULL)");
SQLS.append(",('FILTERNBDAYS','182',3,29,'182 Days (6 months)',NULL,NULL,NULL)");
SQLS.append(",('FILTERNBDAYS','365',4,29,'365 Days (1 year)',NULL,NULL,NULL)");
SQLS.append(",('PROBLEMCATEGORY','ERROR PAGES',10,30,'High amount of error pages','QUALITY',NULL,NULL)");
SQLS.append(",('PROBLEMCATEGORY','PERFORMANCE',15,30,'Performance issue','QUALITY',NULL,NULL)");
SQLS.append(",('PROBLEMCATEGORY','UNAVAILABILITY',20,30,'System Unavailable','QUALITY',NULL,NULL)");
SQLS.append(",('PROBLEMCATEGORY','CONTENT ERROR',25,30,'Content Error','QUALITY',NULL,NULL)");
SQLS.append(",('PROBLEMCATEGORY','API ERRORS',30,30,'API ERRORS',NULL,NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','HUMAN ERROR',1,31,'Problem due to wrong manipulation','PROCESS',NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','DEVELLOPMENT ERROR',2,31,'Problem with the code',NULL,NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','SERVER ERROR',3,31,'Technical issue',NULL,NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','COMMUNICATION ISSUE',4,31,'Communication',NULL,NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','PROCESS ERROR',5,31,'Problem with the process implemented','QUALITY',NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','MAINTENANCE',6,31,'Application Maintenance','QUALITY',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[VC] TIT',1,32,'Tit Team','VC',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[VC] CDI',20,32,'CDITeam','VC',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[VC] QUALITY TEAM',25,32,'Quality Team','VC',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[VC] UK TEAM',26,32,'UK TEAM','VC',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[EXT] ESB',30,32,'ESB Team','EXT',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[EXT] IT FRANCE',35,32,'IT France','EXT',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[WEB] MILLENA',40,32,'Millena','WEB',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[WEB] MEMO',50,32,'Memo','WEB',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[WEB] THESEUS',60,32,'Theseus','WEB',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[WEB] STUDIO',65,32,'Studio','WEB',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] BE',70,32,'Belgium','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] CH',71,32,'Switzerland','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] ES',72,32,'Spain','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] IT',73,32,'Italy','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] PT',74,32,'Portugal','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] RU',75,32,'Russia','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] UA',76,32,'Ukrainia','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] UK',77,32,'United Kingdom','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] VI',78,32,'Generic','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] DE',79,32,'Germany','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[SUPPLIER] ATOS',80,32,'Atos','SUPPLIER',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[SUPPLIER] LINKBYNET',90,32,'Link By Net','SUPPLIER',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[SUPPLIER] TELINDUS',100,32,'Teloindus','SUPPLIER',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[SUPPLIER] EXTERNAL',101,32,'External Supplier','SUPPLIER',NULL,NULL)");
SQLS.append(",('STATUS','OPEN',1,33,'Non conformities is still in investigation',NULL,NULL,NULL)");
SQLS.append(",('STATUS','CLOSED',2,33,'Non conformity is closed',NULL,NULL,NULL)");
SQLS.append(",('SEVERITY','1',10,34,'The Most critical : Unavailability',NULL,NULL,NULL)");
SQLS.append(",('SEVERITY','2',20,34,'Bad Customer experience : Slowness or error page',NULL,NULL,NULL)");
SQLS.append(",('SEVERITY','3',30,34,'No customer impact but impact for internal resources',NULL,NULL,NULL)");
SQLS.append(",('SEVERITY','4',40,34,'Low severity',NULL,NULL,NULL)");
SQLS.append(",('TCESTATUS','OK',1,35,'Test was fully executed and no bug are to be reported.',NULL,NULL,NULL)");
SQLS.append(",('TCESTATUS','KO',2,35,'Test was executed and bug have been detected.',NULL,NULL,NULL)");
SQLS.append(",('TCESTATUS','PE',3,35,'Test execution is still running...',NULL,NULL,NULL)");
SQLS.append(",('TCESTATUS','FA',4,35,'Test could not be executed because there is a bug on the test.',NULL,NULL,NULL)");
SQLS.append(",('TCESTATUS','NA',5,35,'Test could not be executed because some test data are not available.',NULL,NULL,NULL)");
SQLS.append(",('MAXEXEC','50',1,36,'50',NULL,NULL,NULL)");
SQLS.append(",('MAXEXEC','100',2,36,'100',NULL,NULL,NULL)");
SQLS.append(",('MAXEXEC','200',3,36,'200',NULL,NULL,NULL)");
SQLS.append(",('MAXEXEC','500',4,36,'500',NULL,NULL,NULL)");
SQLS.append(",('MAXEXEC','1000',5,36,'1000',NULL,NULL,NULL);");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `tag` (");
SQLS.append(" `id` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Tag` varchar(145) NOT NULL,");
SQLS.append(" `TagDateCre` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`id`),");
SQLS.append(" UNIQUE KEY `Tag_UNIQUE` (`Tag`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `deploytype` (");
SQLS.append(" `deploytype` varchar(50) NOT NULL,");
SQLS.append(" `description` varchar(200) DEFAULT '',");
SQLS.append(" PRIMARY KEY (`deploytype`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `application` (");
SQLS.append(" `Application` varchar(45) NOT NULL,");
SQLS.append(" `description` varchar(200) DEFAULT NULL,");
SQLS.append(" `internal` varchar(1) NOT NULL COMMENT 'VC Application',");
SQLS.append(" `sort` int(11) NOT NULL,");
SQLS.append(" `type` varchar(10) DEFAULT NULL,");
SQLS.append(" `system` varchar(45) NOT NULL DEFAULT '',");
SQLS.append(" `svnurl` varchar(150) DEFAULT NULL,");
SQLS.append(" `deploytype` varchar(50) DEFAULT NULL,");
SQLS.append(" `mavengroupid` varchar(50) DEFAULT '',");
SQLS.append(" PRIMARY KEY (`Application`),");
SQLS.append(" KEY `FK_application` (`deploytype`),");
SQLS.append(" CONSTRAINT `FK_application` FOREIGN KEY (`deploytype`) REFERENCES `deploytype` (`deploytype`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `project` (");
SQLS.append(" `idproject` varchar(45) NOT NULL,");
SQLS.append(" `VCCode` varchar(20) DEFAULT NULL,");
SQLS.append(" `Description` varchar(45) DEFAULT NULL,");
SQLS.append(" `active` varchar(1) DEFAULT 'Y',");
SQLS.append(" `datecre` timestamp NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`idproject`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `batchinvariant` (");
SQLS.append(" `Batch` varchar(1) NOT NULL DEFAULT '',");
SQLS.append(" `IncIni` varchar(45) DEFAULT NULL,");
SQLS.append(" `Unit` varchar(45) DEFAULT NULL,");
SQLS.append(" `Description` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Batch`) USING BTREE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `test` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `Description` varchar(300) NOT NULL,");
SQLS.append(" `Active` varchar(1) NOT NULL,");
SQLS.append(" `Automated` varchar(1) NOT NULL,");
SQLS.append(" `TDateCrea` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`Test`),");
SQLS.append(" KEY `ix_Test_Active` (`Test`,`Active`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `application` VALUES ('Google','Google Website','N',240,'GUI','DEFAULT','',NULL,'');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `test` VALUES ('Examples','Example Tests','Y','Y','2012-06-19 09:56:06'),('Performance Monitor','Performance Monitor Tests','Y','Y','2012-06-19 09:56:06'),('Business Activity Monitor','Business Activity Monitor Tests','Y','Y','2012-06-19 09:56:06'),('Pre Testing','Preliminary Tests','Y','Y','0000-00-00 00:00:00');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcase` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Application` varchar(45) DEFAULT NULL,");
SQLS.append(" `Project` varchar(45) DEFAULT NULL,");
SQLS.append(" `Ticket` varchar(20) DEFAULT '',");
SQLS.append(" `Description` varchar(500) NOT NULL,");
SQLS.append(" `BehaviorOrValueExpected` varchar(2500) NOT NULL,");
SQLS.append(" `ReadOnly` varchar(1) DEFAULT 'N',");
SQLS.append(" `ChainNumberNeeded` int(10) unsigned DEFAULT NULL,");
SQLS.append(" `Priority` int(1) unsigned NOT NULL,");
SQLS.append(" `Status` varchar(25) NOT NULL,");
SQLS.append(" `TcActive` varchar(1) NOT NULL,");
SQLS.append(" `Group` varchar(45) DEFAULT NULL,");
SQLS.append(" `Origine` varchar(45) DEFAULT NULL,");
SQLS.append(" `RefOrigine` varchar(45) DEFAULT NULL,");
SQLS.append(" `HowTo` varchar(2500) DEFAULT NULL,");
SQLS.append(" `Comment` varchar(500) DEFAULT NULL,");
SQLS.append(" `TCDateCrea` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" `FromBuild` varchar(10) DEFAULT NULL,");
SQLS.append(" `FromRev` varchar(20) DEFAULT NULL,");
SQLS.append(" `ToBuild` varchar(10) DEFAULT NULL,");
SQLS.append(" `ToRev` varchar(20) DEFAULT NULL,");
SQLS.append(" `BugID` varchar(10) DEFAULT NULL,");
SQLS.append(" `TargetBuild` varchar(10) DEFAULT NULL,");
SQLS.append(" `TargetRev` varchar(20) DEFAULT NULL,");
SQLS.append(" `Creator` varchar(45) DEFAULT NULL,");
SQLS.append(" `Implementer` varchar(45) DEFAULT NULL,");
SQLS.append(" `LastModifier` varchar(45) DEFAULT NULL,");
SQLS.append(" `Sla` varchar(45) DEFAULT NULL,");
SQLS.append(" `activeQA` varchar(1) DEFAULT 'Y',");
SQLS.append(" `activeUAT` varchar(1) DEFAULT 'Y',");
SQLS.append(" `activePROD` varchar(1) DEFAULT 'N',");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`),");
SQLS.append(" KEY `Index_2` (`Group`),");
SQLS.append(" KEY `Index_3` (`Test`,`TestCase`,`Application`,`TcActive`,`Group`),");
SQLS.append(" KEY `FK_testcase_2` (`Application`),");
SQLS.append(" KEY `FK_testcase_3` (`Project`),");
SQLS.append(" CONSTRAINT `FK_testcase_1` FOREIGN KEY (`Test`) REFERENCES `test` (`Test`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_testcase_2` FOREIGN KEY (`Application`) REFERENCES `application` (`Application`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_testcase_3` FOREIGN KEY (`Project`) REFERENCES `project` (`idproject`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasecountry` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`,`Country`),");
SQLS.append(" CONSTRAINT `FK_testcasecountry_1` FOREIGN KEY (`Test`, `TestCase`) REFERENCES `testcase` (`Test`, `TestCase`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestep` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Step` int(10) unsigned NOT NULL,");
SQLS.append(" `Description` varchar(150) NOT NULL,");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`,`Step`),");
SQLS.append(" CONSTRAINT `FK_testcasestep_1` FOREIGN KEY (`Test`, `TestCase`) REFERENCES `testcase` (`Test`, `TestCase`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepbatch` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Step` varchar(45) NOT NULL,");
SQLS.append(" `Batch` varchar(1) NOT NULL DEFAULT '',");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`,`Step`,`Batch`) USING BTREE,");
SQLS.append(" KEY `fk_testcasestepbatch_1` (`Batch`),");
SQLS.append(" CONSTRAINT `FK_testcasestepbatchl_1` FOREIGN KEY (`Test`, `TestCase`) REFERENCES `testcase` (`Test`, `TestCase`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_testcasestepbatch_2` FOREIGN KEY (`Batch`) REFERENCES `batchinvariant` (`Batch`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasecountryproperties` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Property` varchar(150) NOT NULL,");
SQLS.append(" `Type` varchar(45) NOT NULL,");
SQLS.append(" `Database` varchar(45) DEFAULT NULL,");
SQLS.append(" `Value` varchar(2500) NOT NULL,");
SQLS.append(" `Length` int(10) unsigned NOT NULL,");
SQLS.append(" `RowLimit` int(10) unsigned NOT NULL,");
SQLS.append(" `Nature` varchar(45) NOT NULL,");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`,`Country`,`Property`) USING BTREE,");
SQLS.append(" CONSTRAINT `FK_testcasecountryproperties_1` FOREIGN KEY (`Test`, `TestCase`, `Country`) REFERENCES `testcasecountry` (`Test`, `TestCase`, `Country`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepaction` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Step` int(10) unsigned NOT NULL,");
SQLS.append(" `Sequence` int(10) unsigned NOT NULL,");
SQLS.append(" `Action` varchar(45) NOT NULL DEFAULT '',");
SQLS.append(" `Object` varchar(200) NOT NULL DEFAULT '',");
SQLS.append(" `Property` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`,`Step`,`Sequence`),");
SQLS.append(" CONSTRAINT `FK_testcasestepaction_1` FOREIGN KEY (`Test`, `TestCase`, `Step`) REFERENCES `testcasestep` (`Test`, `TestCase`, `Step`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepactioncontrol` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Step` int(10) unsigned NOT NULL,");
SQLS.append(" `Sequence` int(10) unsigned NOT NULL,");
SQLS.append(" `Control` int(10) unsigned NOT NULL,");
SQLS.append(" `Type` varchar(200) NOT NULL DEFAULT '',");
SQLS.append(" `ControlValue` varchar(200) NOT NULL DEFAULT '',");
SQLS.append(" `ControlProperty` varchar(200) DEFAULT NULL,");
SQLS.append(" `Fatal` varchar(1) DEFAULT 'Y',");
SQLS.append(" PRIMARY KEY (`Test`,`Sequence`,`Step`,`TestCase`,`Control`) USING BTREE,");
SQLS.append(" KEY `FK_testcasestepcontrol_1` (`Test`,`TestCase`,`Step`,`Sequence`),");
SQLS.append(" CONSTRAINT `FK_testcasestepcontrol_1` FOREIGN KEY (`Test`, `TestCase`, `Step`, `Sequence`) REFERENCES `testcasestepaction` (`Test`, `TestCase`, `Step`, `Sequence`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `sqllibrary` (");
SQLS.append(" `Type` varchar(45) NOT NULL,");
SQLS.append(" `Name` varchar(45) NOT NULL,");
SQLS.append(" `Script` varchar(2500) NOT NULL,");
SQLS.append(" `Description` varchar(1000) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Name`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `countryenvparam` (");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `Build` varchar(10) DEFAULT NULL,");
SQLS.append(" `Revision` varchar(20) DEFAULT NULL,");
SQLS.append(" `Chain` varchar(20) DEFAULT NULL,");
SQLS.append(" `DistribList` text,");
SQLS.append(" `EMailBodyRevision` text,");
SQLS.append(" `Type` varchar(20) DEFAULT NULL,");
SQLS.append(" `EMailBodyChain` text,");
SQLS.append(" `EMailBodyDisableEnvironment` text,");
SQLS.append(" `active` varchar(1) NOT NULL DEFAULT 'N',");
SQLS.append(" `maintenanceact` varchar(1) DEFAULT 'N',");
SQLS.append(" `maintenancestr` time DEFAULT NULL,");
SQLS.append(" `maintenanceend` time DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Country`,`Environment`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `countryenvironmentparameters` (");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `Application` varchar(45) NOT NULL,");
SQLS.append(" `IP` varchar(45) NOT NULL,");
SQLS.append(" `URL` varchar(150) NOT NULL,");
SQLS.append(" `URLLOGIN` varchar(150) DEFAULT NULL,");
SQLS.append(" `JdbcUser` varchar(45) DEFAULT NULL,");
SQLS.append(" `JdbcPass` varchar(45) DEFAULT NULL,");
SQLS.append(" `JdbcIP` varchar(45) DEFAULT NULL,");
SQLS.append(" `JdbcPort` int(10) unsigned DEFAULT NULL,");
SQLS.append(" `as400LIB` varchar(10) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Country`,`Environment`,`Application`),");
SQLS.append(" KEY `FK_countryenvironmentparameters_1` (`Country`,`Environment`),");
SQLS.append(" KEY `FK_countryenvironmentparameters_3` (`Application`),");
SQLS.append(" CONSTRAINT `FK_countryenvironmentparameters_1` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_countryenvironmentparameters_3` FOREIGN KEY (`Application`) REFERENCES `application` (`Application`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `countryenvironmentdatabase` (");
SQLS.append(" `Database` varchar(45) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `ConnectionPoolName` varchar(25) NOT NULL,");
SQLS.append(" PRIMARY KEY (`Database`,`Environment`,`Country`),");
SQLS.append(" KEY `FK_countryenvironmentdatabase_1` (`Country`,`Environment`),");
SQLS.append(" CONSTRAINT `FK_countryenvironmentdatabase_1` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `host` (");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Session` varchar(20) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `Server` varchar(20) NOT NULL,");
SQLS.append(" `host` varchar(20) DEFAULT NULL,");
SQLS.append(" `secure` varchar(1) DEFAULT 'N',");
SQLS.append(" `port` varchar(20) DEFAULT NULL,");
SQLS.append(" `active` varchar(1) DEFAULT 'Y',");
SQLS.append(" PRIMARY KEY (`Country`,`Session`,`Environment`,`Server`) USING BTREE,");
SQLS.append(" KEY `FK_host_1` (`Country`,`Environment`),");
SQLS.append(" CONSTRAINT `FK_host_1` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `countryenvparam_log` (");
SQLS.append(" `id` int(10) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `Build` varchar(10) DEFAULT NULL,");
SQLS.append(" `Revision` varchar(20) DEFAULT NULL,");
SQLS.append(" `Chain` int(10) unsigned DEFAULT NULL,");
SQLS.append(" `Description` varchar(150) DEFAULT NULL,");
SQLS.append(" `datecre` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`id`),");
SQLS.append(" KEY `ID1` (`Country`,`Environment`),");
SQLS.append(" KEY `FK_countryenvparam_log_1` (`Country`,`Environment`),");
SQLS.append(" CONSTRAINT `FK_countryenvparam_log_1` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `buildrevisionbatch` (");
SQLS.append(" `ID` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Batch` varchar(1) NOT NULL,");
SQLS.append(" `Country` varchar(2) DEFAULT NULL,");
SQLS.append(" `Build` varchar(45) DEFAULT NULL,");
SQLS.append(" `Revision` varchar(45) DEFAULT NULL,");
SQLS.append(" `Environment` varchar(45) DEFAULT NULL,");
SQLS.append(" `DateBatch` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`ID`) USING BTREE,");
SQLS.append(" KEY `FK_buildrevisionbatch_1` (`Batch`),");
SQLS.append(" KEY `FK_buildrevisionbatch_2` (`Country`,`Environment`),");
SQLS.append(" CONSTRAINT `FK_buildrevisionbatch_1` FOREIGN KEY (`Batch`) REFERENCES `batchinvariant` (`Batch`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_buildrevisionbatch_2` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `buildrevisionparameters` (");
SQLS.append(" `ID` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Build` varchar(10) DEFAULT NULL,");
SQLS.append(" `Revision` varchar(20) DEFAULT NULL,");
SQLS.append(" `Release` varchar(40) DEFAULT NULL,");
SQLS.append(" `Application` varchar(45) DEFAULT NULL,");
SQLS.append(" `Project` varchar(45) DEFAULT '',");
SQLS.append(" `TicketIDFixed` varchar(45) DEFAULT '',");
SQLS.append(" `BugIDFixed` varchar(45) DEFAULT '',");
SQLS.append(" `Link` varchar(300) DEFAULT '',");
SQLS.append(" `ReleaseOwner` varchar(100) NOT NULL DEFAULT '',");
SQLS.append(" `Subject` varchar(1000) DEFAULT '',");
SQLS.append(" `datecre` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" `jenkinsbuildid` varchar(200) DEFAULT '',");
SQLS.append(" `mavengroupid` varchar(200) DEFAULT '',");
SQLS.append(" `mavenartifactid` varchar(200) DEFAULT '',");
SQLS.append(" `mavenversion` varchar(200) DEFAULT '',");
SQLS.append(" PRIMARY KEY (`ID`),");
SQLS.append(" KEY `FK1` (`Application`),");
SQLS.append(" CONSTRAINT `FK1` FOREIGN KEY (`Application`) REFERENCES `application` (`Application`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `logevent` (");
SQLS.append(" `LogEventID` int(10) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `UserID` int(10) unsigned NOT NULL,");
SQLS.append(" `Time` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,");
SQLS.append(" `Page` varchar(25) DEFAULT NULL,");
SQLS.append(" `Action` varchar(50) DEFAULT NULL,");
SQLS.append(" `Log` varchar(500) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`LogEventID`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `logeventchange` (");
SQLS.append(" `LogEventChangeID` int(10) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `LogEventID` int(10) unsigned NOT NULL,");
SQLS.append(" `LogTable` varchar(50) DEFAULT NULL,");
SQLS.append(" `LogBefore` varchar(5000) DEFAULT NULL,");
SQLS.append(" `LogAfter` varchar(5000) DEFAULT NULL,");
SQLS.append(" `datecre` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`LogEventChangeID`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcaseexecution` (");
SQLS.append(" `ID` bigint(20) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Build` varchar(10) DEFAULT NULL,");
SQLS.append(" `Revision` varchar(5) DEFAULT NULL,");
SQLS.append(" `Environment` varchar(45) DEFAULT NULL,");
SQLS.append(" `Country` varchar(2) DEFAULT NULL,");
SQLS.append(" `Browser` varchar(20) DEFAULT NULL,");
SQLS.append(" `Start` timestamp NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" `End` timestamp NULL DEFAULT '0000-00-00 00:00:00',");
SQLS.append(" `ControlStatus` varchar(2) DEFAULT NULL,");
SQLS.append(" `Application` varchar(45) DEFAULT NULL,");
SQLS.append(" `IP` varchar(45) DEFAULT NULL,");
SQLS.append(" `URL` varchar(150) DEFAULT NULL,");
SQLS.append(" `Port` varchar(45) DEFAULT NULL,");
SQLS.append(" `Tag` varchar(50) DEFAULT NULL,");
SQLS.append(" `Finished` varchar(1) DEFAULT NULL,");
SQLS.append(" `Verbose` varchar(1) DEFAULT NULL,");
SQLS.append(" `Status` varchar(25) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`),");
SQLS.append(" KEY `FK_TestCaseExecution_1` (`Test`,`TestCase`),");
SQLS.append(" KEY `fk_testcaseexecution_2` (`Tag`),");
SQLS.append(" KEY `index_1` (`Start`),");
SQLS.append(" KEY `IX_test_testcase_country` (`Test`,`TestCase`,`Country`,`Start`,`ControlStatus`),");
SQLS.append(" KEY `index_buildrev` (`Build`,`Revision`),");
SQLS.append(" KEY `FK_testcaseexecution_3` (`Application`),");
SQLS.append(" KEY `fk_test` (`Test`),");
SQLS.append(" KEY `ix_TestcaseExecution` (`Test`,`TestCase`,`Build`,`Revision`,`Environment`,`Country`,`ID`),");
SQLS.append(" CONSTRAINT `FK_testcaseexecution_1` FOREIGN KEY (`Test`, `TestCase`) REFERENCES `testcase` (`Test`, `TestCase`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_testcaseexecution_3` FOREIGN KEY (`Application`) REFERENCES `application` (`Application`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcaseexecutiondata` (");
SQLS.append(" `ID` bigint(20) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Property` varchar(150) NOT NULL,");
SQLS.append(" `Value` varchar(150) NOT NULL,");
SQLS.append(" `Type` varchar(200) DEFAULT NULL,");
SQLS.append(" `Object` varchar(2500) DEFAULT NULL,");
SQLS.append(" `RC` varchar(10) DEFAULT NULL,");
SQLS.append(" `Start` timestamp NULL DEFAULT NULL,");
SQLS.append(" `End` timestamp NULL DEFAULT NULL,");
SQLS.append(" `StartLong` bigint(20) DEFAULT NULL,");
SQLS.append(" `EndLong` bigint(20) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`,`Property`),");
SQLS.append(" KEY `propertystart` (`Property`,`Start`),");
SQLS.append(" KEY `index_1` (`Start`),");
SQLS.append(" CONSTRAINT `FK_TestCaseExecutionData_1` FOREIGN KEY (`ID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcaseexecutionwwwdet` (");
SQLS.append(" `ID` bigint(20) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `ExecID` bigint(20) unsigned NOT NULL,");
SQLS.append(" `Start` varchar(45) DEFAULT NULL,");
SQLS.append(" `url` varchar(500) DEFAULT NULL,");
SQLS.append(" `End` varchar(45) DEFAULT NULL,");
SQLS.append(" `ext` varchar(10) DEFAULT NULL,");
SQLS.append(" `statusCode` int(11) DEFAULT NULL,");
SQLS.append(" `method` varchar(10) DEFAULT NULL,");
SQLS.append(" `bytes` int(11) DEFAULT NULL,");
SQLS.append(" `timeInMillis` int(11) DEFAULT NULL,");
SQLS.append(" `ReqHeader_Host` varchar(45) DEFAULT NULL,");
SQLS.append(" `ResHeader_ContentType` varchar(45) DEFAULT NULL,");
SQLS.append(" `ReqPage` varchar(500) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`),");
SQLS.append(" KEY `FK_testcaseexecutionwwwdet_1` (`ExecID`),");
SQLS.append(" CONSTRAINT `FK_testcaseexecutionwwwdet_1` FOREIGN KEY (`ExecID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcaseexecutionwwwsum` (");
SQLS.append(" `ID` bigint(20) unsigned NOT NULL,");
SQLS.append(" `tot_nbhits` int(11) DEFAULT NULL,");
SQLS.append(" `tot_tps` int(11) DEFAULT NULL,");
SQLS.append(" `tot_size` int(11) DEFAULT NULL,");
SQLS.append(" `nb_rc2xx` int(11) DEFAULT NULL,");
SQLS.append(" `nb_rc3xx` int(11) DEFAULT NULL,");
SQLS.append(" `nb_rc4xx` int(11) DEFAULT NULL,");
SQLS.append(" `nb_rc5xx` int(11) DEFAULT NULL,");
SQLS.append(" `img_nb` int(11) DEFAULT NULL,");
SQLS.append(" `img_tps` int(11) DEFAULT NULL,");
SQLS.append(" `img_size_tot` int(11) DEFAULT NULL,");
SQLS.append(" `img_size_max` int(11) DEFAULT NULL,");
SQLS.append(" `js_nb` int(11) DEFAULT NULL,");
SQLS.append(" `js_tps` int(11) DEFAULT NULL,");
SQLS.append(" `js_size_tot` int(11) DEFAULT NULL,");
SQLS.append(" `js_size_max` int(11) DEFAULT NULL,");
SQLS.append(" `css_nb` int(11) DEFAULT NULL,");
SQLS.append(" `css_tps` int(11) DEFAULT NULL,");
SQLS.append(" `css_size_tot` int(11) DEFAULT NULL,");
SQLS.append(" `css_size_max` int(11) DEFAULT NULL,");
SQLS.append(" `img_size_max_url` varchar(500) DEFAULT NULL,");
SQLS.append(" `js_size_max_url` varchar(500) DEFAULT NULL,");
SQLS.append(" `css_size_max_url` varchar(500) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`),");
SQLS.append(" KEY `FK_testcaseexecutionwwwsum_1` (`ID`),");
SQLS.append(" CONSTRAINT `FK_testcaseexecutionwwwsum_1` FOREIGN KEY (`ID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepactionexecution` (");
SQLS.append(" `ID` bigint(20) NOT NULL,");
SQLS.append(" `Step` int(10) NOT NULL,");
SQLS.append(" `Sequence` int(10) NOT NULL,");
SQLS.append(" `Action` varchar(45) NOT NULL,");
SQLS.append(" `Object` varchar(200) DEFAULT NULL,");
SQLS.append(" `Property` varchar(45) DEFAULT NULL,");
SQLS.append(" `Start` timestamp NULL DEFAULT NULL,");
SQLS.append(" `End` timestamp NULL DEFAULT NULL,");
SQLS.append(" `StartLong` bigint(20) DEFAULT NULL,");
SQLS.append(" `EndLong` bigint(20) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`,`Step`,`Sequence`,`Action`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepexecution` (");
SQLS.append(" `ID` bigint(20) unsigned NOT NULL,");
SQLS.append(" `Step` int(10) unsigned NOT NULL,");
SQLS.append(" `BatNumExe` varchar(45) DEFAULT NULL,");
SQLS.append(" `Start` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" `End` timestamp NOT NULL DEFAULT '0000-00-00 00:00:00',");
SQLS.append(" `FullStart` bigint(20) unsigned DEFAULT NULL,");
SQLS.append(" `FullEnd` bigint(20) unsigned DEFAULT NULL,");
SQLS.append(" `TimeElapsed` decimal(10,3) DEFAULT NULL,");
SQLS.append(" `ReturnCode` varchar(2) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`,`Step`),");
SQLS.append(" CONSTRAINT `FK_testcasestepexecution_1` FOREIGN KEY (`ID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepactioncontrolexecution` (");
SQLS.append(" `ID` bigint(20) unsigned NOT NULL,");
SQLS.append(" `Step` int(10) unsigned NOT NULL,");
SQLS.append(" `Sequence` int(10) unsigned NOT NULL,");
SQLS.append(" `Control` int(10) unsigned NOT NULL,");
SQLS.append(" `ReturnCode` varchar(2) NOT NULL,");
SQLS.append(" `ControlType` varchar(200) DEFAULT NULL,");
SQLS.append(" `ControlProperty` varchar(2500) DEFAULT NULL,");
SQLS.append(" `ControlValue` varchar(200) DEFAULT NULL,");
SQLS.append(" `Fatal` varchar(1) DEFAULT NULL,");
SQLS.append(" `Start` timestamp NULL DEFAULT NULL,");
SQLS.append(" `End` timestamp NULL DEFAULT NULL,");
SQLS.append(" `StartLong` bigint(20) DEFAULT NULL,");
SQLS.append(" `EndLong` bigint(20) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`,`Step`,`Sequence`,`Control`) USING BTREE,");
SQLS.append(" CONSTRAINT `FK_testcasestepcontrolexecution_1` FOREIGN KEY (`ID`, `Step`) REFERENCES `testcasestepexecution` (`ID`, `Step`) ON DELETE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `comparisonstatusdata` (");
SQLS.append(" `idcomparisonstatusdata` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Execution_ID` bigint(20) unsigned DEFAULT NULL,");
SQLS.append(" `Property` varchar(45) DEFAULT NULL,");
SQLS.append(" `Property_A` varchar(45) DEFAULT NULL,");
SQLS.append(" `Property_B` varchar(45) DEFAULT NULL,");
SQLS.append(" `Property_C` varchar(45) DEFAULT NULL,");
SQLS.append(" `Status` varchar(45) DEFAULT NULL,");
SQLS.append(" `Comments` varchar(1000) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idcomparisonstatusdata`),");
SQLS.append(" KEY `FK_comparisonstatusdata_1` (`Execution_ID`),");
SQLS.append(" CONSTRAINT `FK_comparisonstatusdata_1` FOREIGN KEY (`Execution_ID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `comparisonstatus` (");
SQLS.append(" `idcomparisonstatus` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Execution_ID` bigint(20) unsigned DEFAULT NULL,");
SQLS.append(" `Country` varchar(2) DEFAULT NULL,");
SQLS.append(" `Environment` varchar(45) DEFAULT NULL,");
SQLS.append(" `InvoicingDate` varchar(45) DEFAULT NULL,");
SQLS.append(" `TestedChain` varchar(45) DEFAULT NULL,");
SQLS.append(" `Start` varchar(45) DEFAULT NULL,");
SQLS.append(" `End` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idcomparisonstatus`),");
SQLS.append(" KEY `FK_comparisonstatus_1` (`Execution_ID`),");
SQLS.append(" CONSTRAINT `FK_comparisonstatus_1` FOREIGN KEY (`Execution_ID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `project` (`idproject`, `VCCode`, `Description`, `active`) VALUES (' ', ' ', 'None', 'N');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcase` VALUES ('Examples','0001A','Google',' ','','Search for Cerberus Website','','Y',NULL,1,'WORKING','Y','INTERACTIVE','RX','','','','2012-06-19 09:56:40','','','','','','','','cerberus','cerberus','cerberus',NULL,'Y','Y','Y')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcasecountry` VALUES ('Examples','0001A','RX')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcasestep` VALUES ('Examples','0001A',1,'Search')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcasecountryproperties` VALUES ('Examples','0001A','RX','MYTEXT','text','VC','cerberus automated testing',0,0,'STATIC')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcasestepaction` VALUES ('Examples','0001A',1,10,'openUrlLogin','','')");
SQLS.append(",('Examples','0001A',1,20,'type','id=gbqfq','MYTEXT')");
SQLS.append(",('Examples','0001A',1,30,'clickAndWait','id=gbqfb','')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcasestepactioncontrol` VALUES ('Examples','0001A',1,30,1,'verifyTextInPage','','Welcome to Cerberus Website','Y')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` VALUES ('application','Application','','Application','')");
SQLS.append(",('application','deploytype','','Deploy Type','This correspond to the name of the Jenkins script used to deploy the application.')");
SQLS.append(",('Application','Description','','Description','Short Description of the Application')");
SQLS.append(",('Application','internal','','Internal','Define if the Application is developped internaly by CDI Team.<br>\r\nIt also define if the Application appear in the Build/Release process.<br>\r\nBuild Content can be feeded only on \\'Y\\' application.<br>\r\n\\'Y\\' Application also use host table for Access URL definition (if IP information at the application level not defined).\r\n')");
SQLS.append(",('application','mavengroupid','','Maven Group ID','')");
SQLS.append(",('application','system',' ','System','A system is a group of application for which all changes sometimes require to be done all together.<br> Most of the time those applications all connect to a database that share the same structure.')");
SQLS.append(",('Application','type','','Type','The Type of the application define whether the application is a GUI or Service or Batch.')");
SQLS.append(",('buildrevisionparameters','BugIDFixed','','BugID','This is the bug ID which has been solved with the release')");
SQLS.append(",('buildrevisionparameters','Link','','Link','This is the link to the detailed content of the release.')");
SQLS.append(",('buildrevisionparameters','Release','','Release','A Release is a single change done on VC system. It can be a new version of a JAVA Application or a set of COBOL Programs on the AS400.')");
SQLS.append(",('buildrevisionparameters','ReleaseOwner','','Owner','This is the name of the one which is responsible for the release.')");
SQLS.append(",('buildrevisionparameters','TicketIDFixed','','Ticket','This is the Ticket ID which has been delivered with the release')");
SQLS.append(",('countryenvironmentdatabase','ConnectionPoolName',' ','ConnectionPoolName','This is the name of the coonection pool used to connect to the corresponding database on thein the country en/ environment.')");
SQLS.append(",('countryenvironmentdatabase','Database',' ','Database','This is the name the database system.')");
SQLS.append(",('countryenvironmentparameters','ComEMail','',NULL,'This is the message body that is sent when an application Build/Revision update is done.\r\nThis is used together with DistribList that define the associated distribution list')");
SQLS.append(",('countryenvironmentparameters','DistribList','',NULL,'This is the list of email that receive a notification when an application Build/Revision update is done.\r\nThis is used together with ComEMail that define the associated message body')");
SQLS.append(",('countryenvironmentparameters','IP','','IP','IP and Port information used to access the application.')");
SQLS.append(",('countryenvironmentparameters','URL','','URL','Root URL used to access the application. Equivalent to context root.')");
SQLS.append(",('countryenvironmentparameters','URLLOGIN','','URLLOGIN','Path to login page.')");
SQLS.append(",('countryenvparam','active','','Active','Define if the environment is Active<br>\\'Y\\' means that the environment is active and fully available for testing.<br> \\'N\\' Means that it cannot be used.')");
SQLS.append(",('countryenvparam','chain','','Chain','Chain')");
SQLS.append(",('countryenvparam','DistribList','','Recipent list of Notification Email','This is the list of email adresses that will receive the notification on any environment event.<br><br>In case that value is not feeded, the following parameters are used (depending on the related event) :<br>integration_notification_disableenvironment_to<br>integration_notification_newbuildrevision_to<br>integration_notification_newchain_to')");
SQLS.append(",('countryenvparam','EMailBodyChain','','EMail Body on New Chain Executed Event','This is the Body of the mail that will be generated when a new Treatment has been executed on the Environment.<br><br>The following variable can be used :<br>%COUNTRY% : will be replaced by the country.<br>%ENV% : will be replaced by the environment.<br>%BUILD% : will be replaced by the Build.<br>%REVISION% : will be replaced by the Revision.<br>%CHAIN% : Will be replaced by Chain executed.<br><br>In case that value is not feeded, the following parameter is used :<br>integration_notification_newchain_body')");
SQLS.append(",('countryenvparam','EMailBodyDisableEnvironment','','EMail Body on Disable Environment Event','This is the Body of the mail that will be generated when Environment is disabled for installation purpose.<br><br>The following variable can be used :<br>%COUNTRY% : will be replaced by the country.<br>%ENV% : will be replaced by the environment.<br>%BUILD% : will be replaced by the Build.<br>%REVISION% : will be replaced by the Revision.<br><br>In case that value is not feeded, the following parameter is used :<br>integration_notification_disableenvironment_body')");
SQLS.append(",('countryenvparam','EMailBodyRevision','','EMail Body on New Build/Revision Event','This is the Body of the mail that will be generated when a new Sprint/Revision is installed on the Environment.<br><br>The following variable can be used :<br>%COUNTRY% : will be replaced by the country.<br>%ENV% : will be replaced by the environment.<br>%BUILD% : will be replaced by the Sprint.<br>%REVISION% : will be replaced by the Revision.<br>%CHAIN% : Will be replaced by Chain executed.<br>%BUILDCONTENT% : Will be replaced by the detailed content of the sprint/revision. That include the list of release of every application.<br>%TESTRECAP% : Will be replaced by a summary of tests executed for that build revision for the country<br>%TESTRECAPALL% : Will be replaced by a summary of tests executed for that build revision for all the countries<br><br>In case that value is not feeded, the following parameter is used :<br>integration_notification_newbuildrevision_body')");
SQLS.append(",('countryenvparam','Environment','','Environment','It is a list of environment on which you can run the test.<br><br>This list is automatically refreshed when choosing a testcase or a country.<br><br><b> WARNING : THE TEST FLAGGED YES CAN BE RUNNED IN PRODUCTION. </b><br><br>')");
SQLS.append(",('countryenvparam','maintenanceact','','Maintenance Activation','This is the activation flag of the daily maintenance period.<br>N --> there are no maintenance period.<br>Y --> maintenance period does exist and will be controled. Start and end times needs to be specified in that case.')");
SQLS.append(",('countryenvparam','maintenanceend','','Maintenance End Time','This is the time when the daily maintenance period end.<br>If str is before end then, any test execution request submitted between str and end will be discarded with an explicit error message that will report the maintenance period and time of the submission.<br>If str is after end then any test execution request submitted between end and str will be possible. All the overs will be discarded with an explicit error message that will report the maintenance period and time of the submission.')");
SQLS.append(",('countryenvparam','maintenancestr','','Maintenance Start Time','This is the time when the daily maintenance period start.<br>If str is before end then, any test execution request submitted between str and end will be discarded with an explicit error message that will report the maintenance period and time of the submission.<br>If str is after end then any test execution request submitted between end and str will be possible. All the overs will be discarded with an explicit error message that will report the maintenance period and time of the submission.')");
SQLS.append(",('countryenvparam','Type','','Type','The Type of the Environment Define what is the environment used for.<br>\\'STD\\' Standard Testing is allowed in the environment. \\'COMPARISON\\' Only Comparison testing is allowed. No other testing is allowed to avoid modify some data and not beeing able to analyse easilly the differences between 2 Build/Revision.')");
SQLS.append(",('countryenvparam_log','datecre','','Date & Time','')");
SQLS.append(",('countryenvparam_log','Description','','Description','')");
SQLS.append(",('homepage','Days','','Days','Number of days with this revision for this build.')");
SQLS.append(",('homepage','InProgress','','InProgress','The test is being implemented.')");
SQLS.append(",('homepage','NbAPP','','Nb Appli','Number of distinct application that has been tested.')");
SQLS.append(",('homepage','NbExecution','','Exec','Number of tests execution.')");
SQLS.append(",('homepage','NbKO','','KO','Number of execution with a result KO')");
SQLS.append(",('homepage','NbOK','','OK','Number of execution OK')");
SQLS.append(",('homepage','NbTC','','Nb TC','Number of distinct testsases executed')");
SQLS.append(",('homepage','NbTest','','Number','Number of tests recorded in the Database')");
SQLS.append(",('homepage','nb_exe_per_tc','','Exec/TC','Average number of execution per TestCase')");
SQLS.append(",('homepage','nb_tc_per_day','','Exec/TC/Day','Number of execution per testcase and per day')");
SQLS.append(",('homepage','OK_percentage','','%OK','Number of OK/ number of execution')");
SQLS.append(",('homepage','Standby','','StandBy','The test is in the database but need to be analysed to know if we have to implement it or delete it.')");
SQLS.append(",('homepage','TBI','','ToImplement','It was decided to implement this test, but nobody work on that yet.')");
SQLS.append(",('homepage','TBV','','ToValidate','The test is correctly implemented but need to be validated by the Test committee.')");
SQLS.append(",('homepage','Working','','Working','The test has been validated by the Test Committee.')");
SQLS.append(",('host','active','','active','')");
SQLS.append(",('host','host','','Host','')");
SQLS.append(",('host','port','','port','')");
SQLS.append(",('host','secure','','secure','')");
SQLS.append(",('host','Server','','Server','Either PRIMARY, BACKUP1 or BACKUP2.')");
SQLS.append(",('host','Session','','Session','')");
SQLS.append(",('invariant','build','','Sprint','Sprint')");
SQLS.append(",('invariant','environment','','Env','Environment')");
SQLS.append(",('invariant','environmentgp',' ','Env Gp','')");
SQLS.append(",('invariant','FILTERNBDAYS','','Nb Days','Number of days to Filter the history table in the integration homepage.')");
SQLS.append(",('invariant','revision','','Rev','Revision')");
SQLS.append(",('myversion','key','','Key','This is the reference of the component inside Cerberus that we want to keep track of the version.')");
SQLS.append(",('myversion','value','','Value','This is the version that correspond to the key.')");
SQLS.append(",('pagetestcase','DeleteAction','','Dlt','<b>Delete :</b>This box allow to delete an action already recorded. If you select this box, the line will be removed by clicking on save changes button.')");
SQLS.append(",('pagetestcase','DeleteControl','','Dlt','<b>Delete</b><br><br>To delete a control from the testcasestepactioncontrol table select this box and then save changes.')");
SQLS.append(",('page_buildcontent','delete','','Del','')");
SQLS.append(",('page_integrationhomepage','BuildRevision','','Last Revision','')");
SQLS.append(",('page_integrationhomepage','DEV','','DEV','Nb of DEV active Country Environment on that Specific Version.')");
SQLS.append(",('page_integrationhomepage','Jenkins','','Jenkins','Link to Jenkins Pipeline Page.')");
SQLS.append(",('page_integrationhomepage','LatestRelease','','Latest Release','')");
SQLS.append(",('page_integrationhomepage','PROD','','PROD','Nb of PROD active Country Environment on that Specific Version.')");
SQLS.append(",('page_integrationhomepage','QA','','QA','Nb of QA active Country Environment on that Specific Version.')");
SQLS.append(",('page_integrationhomepage','Sonar','','Sonar','Link to Sonar Dashboard Page.')");
SQLS.append(",('page_integrationhomepage','SVN',' ','SVN',' ')");
SQLS.append(",('page_integrationhomepage','UAT','','UAT','Nb of UAT active Country Environment on that Specific Version.')");
SQLS.append(",('page_Notification','Body','','Body','')");
SQLS.append(",('page_Notification','Cc','','Copy','')");
SQLS.append(",('page_Notification','Subject','','Subject','')");
SQLS.append(",('page_Notification','To','','To','')");
SQLS.append(",('page_testcase','BugIDLink','','Link','')");
SQLS.append(",('page_testcase','laststatus','','Last Execution Status','')");
SQLS.append(",('page_testcasesearch','text','','Text','Insert here the text that will search against the following Fields of every test case :<br>- Short Description,<br>- Detailed description / Value Expected,<br>- HowTo<br>- comment<br><br>NB : Search is case insensitive.')");
SQLS.append(",('runnerpage','Application','','Application','Application is ')");
SQLS.append(",('runnerpage','BrowserPath','','Browser Path','<b>Browser Path</b><br><br>It is the link to the browser which will be used to run the tests.<br><br><i>You can copy/paste the links bellow:</i><br><br><b>Firefox :</b>*firefox3 C:\\\\Program Files\\\\Mozilla Firefox\\\\firefox.exe<br><b>Internet Explorer :</b><br><br>')");
SQLS.append(",('runnerpage','Build','','Sprint','Name of the Build/sprint in the Format : 4 digit for the year, 1 character (S or B) and 1 digit with the number of the build/sprint')");
SQLS.append(",('runnerpage','BuildRef','','SprintRef','')");
SQLS.append(",('runnerpage','Chain','','Chain','The tests flagged chain=yes are tests which need to run a daily chain to be completed')");
SQLS.append(",('runnerpage','Country','','Country','This is the name of the country on which the property is calculated.<br> It is a 2 digit code <br><b>ES</b> : Spain <br><b>AT</b> : Austria <br><b>PT</b> : Portugal<br><b>...</b>')");
SQLS.append(",('runnerpage','Environment','','Environment','It is a list of environment on which you can run the test.<br><br>This list is automatically refreshed when choosing a testcase or a country.<br><br><b> WARNING : THE TEST FLAGGED YES CAN BE RUNNED IN PRODUCTION. </b><br><br>')");
SQLS.append(",('runnerpage','Filter','','Filter','This option enables filters or disable filters used on searching Tests / TestCases / Countries.')");
SQLS.append(",('runnerpage','LogPath','','Log Path','It is the way to the folder where the logs will be recorded.<br><br>')");
SQLS.append(",('runnerpage','outputformat','','Output Format','This is the format of the output.<br><br><b>gui</b> : output is a web page. If test can be executed, the output will redirect to the test execution detail page.<br><b>compact</b> : output is plain text in a single line. This is more convenient when the test case is executed in batch mode.<br><b>verbose-txt</b> : output is a plain text with key=value format. This is also for batch mode but when the output needs to be parsed to get detailed information.')");
SQLS.append(",('runnerpage','Priority','','Priority','Select the tests for this priority')");
SQLS.append(",('runnerpage','Project','','Project','Select a project\r\nnull : The test come from ....\r\nP.0000 : The test was created in a specific project\r\nT.00000 : The test was created linked in a ticket Number\r\n')");
SQLS.append(",('runnerpage','Read Only','','Read Only','The tests flagged -ReadOnly = No- are the tests which change something or create values into the tables.\r\nSo, the tests -ReadOnly=No- can\\'t be runned in production environment.')");
SQLS.append(",('runnerpage','Revision','','Revision','Number of the Revision')");
SQLS.append(",('runnerpage','RevisionRef','','RevisionRef','')");
SQLS.append(",('runnerpage','SeleniumServerIP','','Selenium Server IP','Selenium Server IP is the IP of the computer where the selenium server is running.<br>This also correspond to the IP where the brower will execute the test case.')");
SQLS.append(",('runnerpage','SeleniumServerPort','','Selenium Server Port','Selenium Server Port is the port which will be used to run the test. It could be between 5555 and 5575')");
SQLS.append(",('runnerpage','Tag','','Tag','The Tag is just a string that will be recorded with the test case execution and will help to find it back.')");
SQLS.append(",('runnerpage','Test','','Test','A <b><i>test</i></b> is a family of <i><b>testcases</i></b>. The <i><b>test</i></b> groups all <i><b>test cases</i></b> by functionnality.<br><br>')");
SQLS.append(",('runnerpage','TestCase','','Test Case','A test case is a scenario of test.')");
SQLS.append(",('runnerpage','TestCaseActive','','TCActive','Tc Active = yes means the test case can be executed.')");
SQLS.append(",('runnerpage','TestParameters','','Test Parameters','Select the parameters to filter the test you want to run.\r\nAfter you have selected all the parameters, click on the filtre button.')");
SQLS.append(",('runnerpage','Tests','','Tests','Select one test, test case and country')");
SQLS.append(",('runnerpage','ToolParameters','','Tool Parameters','Configuration of Selenium Server')");
SQLS.append(",('runnerpage','verbose','','Verbose Level','This correspond to the level if information that Cerberus will keep when performing the test.<br><b>0</b> : The test will keep minimum login information in order to preserve the response times. This is to be used when a massive amout of tests are performed. No snapshot and no details on action will be taken.<br><b>1</b> : This is the standard level of log. Snapshots will be taken and detailed action execution will also be stored.<br><b>2</b> : This is the highest level of detailed information that can be chosen. Detailed web traffic information will be stored. This is to be used only on very specific cases where all hits information of an execution are required.')");
SQLS.append(",('shared','Delete','','Del','Delete this')");
SQLS.append(",('test','Active','','Active','Active Test')");
SQLS.append(",('test','Active1','','Active1','Active If test is active or not')");
SQLS.append(",('test','Automated','','Automated','<b> Automated Test </b> If the test is automated or not.')");
SQLS.append(",('test','Delete','','Dlt','')");
SQLS.append(",('test','Description','','Test Description','<b>Test Description</b><br><br>It is the description of the family of tests.<br><br>')");
SQLS.append(",('test','Test','','Test','<b>Test</b><br><br>A <i>test</i> is a family of <i>testcases</i>. The <i>test</i> groups all <i>test cases</i> by functionnality.<br><br>')");
SQLS.append(",('testcase','activePROD','','Active PROD','Whether the test case can be executed in PROD environments.')");
SQLS.append(",('testcase','activeQA','','Active QA','Whether the test case can be executed in QA environments.')");
SQLS.append(",('testcase','activeUAT','','Active UAT','Whether the test case can be executed in UAT environments.')");
SQLS.append(",('testcase','Application','','Application','<b>Application</b><br><br>This field will define the <i>application</i> where the testcase will run. \r\nIt could be :\r\nVCCRM\r\nMLNA_RDT\r\nMEMO_RDT\r\nMEMO_VBA\r\nMEMO_DAX\r\nTHES_OSP\r\nTHES_ELL<br><br>')");
SQLS.append(",('testcase','BehaviorOrValueExpected','','Detailed Description / Value Expected','<b>Behavior</b><br><br>It is a synthetic description of what we expect from the test.<br><br>')");
SQLS.append(",('testcase','BugID','','Bug ID','This is the ID of the bug in ticketing tool that will fix the pending KO.')");
SQLS.append(",('testcase','chain','','Chain','The tests flagged chain=yes are tests which need to run a daily chain to be completed')");
SQLS.append(",('testcase','Comment','','Comment','Place to add any interesting comment about the test')");
SQLS.append(",('testcase','country','','Country','This is the name of the country on which the property is calculated.<br> It is a 2 digit code <br><b>ES</b> : Spain <br><b>AT</b> : Austria <br><b>PT</b> : Portugal<br><b>...</b>')");
SQLS.append(",('testcase','Creator','','Creator','This is the name of the people which created the testcase.')");
SQLS.append(",('testcase','Description','','TestCase Short Description','<b>Test Case Description</b><br><br>It is a synthetic description of what the test do.<br><br>')");
SQLS.append(",('testcase','FromBuild',' ','From Sprint',' ')");
SQLS.append(",('testcase','FromRev',' ','From Rev',' ')");
SQLS.append(",('testcase','Group','','Group','<b>Group</b><br><br>The <i>group</i> is a property of a test case and is composed of :\r\n<b>PRIVATE :</b> The test case exist for technical reason and will never appear on the reporting area. ie systematic login testcases for one application.\r\n<b>PROCESS :</b> The testcase is realited to specific process and needs some intermediat batch treatment to be fully executed.\r\n<b>INTERACTIVE : </b>Unit Interactive test that can be performed at once.\r\n<b>DATACOMPARAISON : </b>Tests that compare the results of 2 batch executions.<br><br>')");
SQLS.append(",('testcase','HowTo','','How To','How to use this test ( please fix me )')");
SQLS.append(",('testcase','Implementer','','Implementer','This is the name of the people which implemented the testcase.')");
SQLS.append(",('testcase','LastModifier','','LastModifier','This is the name of the people which made the last change on the testcase.')");
SQLS.append(",('testcase','Origine',' ','Origin','This is the country or the team which iddentified the scenario of the testcase.')");
SQLS.append(",('testcase','Priority','','Prio','<b>Priority</b><br><br>It is the <i>priority</i> of the functionnality which is tested. It go from 1 for a critical functionality to 4 for a functionality less important')");
SQLS.append(",('testcase','Project','','Prj','<b>Project</b><br><br>the <i>project </i> field is the number of the project or the ticket which provided the implementation a the test. This field is formated like this: \r\n<b>null </b>: The test don\\'t come from a project nor a ticket\r\n<b>P.1234</b> : The test was created linked in the project 1234\r\n<b>T.12345 </b>: The test was created linked in the ticket 12345<br><br>')");
SQLS.append(",('testcase','ReadOnly','','R.O','<b>Read Only</b><br><br>The <i>ReadOnly</i> field differenciate the tests which only consults tables from the tests which create values into the tables.\r\nPut -Yes- only if the test only consults table and -No- if the test write something into the database.\r\n<b> WARNING : THE TEST FLAGGED YES CAN BE RUNNED IN PRODUCTION. </b><br><br>')");
SQLS.append(",('testcase','RefOrigine',' ','RefOrigin','This is the external reference of the test when coming from outside.')");
SQLS.append(",('testcase','RunPROD','runprod','Run PROD','Can the Test run in PROD environment?')");
SQLS.append(",('testcase','RunQA','runqa','Run QA','Can the Test run in QA environment?')");
SQLS.append(",('testcase','RunUAT','runuat','Run UAT','Can the Test run in UAT environment?')");
SQLS.append(",('testcase','Status','','Status','<b>Status</b><br><br>It is the workflow used to follow the implementation of the tests. It could be :<br><b>STANDBY</b>: The test is in the database but need to be analysed to know if we have to implement it or delete it.<br><b>TO BE IMPLEMENTED</b>: We decide to implement this test, but nobody work on that yet.<br><b>IN PROGRESS</b>: The test is being implemented.<br><b>TO BE VALIDATED</b>: The test is correctly implemented but need to be validated by the Test committee.<br><b>WORKING</b>: The test has been validated by the Test Committee.<br><b>CANCELED</b>The test have been canceled because it is useless for the moment.<br><b>TO BE DELETED</b>: The test will be deleted after the validation of test committee.<br><br>')");
SQLS.append(",('testcase','TargetBuild','','Target Sprint','This is the Target Sprint that should fix the bug. Until we reach that Sprint, the test execution will be discarded.')");
SQLS.append(",('testcase','TargetRev','','Target Rev','This is the Revision that should fix the bug. Until we reach that Revision, the test execution will be discarded.')");
SQLS.append(",('testcase','TcActive','','Act','Tc Active is a field which define if the test can be considerate as activated or not.')");
SQLS.append(",('testcase','Test','','Test','A <b><i>test</i></b> is a family of <i><b>testcases</i></b>. The <i><b>test</i></b> groups all <i><b>test cases</i></b> by functionnality.<br><br>')");
SQLS.append(",('testcase','TestCase','','Testcase','Subdivision of a test that represent a specific scenario.\r\nStandard to apply : \r\nXXXA.A\r\nWhere\r\nXXX : TestCase Number.\r\nA : Same TestCase but differents input/controls\r\nA : Application letter follwing the list :\r\n\r\nA - VCCRM\r\nB - MLNA RDT\r\nC - MEMO RDT\r\nD - MEMO VBA\r\nE - MEMO DAX\r\nF - THES OSP\r\nG - THES ELL')");
SQLS.append(",('testcase','ticket','','Ticket','The is the Ticket Number that provided the implementation of the test.')");
SQLS.append(",('testcase','ToBuild',' ','To Sprint',' ')");
SQLS.append(",('testcase','ToRev',' ','To Rev',' ')");
SQLS.append(",('testcase','ValueExpected','','Detailed Description / Value Expected','The Value that this test should return. The results that this test should produce')");
SQLS.append(",('testcasecountryproperties','Country','','Country','This is the name of the country on which the property is calculated.<br> It is a 2 digit code <br><b>ES</b> : Spain <br><b>AT</b> : Austria <br><b>PT</b> : Portugal<br><b>...</b>')");
SQLS.append(",('testcasecountryproperties','Database','','DTB','Database where the SQL will be executed')");
SQLS.append(",('testcasecountryproperties','Delete','','Dlt','<b>Delete</b><br><br> To delete a property, select this box and then save changes.<br><br>')");
SQLS.append(",('testcasecountryproperties','Length','','Length','<b>Lenght</b><br><br> It is the length of a generated random text. <br><br>This field will be used only with the type TEXT and the nature RANDOM or RANDOMNEW.<br><br>')");
SQLS.append(",('testcasecountryproperties','Nature','','Nature','Nature is the parameter which define the unicity of the property for this testcase in this environment for this build<br><br>It could be :<br><br><param>STATIC :</param> When the property used could/must be the same for all the executions<br><br><dd><u><i>For example:</i></u> <br><br><dd><u>- A strong text : </u><br><dd><i>Type =</i> TEXT, <i>Value =</i> Strong text and <i>Nature =</i> STATIC<br><br><dd><u>- A SQL which return only one value :</u><br><dd><i>Type =</i> SQL, <i>Value =</i> SELECT pass FROM mytable WHERE login = <q>%LOGIN%</q> ...and <i>Nature =</i> STATIC<br><br><dd><u>- A value stored from the web application:</u><br><dd><i>Type =</i> HTML, <i>Value =</i> Disponibilidade:infoSubview:tableArtigos:0:mensagemErro and <i>Nature =</i> STATIC<br><br><br><b>RANDOM :</b> When the property used should be different.<br><br><dd><u><i>For example:</i></u> <br><br><dd><u>- A random text generated : </u><br><dd><i>Type =</i> TEXT, <i>Value =</i> and <i>Nature =</i> RANDOM<br><br><dd><u>- A SQL which return a random value :</u><br><dd><i>Type =</i> SQL, <i>Value =</i> SELECT login FROM mytable ...and <i>Nature =</i> RANDOM<br><br><br><b>RANDOMNEW : </b>When the property must be unique for each execution.<br><br><dd><u><i>For example:</i></u> <br><br><dd><u>- A random and unique text generated : </u><br><dd><i>Type =</i> TEXT, <i>Value =</i> and <i>Nature =</i> RANDOMNEW<br><br><dd><u>- A SQL which return a random value which have to be new in each execution:</u><br><dd><i>Type =</i> SQL, <i>Value =</i> SELECT login FROM mytable FETCH FIRST 10 ROWS ONLY, <i>RowLimit =</i> 10 and <i>Nature =</i> RANDOMNEW<br><br><br><i>Remarks : The RANDOMNEW will guarantee the unicity during a Build. </i><br><br>\r\n')");
SQLS.append(",('testcasecountryproperties','Nature','RANDOM',NULL,'<b>Nature = RANDOM</b><br><br> ')");
SQLS.append(",('testcasecountryproperties','Nature','RANDOMNEW',NULL,'<b>Nature = RANDOMNEW</b><br><br>')");
SQLS.append(",('testcasecountryproperties','Nature','STATIC',NULL,'<b>Nature = STATIC</b><br><br>Could be used for : <br><br>- A strong text : <br>Type = TEXT, Value = Strong text and Nature = STATIC<br><br>- A SQL which return only one value :<br>Type = SQL, Value = SELECT pass FROM mytable WHERE login = ...and Nature = STATIC<br><br>- A value stored from the web application:<br>Type = HTML, Value = Disponibilidade:infoSubview:tableArtigos:0:mensagemErro and Nature = STATIC<br><br>')");
SQLS.append(",('testcasecountryproperties','Property','','Property','This is the id key of the property to be used in one action.')");
SQLS.append(",('testcasecountryproperties','RowLimit','','RowLimit','The limit of rows that that will be used for random purposes. If a value is specified in this field, a random value will be selected using this number to limit the possible random values. So if for example, in 100 possible random values if rowLimit is 50, only the 50 first values will be accounted for random. Specify the maximum number of values return by an SQL. If the number is bigger than 0, will add </br> Fetch first %RowLimit% only </br> to the SQL.Specify the maximum number of values return by an SQL. If the number is bigger than 0, will add </br> Fetch first %RowLimit% only</br>to the SQL.')");
SQLS.append(",('testcasecountryproperties','Type','','Type','<b>Type</b><br><br>It is the type of command which will be used to calculate the property. <br><br>It could be : <br><b>SQL :</b> SQL Query on the DB2 Database. <br><br><i>Example</i> : SELECT login FROM mytable WHERE codsoc=1....FETCH FIRST 10 ROWS ONLY.<br></t>Length : NA <br><TAB>Row Limit : 10 <br> Nature : STATIC or RANDOM or RANDOMNEW')");
SQLS.append(",('testcasecountryproperties','Type','HTML','','Function : </br> Use HTML to take a value from webpage. </br> Value : the html ID that has the value to be fetched </br> Length : NA </br> Row Limit : NA </br> Nature : STATIC')");
SQLS.append(",('testcasecountryproperties','Type','SQL','','Function : Run an SQL Query on the DB2 Database. <br> Value : The SQL to be executed on the DB2 Database. </br> Length : NA </br> Row Limit : Number of values to fetch from the SQL query. </br>Nature : STATIC or RANDOM or RANDOMNEW')");
SQLS.append(",('testcasecountryproperties','Type','TEXT','','Function : Use TEXT to use the text specified. </br> Value : Text specified in this field. </br> Length : Size of the generated text by random ( to be used with RANDOM or RANDOMNEW ). </br> Row Limit : NA </br> Nature : RANDOM or RANDOMNEW or STATIC')");
SQLS.append(",('testcasecountryproperties','Value','','Value','Function : The value of the property')");
SQLS.append(",('testcaseexecution','Browser','','Browser','The browser used to run the test, if it was a Selenium Test')");
SQLS.append(",('testcaseexecution','Build','','Sprint','Name of the Build/sprint in the Format : 4 digit for the year, 1 character (S or B) and 1 digit with the number of the build/sprint')");
SQLS.append(",('testcaseexecution','controlstatus','','RC','This is the return code of the Execution.<br><br>It can take the following values :<br><b>OK</b> : The test has been executed and everything happened as expected.<br><b>KO</b> : The test has been executed and reported an error that will create a bug<br><b>NA</b> : The test has been executed but some data to perform the test could not be collected (SQL returning empty resultset) or there were an error inside the test such as an SQL error.<br><b>PE</b> : The execution is still running and not finished yet or has been interupted.')");
SQLS.append(",('testcaseexecution','end',' ','End',' ')");
SQLS.append(",('testcaseexecution','id',' ','Execution ID',' ')");
SQLS.append(",('testcaseexecution','IP','','IP','This is the ip of the machine of the Selenium Server where the test executed.')");
SQLS.append(",('testcaseexecution','Port','','Port','This is the port used to contact the Selenium Server where the test executed.')");
SQLS.append(",('testcaseexecution','Revision','','Revision','Number of the Revision')");
SQLS.append(",('testcaseexecution','start',' ','Start',' ')");
SQLS.append(",('testcaseexecution','URL',' ','URL',' ')");
SQLS.append(",('testcaseexecutiondata','Value',' ','Property Value','This is the Value of the calculated Property.')");
SQLS.append(",('testcaseexecutionwwwsum','css_nb','','Css_nb','Number of css downloaded for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','css_size_max','','Css_size_max','Size of the biggest css dowloaded during the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','css_size_tot','','Css_size_tot','Total size of the css for the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','css_tps','','Css_tps','Cumulated time for download css for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','img_nb','','Img_nb','Number of pictures downloaded for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','img_size_max','','Img_size_max','Size of the biggest Picture dowloaded during the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','img_size_tot','','Img_size_tot','Total size of the Pictures for the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','img_tps','','Img_tps','Cumulated time for download pictures for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','js_nb','','Js_nb','Number of javascript downloaded for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','js_size_max','','Js_size_max','Size of the biggest javascript dowloaded during the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','js_size_tot','','Js_size_tot','Total size of the javascript for the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','js_tps','','Js_tps','Cumulated time for download javascripts for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','nb_rc2xx','','Nb_rc2xx','Number of return code between 200 and 300')");
SQLS.append(",('testcaseexecutionwwwsum','nb_rc3xx','','Nb_rc3xx','Number of return code between 300 and 400')");
SQLS.append(",('testcaseexecutionwwwsum','nb_rc4xx','','Nb_rc4xx','Number of return code between 400 and 500')");
SQLS.append(",('testcaseexecutionwwwsum','nb_rc5xx','','Nb_rc5xx','Number of return codeup to 500')");
SQLS.append(",('testcaseexecutionwwwsum','tot_nbhits','','Tot_nbhits','Total number of hits of a scenario')");
SQLS.append(",('testcaseexecutionwwwsum','tot_size','','Tot_size','Total size of all the elements')");
SQLS.append(",('testcaseexecutionwwwsum','tot_tps','','Tot_tps','Total time cumulated for the download of all the elements')");
SQLS.append(",('testcasestep','Chain','','chain','')");
SQLS.append(",('testcasestep','step',' ','Step',' ')");
SQLS.append(",('testcasestepaction','Action','','Action','<b>Action</b><br><br>It is the actions which can be executed by the framework.<br><br>It could be :<br><br><b>calculateProperty :</b> When the action expected is to calculate an HTML property, or calculate a property which should not be used with another action like <i>type</i><br><br><dd><u><i>How to feed it :</i></u><br><br><dd><i>Action =</i> calculateProperty, <i>Value =</i> null and <i>Property =</i> The name of the property which should be calculated<br><br><br><br><b>click :</b> When the action expected is to click on a link or a button.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> click, <i>Value =</i> the <i>id</i> of the link or the button which should be kicked. and <i>Property =</i> null<br><br><br><b>clickAndWait :</b> When the action expected is to click on a link or a button which open a new URL.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> clickAndWait, <i>Value =</i> the <i>id</i> of the link or the button which should be kicked. and <i>Property =</i> null<br><br><br><b>enter :</b> When the action expected is to emulate a keypress on the enter button.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> enter, <i>Value =</i> null. and <i>Property =</i> null<br><br>WARNING: The action is performed on the active window.<br><br><br><b>openUrlWithBase :</b> When the action expected is to open an URL.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> openUrlWithBase, <i>Value =</i> The second part of the URL. and <i>Property =</i> null<br><dd><i>Action =</i> openUrlWithBase, <i>Value =</i> null and <i>Property =</i> The name of the property with a second part of the URL<br><br><br><b>select :</b> When the action expected is to select a value from a select box.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> select, <i>Value =</i> the <i>id</i> of the select box. and <i>Property =</i> the property containing the value to select.<br>It could be label=TheExactNameOfTheValue or value=the first letter or the place number of the value expected in the select box<br>For example : label=WEB , value=W , value=3 if the WEB is the third value in the selectbox<br><br><br><b>selectAndWait :</b> When the action expected is to select a value in a select box and wait for a new URL opened.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> selectAndWait, <i>Value =</i> the <i>id</i> of the select box. and <i>Property =</i> the property containing the value to select.<br>It could be label=TheExactNameOfTheValue or value=the first letter or the place number of the value expected in the select box<br>For example : label=WEB , value=W , value=3 if the WEB is the third value in the selectbox. <br><br><br><b>type :</b> When the action expected is to type something into a field.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> type, <i>Value =</i> the <i>id</i> of the field and <i>Property =</i> the property containing the value to type.<br><br><br><b>wait :</b> When the action expected is to wait 5 seconds.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> wait, <i>Value =</i> null and <i>Property =</i> null.<br><br><br><b>waitForPage :</b> When the action expected is to wait for the opening of a new page.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> waitForPage, <i>Value =</i> null and <i>Property =</i>null.<br><br>')");
SQLS.append(",('testcasestepaction','Action','calculateProperty',NULL,'<b>calculateProperty :</b> When the action expected is to calculate an HTML property, or calculate a property which should not be used with another action like <i>type</i><br><br><dd><u><i>How to feed it :</i></u><br><br><dd><i>Action =</i> calculateProperty, <i>Value =</i> null and <i>Property =</i> The name of the property which should be calculated<br><br><br><br>')");
SQLS.append(",('testcasestepaction','Action','click',NULL,'<b>click :</b> When the action expected is to click on a link or a button.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> click, <i>Value =</i> the <i>id</i> of the link or the button which should be kicked. and <i>Property =</i> null<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','clickAndWait',NULL,'<b>clickAndWait :</b> When the action expected is to click on a link or a button which open a new URL.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> clickAndWait, <i>Value =</i> the <i>id</i> of the link or the button which should be kicked. and <i>Property =</i> null<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','enter',NULL,'<b>enter :</b> When the action expected is to emulate a keypress on the enter button.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> enter, <i>Value =</i> null. and <i>Property =</i> null<br><br>WARNING: The action is performed on the active window.<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','keypress',NULL,'<b>keypress :</b> When the action expected is to emulate a keypress of any key.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> keypress, <i>Value =</i> The keycode of the key to press. and <i>Property =</i> null<br><br>WARNING: The action is performed on the active window.<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','openUrlWithBase',NULL,'<b>openUrlWithBase :</b> When the action expected is to open an URL.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> openUrlWithBase, <i>Value =</i> The second part of the URL. and <i>Property =</i> null<br><dd><i>Action =</i> openUrlWithBase, <i>Value =</i> null and <i>Property =</i> The name of the property with a second part of the URL<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','select',NULL,'<b>select :</b> When the action expected is to select a value from a select box.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> select, <i>Value =</i> the <i>id</i> of the select box. and <i>Property =</i> the property containing the value to select.<br>It could be label=TheExactNameOfTheValue or value=the first letter or the place number of the value expected in the select box<br>For example : label=WEB , value=W , value=3 if the WEB is the third value in the selectbox<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','selectAndWait',NULL,'<b>selectAndWait :</b> When the action expected is to select a value in a select box and wait for a new URL opened.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> selectAndWait, <i>Value =</i> the <i>id</i> of the select box. and <i>Property =</i> the property containing the value to select.<br>It could be label=TheExactNameOfTheValue or value=the first letter or the place number of the value expected in the select box<br>For example : label=WEB , value=W , value=3 if the WEB is the third value in the selectbox. <br><br><br>')");
SQLS.append(",('testcasestepaction','Action','type',NULL,'<b>type :</b> When the action expected is to type something into a field.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> type, <i>Value =</i> the <i>id</i> of the field and <i>Property =</i> the property containing the value to type.<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','wait',NULL,'<b>wait :</b> When the action expected is to wait 5 seconds.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> wait, <i>Value =</i> null and <i>Property =</i> null.<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','waitForPage',NULL,'<b>waitForPage :</b> When the action expected is to wait for the opening of a new page.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> waitForPage, <i>Value =</i> null and <i>Property =</i>null.<br><br>')");
SQLS.append(",('testcasestepaction','image',' ','Picture','')");
SQLS.append(",('testcasestepaction','Object','','Object','<b>Object :</b>It is the object which are used to perform the action. The feeding of this field depend on the action selected .<br><br>To have example of use, please click on the action question mark.')");
SQLS.append(",('testcasestepaction','Property','','Property','It is the name of the property which will be used to perform the action defined.<br><br>WARNING : YOU MUST PUT THE NAME OF A PROPERTY. YOU CANNOT PUT A VALUE HERE.<br><br>To have example of use, please click on the action question mark.')");
SQLS.append(",('testcasestepaction','Sequence','','Sequence',' ')");
SQLS.append(",('testcasestepactioncontrol','Control','','CtrlNum','<b>Control</b><br><br>It is the number of <i>control</i>.<br> If you have more than one control, use this value to number them and sort their execution<br><br>')");
SQLS.append(",('testcasestepactioncontrol','ControleProperty','','CtrlProp','<b>Control Property</b><br><br>Property that is going to be tested to control. Exemple : The HTML tag of the object we want to test<br><br>')");
SQLS.append(",('testcasestepactioncontrol','ControleValue','','CtrlValue','<b>Control Value</b><br><br>Value that the Control Property should have. <br />If the Control Property and this Value are equal then Control is OK<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Fatal','','Fatal','Fatal Control. <br /> If this option is \"N\" then it means that even if this control fails, the test will continue to run. It will, never the less, result on a KO.')");
SQLS.append(",('testcasestepactioncontrol','Sequence','','Sequence','<b>Sequence</b><br><br>It is the number of the <i>sequence</i> in which the control will be performed.<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Step','','Step','<b>Step</b><br><br>It is the number of the <i>step</i> containing the sequence in which the control will be performed.<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','','Type','<b>Type</b><br><br>It is the name of the <i>control</i> expected. It could be :<br>')");
SQLS.append(",('testcasestepactioncontrol','Type','selectOptions',NULL,'<b>selectOption</b><br><br> Verify if a given option is available for selection in the HTML object given.<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifyComboValue',NULL,'<b>selectComboValue</b><br><br>Verify if the value specified is available for selection (based on html value of the selection, not label)<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifyElementPresent',NULL,'<b>verifyElementPresent</b><br><br>Verify if an specific element is present on the web page <br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifyElementVisible',NULL,'<b>verifyElementVisible</b><br><br>Verify if the HTML element specified is exists, is visible and has text on it<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifytext',NULL,'<b>verifytext</b><br><br>Verify if the text on the HTML tag is the same than the value specified<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifytitle',NULL,'<b>verifytitle</b><br><br>Verify if the title of the webpage is the same than the value specified<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifyurl',NULL,'<b>verifyurl</b><br><br>Verify if the URL of the webpage is the same than the value specified<br><br><i>Control Value :</i>should be null<br><br><i>Control Property :</i> URL expected (without the base)<br><br>')");
SQLS.append(",('testcasestepactioncontrolexecution','ReturnCode',' ','Return Code','Return Code of the Control')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `abonnement` (");
SQLS.append(" `idabonnement` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `email` varchar(45) DEFAULT NULL,");
SQLS.append(" `notification` varchar(1000) DEFAULT NULL,");
SQLS.append(" `frequency` varchar(45) DEFAULT NULL,");
SQLS.append(" `LastNotification` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idabonnement`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `countryenvdeploytype` (");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `deploytype` varchar(50) NOT NULL,");
SQLS.append(" `JenkinsAgent` varchar(50) NOT NULL DEFAULT '',");
SQLS.append(" PRIMARY KEY (`Country`,`Environment`,`deploytype`,`JenkinsAgent`),");
SQLS.append(" KEY `FK_countryenvdeploytype_1` (`Country`,`Environment`),");
SQLS.append(" KEY `FK_countryenvdeploytype_2` (`deploytype`),");
SQLS.append(" CONSTRAINT `FK_countryenvdeploytype_1` FOREIGN KEY (`deploytype`) REFERENCES `deploytype` (`deploytype`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_countryenvdeploytype_2` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `logglassfish` (");
SQLS.append(" `idlogglassfish` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `TIMESTAMP` varchar(45) DEFAULT 'CURRENT_TIMESTAMP',");
SQLS.append(" `PARAMETER` varchar(2000) DEFAULT NULL,");
SQLS.append(" `VALUE` varchar(2000) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idlogglassfish`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `qualitynonconformities` (");
SQLS.append(" `idqualitynonconformities` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Country` varchar(45) DEFAULT NULL,");
SQLS.append(" `Application` varchar(45) DEFAULT NULL,");
SQLS.append(" `ProblemCategory` varchar(100) DEFAULT NULL,");
SQLS.append(" `ProblemDescription` varchar(2500) DEFAULT NULL,");
SQLS.append(" `StartDate` varchar(45) DEFAULT NULL,");
SQLS.append(" `StartTime` varchar(45) DEFAULT NULL,");
SQLS.append(" `EndDate` varchar(45) DEFAULT NULL,");
SQLS.append(" `EndTime` varchar(45) DEFAULT NULL,");
SQLS.append(" `TeamContacted` varchar(250) DEFAULT NULL,");
SQLS.append(" `Actions` varchar(2500) DEFAULT NULL,");
SQLS.append(" `RootCauseCategory` varchar(100) DEFAULT NULL,");
SQLS.append(" `RootCauseDescription` varchar(2500) DEFAULT NULL,");
SQLS.append(" `ImpactOrCost` varchar(45) DEFAULT NULL,");
SQLS.append(" `Responsabilities` varchar(250) DEFAULT NULL,");
SQLS.append(" `Status` varchar(45) DEFAULT NULL,");
SQLS.append(" `Comments` varchar(1000) DEFAULT NULL,");
SQLS.append(" `Severity` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idqualitynonconformities`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `qualitynonconformitiesimpact` (");
SQLS.append(" `idqualitynonconformitiesimpact` bigint(20) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `idqualitynonconformities` int(11) DEFAULT NULL,");
SQLS.append(" `Country` varchar(45) DEFAULT NULL,");
SQLS.append(" `Application` varchar(45) DEFAULT NULL,");
SQLS.append(" `StartDate` varchar(45) DEFAULT NULL,");
SQLS.append(" `StartTime` varchar(45) DEFAULT NULL,");
SQLS.append(" `EndDate` varchar(45) DEFAULT NULL,");
SQLS.append(" `EndTime` varchar(45) DEFAULT NULL,");
SQLS.append(" `ImpactOrCost` varchar(250) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idqualitynonconformitiesimpact`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
//-- Adding subsystem column
//--------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` CHANGE COLUMN `System` `System` VARCHAR(45) NOT NULL DEFAULT 'DEFAULT' ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` ADD COLUMN `SubSystem` VARCHAR(45) NOT NULL DEFAULT '' AFTER `System` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE application SET subsystem=system;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE application SET system='DEFAULT';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO .`documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('application', 'subsystem', '', 'Subsystem', 'A Subsystem define a group of application inside a system.');");
SQLInstruction.add(SQLS.toString());
//-- dropping tag table
//--------------------------
SQLS = new StringBuilder();
SQLS.append("DROP TABLE `tag`;");
SQLInstruction.add(SQLS.toString());
//-- Cerberus Engine Version inside execution table.
//--------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` ADD COLUMN `CrbVersion` VARCHAR(45) NULL DEFAULT NULL AFTER `Status` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('testcaseexecution', 'crbversion', '', 'Cerberus Version', 'This is the version of the Cerberus Engine that executed the testcase.<br>This data has been created for tracability purpose as the behavious of Cerberus could varry from one version to another.');");
SQLInstruction.add(SQLS.toString());
//-- Screenshot filename stored inside execution table. That allow to determine if screenshot is taken or not.
//--------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` ADD COLUMN `ScreenshotFilename` VARCHAR(45) NULL DEFAULT NULL AFTER `EndLong` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` ADD COLUMN `ScreenshotFilename` VARCHAR(45) NULL DEFAULT NULL AFTER `EndLong` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('testcasestepactionexecution', 'screenshotfilename', '', 'Screenshot Filename', 'This is the filename of the screenshot.<br>It is null if no screenshots were taken.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('testcasestepactioncontrolexecution', 'screenshotfilename', '', 'Screenshot Filename', 'This is the filename of the screenshot.<br>It is null if no screenshots were taken.');");
SQLInstruction.add(SQLS.toString());
//-- Test and TestCase information inside the execution tables. That will allow to have the full tracability on the pretestcase executed.
//--------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` ADD COLUMN `Test` VARCHAR(45) NULL DEFAULT NULL AFTER `Step` , ADD COLUMN `TestCase` VARCHAR(45) NULL DEFAULT NULL AFTER `Test` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` CHANGE COLUMN `Step` `Step` INT(10) UNSIGNED NOT NULL AFTER `TestCase` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` ADD COLUMN `Test` VARCHAR(45) NULL DEFAULT NULL AFTER `ID` , ADD COLUMN `TestCase` VARCHAR(45) NULL DEFAULT NULL AFTER `Test` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` ADD COLUMN `Test` VARCHAR(45) NULL DEFAULT NULL AFTER `ID` , ADD COLUMN `TestCase` VARCHAR(45) NULL DEFAULT NULL AFTER `Test` ;");
SQLInstruction.add(SQLS.toString());
//-- Cleaning Index names and Foreign Key contrains
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` DROP INDEX `FK_application` , ADD INDEX `FK_application_01` (`deploytype` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` DROP FOREIGN KEY `FK_application` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` ADD CONSTRAINT `FK_application_01` FOREIGN KEY (`deploytype` ) REFERENCES `deploytype` (`deploytype` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` DROP INDEX `FK_buildrevisionbatch_1` , ADD INDEX `FK_buildrevisionbatch_01` (`Batch` ASC) , DROP INDEX `FK_buildrevisionbatch_2` , ADD INDEX `FK_buildrevisionbatch_02` (`Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` DROP FOREIGN KEY `FK_buildrevisionbatch_1` , DROP FOREIGN KEY `FK_buildrevisionbatch_2` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` ADD CONSTRAINT `FK_buildrevisionbatch_01` FOREIGN KEY (`Batch` ) REFERENCES `batchinvariant` (`Batch` ) ON DELETE CASCADE ON UPDATE CASCADE, ADD CONSTRAINT `FK_buildrevisionbatch_02` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionparameters` DROP INDEX `FK1` , ADD INDEX `FK_buildrevisionparameters_01` (`Application` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionparameters` DROP FOREIGN KEY `FK1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionparameters` ADD CONSTRAINT `FK_buildrevisionparameters_01` FOREIGN KEY (`Application` ) REFERENCES `application` (`Application` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `comparisonstatus` DROP FOREIGN KEY `FK_comparisonstatus_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `comparisonstatus` ADD CONSTRAINT `FK_comparisonstatus_01` FOREIGN KEY (`Execution_ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_comparisonstatus_1` , ADD INDEX `FK_comparisonstatus_01` (`Execution_ID` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `comparisonstatusdata` DROP FOREIGN KEY `FK_comparisonstatusdata_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `comparisonstatusdata` ADD CONSTRAINT `FK_comparisonstatusdata_01` FOREIGN KEY (`Execution_ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_comparisonstatusdata_1` , ADD INDEX `FK_comparisonstatusdata_01` (`Execution_ID` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` DROP FOREIGN KEY `FK_countryenvdeploytype_1` , DROP FOREIGN KEY `FK_countryenvdeploytype_2` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` ADD CONSTRAINT `FK_countryenvdeploytype_01` FOREIGN KEY (`deploytype` ) REFERENCES `deploytype` (`deploytype` ) ON DELETE CASCADE ON UPDATE CASCADE, ADD CONSTRAINT `FK_countryenvdeploytype_02` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_countryenvdeploytype_1` , ADD INDEX `FK_countryenvdeploytype_01` (`Country` ASC, `Environment` ASC) , DROP INDEX `FK_countryenvdeploytype_2` , ADD INDEX `FK_countryenvdeploytype_02` (`deploytype` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` DROP FOREIGN KEY `FK_countryenvironmentdatabase_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` ADD CONSTRAINT `FK_countryenvironmentdatabase_01` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_countryenvironmentdatabase_1` , ADD INDEX `FK_countryenvironmentdatabase_01` (`Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` DROP FOREIGN KEY `FK_countryenvironmentparameters_1` , DROP FOREIGN KEY `FK_countryenvironmentparameters_3` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` ADD CONSTRAINT `FK_countryenvironmentparameters_01` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE, ADD CONSTRAINT `FK_countryenvironmentparameters_02` FOREIGN KEY (`Application` ) REFERENCES `application` (`Application` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_countryenvironmentparameters_1` , ADD INDEX `FK_countryenvironmentparameters_01` (`Country` ASC, `Environment` ASC) , DROP INDEX `FK_countryenvironmentparameters_3` , ADD INDEX `FK_countryenvironmentparameters_02` (`Application` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` DROP FOREIGN KEY `FK_countryenvparam_log_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` ADD CONSTRAINT `FK_countryenvparam_log_01` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_countryenvparam_log_1` , ADD INDEX `FK_countryenvparam_log_01` (`Country` ASC, `Environment` ASC) , DROP INDEX `ID1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` DROP FOREIGN KEY `FK_host_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ADD CONSTRAINT `FK_host_01` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_host_1` , ADD INDEX `FK_host_01` (`Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `log` DROP INDEX `datecre` , ADD INDEX `IX_log_01` (`datecre` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `test` DROP INDEX `ix_Test_Active` , ADD INDEX `IX_test_01` (`Test` ASC, `Active` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP INDEX `Index_2` , ADD INDEX `IX_testcase_01` (`Group` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP INDEX `Index_3` , ADD INDEX `IX_testcase_02` (`Test` ASC, `TestCase` ASC, `Application` ASC, `TcActive` ASC, `Group` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP INDEX `FK_testcase_2` , ADD INDEX `IX_testcase_03` (`Application` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP INDEX `FK_testcase_3` , ADD INDEX `IX_testcase_04` (`Project` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP FOREIGN KEY `FK_testcase_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` ADD CONSTRAINT `FK_testcase_01` FOREIGN KEY (`Test` ) REFERENCES `test` (`Test` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcase SET Application=null where Application='';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP FOREIGN KEY `FK_testcase_2` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` ADD CONSTRAINT `FK_testcase_02` FOREIGN KEY (`Application` ) REFERENCES `application` (`Application` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP FOREIGN KEY `FK_testcase_3` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` ADD CONSTRAINT `FK_testcase_03` FOREIGN KEY (`Project` ) REFERENCES `project` (`idproject` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM testcase USING testcase left outer join test ON testcase.test = test.test where test.test is null;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasecountry` DROP FOREIGN KEY `FK_testcasecountry_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasecountry` ADD CONSTRAINT `FK_testcasecountry_01` FOREIGN KEY (`Test` , `TestCase` ) REFERENCES `testcase` (`Test` , `TestCase` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasecountryproperties` DROP FOREIGN KEY `FK_testcasecountryproperties_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasecountryproperties` ADD CONSTRAINT `FK_testcasecountryproperties_01` FOREIGN KEY (`Test` , `TestCase` , `Country` ) REFERENCES `testcasecountry` (`Test` , `TestCase` , `Country` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` DROP FOREIGN KEY `FK_testcaseexecution_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` ADD CONSTRAINT `FK_testcaseexecution_01` FOREIGN KEY (`Test` , `TestCase` ) REFERENCES `testcase` (`Test` , `TestCase` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` DROP FOREIGN KEY `FK_testcaseexecution_3` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` ADD CONSTRAINT `FK_testcaseexecution_02` FOREIGN KEY (`application`) REFERENCES `application` (`application`) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` DROP INDEX `FK_TestCaseExecution_1` , ADD INDEX `IX_testcaseexecution_01` (`Test` ASC, `TestCase` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` DROP INDEX `fk_testcaseexecution_2` , ADD INDEX `IX_testcaseexecution_02` (`Tag` ASC) , DROP INDEX `index_1` , ADD INDEX `IX_testcaseexecution_03` (`Start` ASC) , DROP INDEX `IX_test_testcase_country` , ADD INDEX `IX_testcaseexecution_04` (`Test` ASC, `TestCase` ASC, `Country` ASC, `Start` ASC, `ControlStatus` ASC) , DROP INDEX `index_buildrev` , ADD INDEX `IX_testcaseexecution_05` (`Build` ASC, `Revision` ASC) , DROP INDEX `fk_test` , ADD INDEX `IX_testcaseexecution_06` (`Test` ASC) , DROP INDEX `ix_TestcaseExecution` , ADD INDEX `IX_testcaseexecution_07` (`Test` ASC, `TestCase` ASC, `Build` ASC, `Revision` ASC, `Environment` ASC, `Country` ASC, `ID` ASC) , DROP INDEX `FK_testcaseexecution_3` , ADD INDEX `IX_testcaseexecution_08` (`Application` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutiondata` DROP INDEX `propertystart` , ADD INDEX `IX_testcaseexecutiondata_01` (`Property` ASC, `Start` ASC) , DROP INDEX `index_1` , ADD INDEX `IX_testcaseexecutiondata_02` (`Start` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutiondata` DROP FOREIGN KEY `FK_TestCaseExecutionData_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutiondata` ADD CONSTRAINT `FK_testcaseexecutiondata_01` FOREIGN KEY (`ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutionwwwdet` DROP FOREIGN KEY `FK_testcaseexecutionwwwdet_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutionwwwdet` ADD CONSTRAINT `FK_testcaseexecutionwwwdet_01` FOREIGN KEY (`ExecID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutionwwwdet` DROP INDEX `FK_testcaseexecutionwwwdet_1` , ADD INDEX `FK_testcaseexecutionwwwdet_01` (`ExecID` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutionwwwsum` DROP FOREIGN KEY `FK_testcaseexecutionwwwsum_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutionwwwsum` ADD CONSTRAINT `FK_testcaseexecutionwwwsum_01` FOREIGN KEY (`ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_testcaseexecutionwwwsum_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestep` DROP FOREIGN KEY `FK_testcasestep_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestep` ADD CONSTRAINT `FK_testcasestep_01` FOREIGN KEY (`Test` , `TestCase` ) REFERENCES `testcase` (`Test` , `TestCase` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append(" ALTER TABLE `testcasestepaction` DROP FOREIGN KEY `FK_testcasestepaction_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepaction` ADD CONSTRAINT `FK_testcasestepaction_01` FOREIGN KEY (`Test` , `TestCase` , `Step` ) REFERENCES `testcasestep` (`Test` , `TestCase` , `Step` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrol` DROP FOREIGN KEY `FK_testcasestepcontrol_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrol` ADD CONSTRAINT `FK_testcasestepactioncontrol_01` FOREIGN KEY (`Test` , `TestCase` , `Step` , `Sequence` ) REFERENCES `testcasestepaction` (`Test` , `TestCase` , `Step` , `Sequence` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_testcasestepcontrol_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` DROP FOREIGN KEY `FK_testcasestepcontrolexecution_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` ADD CONSTRAINT `FK_testcasestepactioncontrolexecution_01` FOREIGN KEY (`ID` , `Step` ) REFERENCES `testcasestepexecution` (`ID` , `Step` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` DROP FOREIGN KEY `FK_testcasestepbatchl_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` ADD CONSTRAINT `FK_testcasestepbatch_01` FOREIGN KEY (`Test` , `TestCase` ) REFERENCES `testcase` (`Test` , `TestCase` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` DROP FOREIGN KEY `FK_testcasestepbatch_2` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` ADD CONSTRAINT `FK_testcasestepbatch_02` FOREIGN KEY (`Batch` ) REFERENCES `batchinvariant` (`Batch` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` DROP INDEX `fk_testcasestepbatch_1` , ADD INDEX `FK_testcasestepbatch_02` (`Batch` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` DROP INDEX `FK_testcasestepbatch_02` , ADD INDEX `IX_testcasestepbatch_01` (`Batch` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM testcasestepexecution, testcaseexecution USING testcasestepexecution left outer join testcaseexecution ON testcasestepexecution.ID = testcaseexecution.ID where testcaseexecution.ID is null;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` DROP FOREIGN KEY `FK_testcasestepexecution_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` ADD CONSTRAINT `FK_testcasestepexecution_01` FOREIGN KEY (`ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE; ");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `user` DROP INDEX `ID1` , ADD UNIQUE INDEX `IX_user_01` (`Login` ASC) ;");
SQLInstruction.add(SQLS.toString());
//-- New CA Status in invariant and documentation table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('TCESTATUS', 'CA', 6, 35, 'Test could not be done because of technical issues.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `documentation` SET `DocDesc`='This is the return code of the Execution.<br><br>It can take the following values :<br><b>OK</b> : The test has been executed and everything happened as expected.<br><b>KO</b> : The test has been executed and reported an error that will create a bug<br><b>NA</b> : The test has been executed but some data to perform the test could not be collected (SQL returning empty resultset).<br><b>FA</b> : The testcase failed to execute because there were an error inside the test such as an SQL error. The testcase needs to be corrected.<br><b>CA</b> : The testcase has been cancelled. It failed during the execution because of technical issues (ex. Lost of connection issue to selenium during the execution)<br><b>PE</b> : The execution is still running and not finished yet or has been interupted.' WHERE `DocTable`='testcaseexecution' and`DocField`='controlstatus' and`DocValue`='';");
SQLInstruction.add(SQLS.toString());
//-- New Cerberus Message store at the level of the execution - Header, Action and Control Level.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` ADD COLUMN `ControlMessage` VARCHAR(500) NULL DEFAULT NULL AFTER `ControlStatus` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` ADD COLUMN `ReturnMessage` VARCHAR(500) NULL DEFAULT NULL AFTER `ReturnCode` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` ADD COLUMN `ReturnCode` VARCHAR(2) NULL DEFAULT NULL AFTER `Sequence` , ADD COLUMN `ReturnMessage` VARCHAR(500) NULL DEFAULT NULL AFTER `ReturnCode` ;");
SQLInstruction.add(SQLS.toString());
//-- New Integrity Link inside between User Group and User table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `usergroup` ADD CONSTRAINT `FK_usergroup_01` FOREIGN KEY (`Login` ) REFERENCES `user` (`Login` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
//-- New Parameter for Performance Monitoring Servlet.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `parameter` (`param`, `value`, `description`) VALUES ('cerberus_performancemonitor_nbminutes', '5', 'Integer that correspond to the number of minutes where the number of executions are collected on the servlet that manage the monitoring of the executions.');");
SQLInstruction.add(SQLS.toString());
//-- New Parameter for link to selenium extensions firebug and netexport.
//-- -------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `parameter` (`param`, `value`, `description`) VALUES ('cerberus_selenium_firefoxextension_firebug', 'D:\\\\CerberusDocuments\\\\firebug-fx.xpi', 'Link to the firefox extension FIREBUG file needed to track network traffic')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `parameter` (`param`, `value`, `description`) VALUES ('cerberus_selenium_firefoxextension_netexport', 'D:\\\\CerberusDocuments\\\\netExport.xpi', 'Link to the firefox extension NETEXPORT file needed to export network traffic')");
SQLInstruction.add(SQLS.toString());
//-- New Invariant Browser to feed combobox.
//-- -------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('BROWSER', 'FIREFOX', 1, 37, 'Firefox Browser')");
SQLInstruction.add(SQLS.toString());
//-- Removing Performance Monitoring Servlet Parameter as it has been moved to the call of the URL. The number of minutes cannot be the same accross all requests.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `parameter` WHERE `param`='cerberus_performancemonitor_nbminutes';");
SQLInstruction.add(SQLS.toString());
//-- Cleaning invariant table in idname STATUS idname was used twice on 2 invariant group 1 and 33.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='1';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='2';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='3';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='4';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='5';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='6';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='NCONFSTATUS' WHERE `id`='33' and`sort`='1';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='NCONFSTATUS' WHERE `id`='33' and`sort`='2';");
SQLInstruction.add(SQLS.toString());
//-- New invariant for execution detail list page.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '5', 10, 38, '5 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '10', 20, 38, '10 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '15', 30, 38, '15 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '20', 40, 38, '20 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '30', 50, 38, '30 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '45', 60, 38, '45 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '60', 70, 38, '1 Hour');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '90', 80, 38, '1 Hour 30 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '120', 90, 38, '2 Hours');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '180', 100, 38, '3 Hours');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '0', 1, 38, 'No Limit');");
SQLInstruction.add(SQLS.toString());
//-- New Cerberus Message store at the level of the execution - Header, Action and Control Level.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` VALUES ");
SQLS.append("('testcaseexecution','ControlMessage','','ControlMessage','This is the message reported by Cerberus on the execution of the testcase.')");
SQLS.append(",('testcasestepactioncontrolexecution','ReturnMessage','','Return Message','This is the return message on that specific control.')");
SQLS.append(",('testcasestepactionexecution','ReturnCode','','CtrlNum','This is the return code of the action.')");
SQLS.append(",('testcaseexecution','tag','','Tag','The Tag is just a string that will be recorded with the test case execution and will help to find it back.')");
SQLInstruction.add(SQLS.toString());
//-- New Cerberus Action mouseOver and mouseOverAndWait and remove of URLLOGIN, verifyTextPresent verifyTitle, verifyValue
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `invariant` WHERE `id`='12' and`sort`='120'");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `invariant` WHERE `id`='12' and`sort`='130'");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `invariant` WHERE `id`='12' and`sort`='140'");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `invariant` WHERE `id`='12' and`sort`='150'");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('ACTION', 'mouseOver', 57, 12, 'mouseOver')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('ACTION', 'mouseOverAndWait', 58, 12, 'mouseOverAndWait')");
SQLInstruction.add(SQLS.toString());
//-- New Documentation for verbose and status on the execution table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('testcaseexecution', 'verbose', '', 'Verbose', 'This is the verbose level of the execution. 0 correspond to limited logs, 1 is standard and 2 is maximum tracability.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('testcaseexecution', 'status', '', 'TC Status', 'This correspond to the status of the Test Cases when the test was executed.');");
SQLInstruction.add(SQLS.toString());
//-- New DefaultSystem and Team inside User table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `user` ADD COLUMN `Team` VARCHAR(45) NULL AFTER `Name` , ADD COLUMN `DefaultSystem` VARCHAR(45) NULL AFTER `DefaultIP` , CHANGE COLUMN `Request` `Request` VARCHAR(5) NULL DEFAULT NULL AFTER `Password` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) ");
SQLS.append(" VALUES ('user', 'Team', '', 'Team', 'This is the Team whose the user belong.') ");
SQLS.append(" ,('user', 'DefaultSystem', '', 'Default System', 'This is the Default System the user works on the most. It is used to default the perimeter of testcases or applications displayed on some pages.');");
SQLInstruction.add(SQLS.toString());
//-- Documentation updated on verbose and added on screenshot option.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `documentation` SET `DocDesc`='This correspond to the level if information that Cerberus will keep when performing the test.<br><b>0</b> : The test will keep minimum login information in order to preserve the response times. This is to be used when a massive amout of tests are performed. No details on action will be saved.<br><b>1</b> : This is the standard level of log. Detailed action execution information will also be stored.<br><b>2</b> : This is the highest level of detailed information that can be chosen. Detailed web traffic information will be stored. This is to be used only on very specific cases where all hits information of an execution are required.' WHERE `DocTable`='runnerpage' and`DocField`='verbose' and`DocValue`='';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('runnerpage', 'screenshot', '', 'Screenshot', 'This define whether screenshots will be taken during the execution of the test.<br><b>0</b> : No screenshots are taken. This is to be used when a massive amout of tests are performed.<br><b>1</b> : Screenshots are taken only when action or control provide unexpected result.<br><b>2</b> : Screenshots are always taken on every selenium action. This is to be used only on very specific cases where all actions needs a screenshot.');");
SQLInstruction.add(SQLS.toString());
//-- Screenshot invariant values.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`)");
SQLS.append(" VALUES ('SCREENSHOT', '0', 10, 39, 'No Screenshot')");
SQLS.append(",('SCREENSHOT', '1', 20, 39, 'Screenshot on error')");
SQLS.append(",('SCREENSHOT', '2', 30, 39, 'Screenshot on every action');");
SQLInstruction.add(SQLS.toString());
//-- Added Test and testcase columns to Action/control/step Execution tables.
//-- Added RC and RCMessage to all execution tables + Property Data table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutiondata` ADD COLUMN `RMessage` VARCHAR(500) NULL DEFAULT '' AFTER `RC` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` DROP FOREIGN KEY `FK_testcasestepactioncontrolexecution_01`;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` CHANGE COLUMN `Test` `Test` VARCHAR(45) NOT NULL DEFAULT '' , CHANGE COLUMN `TestCase` `TestCase` VARCHAR(45) NOT NULL DEFAULT '' ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` CHANGE COLUMN `ID` `ID` BIGINT(20) UNSIGNED NOT NULL , CHANGE COLUMN `Step` `Step` INT(10) UNSIGNED NOT NULL ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` DROP FOREIGN KEY `FK_testcasestepexecution_01`;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` ADD CONSTRAINT `FK_testcasestepexecution_01` FOREIGN KEY (`ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` DROP PRIMARY KEY , ADD PRIMARY KEY (`ID`, `Test`, `TestCase`, `Step`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` CHANGE COLUMN `Test` `Test` VARCHAR(45) NOT NULL DEFAULT '' , CHANGE COLUMN `TestCase` `TestCase` VARCHAR(45) NOT NULL DEFAULT '' ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` DROP PRIMARY KEY , ADD PRIMARY KEY (`ID`, `Test`, `TestCase`, `Step`, `Sequence`, `Control`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` ADD CONSTRAINT `FK_testcasestepactioncontrolexecution_01` FOREIGN KEY (`ID` , `Test` , `TestCase` , `Step` ) REFERENCES `testcasestepexecution` (`ID` , `Test` , `TestCase` , `Step` ) ON DELETE CASCADE ON UPDATE CASCADE ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` CHANGE COLUMN `ID` `ID` BIGINT(20) UNSIGNED NOT NULL , CHANGE COLUMN `Test` `Test` VARCHAR(45) NOT NULL DEFAULT '' , CHANGE COLUMN `TestCase` `TestCase` VARCHAR(45) NOT NULL DEFAULT '' , CHANGE COLUMN `Step` `Step` INT(10) UNSIGNED NOT NULL ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `testcasestepactionexecution` SET Sequence=51 WHERE Step=0 and Sequence=50 and Action='Wait';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` DROP PRIMARY KEY , ADD PRIMARY KEY (`ID`, `Test`, `TestCase`, `Step`, `Sequence`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM testcasestepactionexecution WHERE ID in ( SELECT ID FROM ( SELECT a.ID FROM testcasestepactionexecution a LEFT OUTER JOIN testcasestepexecution b ON a.ID=b.ID and a.Test=b.Test and a.TestCase=b.TestCase and a.Step=b.Step WHERE b.ID is null) as toto);");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` ADD CONSTRAINT `FK_testcasestepactionexecution_01` FOREIGN KEY (`ID` , `Test` , `TestCase` , `Step` ) REFERENCES `testcasestepexecution` (`ID` , `Test` , `TestCase` , `Step` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
//-- Resizing Screenshot filename to biggest possible value.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` CHANGE COLUMN `ScreenshotFilename` `ScreenshotFilename` VARCHAR(150) NULL DEFAULT NULL ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` CHANGE COLUMN `ScreenshotFilename` `ScreenshotFilename` VARCHAR(150) NULL DEFAULT NULL ;");
SQLInstruction.add(SQLS.toString());
//-- Correcting verifyurl to verifyURL and verifytitle to VerifyTitle in controls.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyUrl' where type='verifyurl';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyTitle' where type='verifytitle';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value='verifyUrl', description ='verifyUrl' where value='verifyurl' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value='verifyTitle', description ='verifyTitle' where value='verifytitle' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
//-- Making controls standard.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyPropertyEqual', description = 'verifyPropertyEqual' where value='PropertyIsEqualTo' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyPropertyEqual' where type='PropertyIsEqualTo';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyPropertyGreater', description = 'verifyPropertyGreater' where value='PropertyIsGreaterThan' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyPropertyGreater' where type='PropertyIsGreaterThan';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyPropertyMinor', description = 'verifyPropertyMinor' where value='PropertyIsMinorThan' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyPropertyMinor' where type='PropertyIsMinorThan';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('CONTROL', 'verifyPropertyDifferent', 11, 13, 'verifyPropertyDifferent');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('CONTROL', 'verifyElementNotPresent', 21, 13, 'verifyElementNotPresent');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
- SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('ACTION', 'openUrlLogin', 120, 12, 'openUrlLogin');");
+ SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('ACTION', 'openUrlLogin', 61, 12, 'openUrlLogin');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepaction SET action='openUrlLogin' where action='URLLOGIN';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `value`='firefox' WHERE `id`='37' and`sort`='1';");
SQLInstruction.add(SQLS.toString());
//-- New parameter used by netexport.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `parameter` (`param`, `value`, `description`) VALUES ('cerberus_url', 'http://localhost:8080/GuiCerberusV2-2.0.0-SNAPSHOT', 'URL to Cerberus used in order to call back cerberus from NetExport plugin. This parameter is mandatory for saving the firebug detail information back to cerberus. ex : http://host:port/contextroot');");
SQLInstruction.add(SQLS.toString());
//-- Making controls standard.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyStringEqual', description = 'verifyStringEqual' where value='verifyPropertyEqual' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyStringEqual' where type='verifyPropertyEqual';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyStringDifferent', description = 'verifyStringDifferent' where value='verifyPropertyDifferent' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyStringDifferent' where type='verifyPropertyDifferent';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyIntegerGreater', description = 'verifyIntegerGreater' where value='verifyPropertyGreater' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyIntegerGreater' where type='verifyPropertyGreater';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyIntegerMinor', description = 'verifyIntegerMinor' where value='verifyPropertyMinor' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyIntegerMinor' where type='verifyPropertyMinor';");
SQLInstruction.add(SQLS.toString());
//-- Making Properties standard.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'executeSql', sort=20 where value='SQL' and idname='PROPERTYTYPE';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'executeSqlFromLib', sort=25 where value='LIB_SQL' and idname='PROPERTYTYPE';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'getFromHtmlVisible', sort=35, description='Getting from an HTML visible field in the current page.' where value='HTML' and idname='PROPERTYTYPE';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'text', sort=40 where value='TEXT' and idname='PROPERTYTYPE';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('PROPERTYTYPE', 'getFromHtml', 30, 19, 'Getting from an html field in the current page.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasecountryproperties SET type='text' where type='TEXT';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasecountryproperties SET type='executeSqlFromLib' where type='LIB_SQL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasecountryproperties SET type='executeSql' where type='SQL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasecountryproperties SET type='getFromHtmlVisible' where type='HTML';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('PROPERTYNATURE', 'NOTINUSE', 4, 20, 'Not In Use');");
SQLInstruction.add(SQLS.toString());
//-- New Control.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('CONTROL', 'verifyTextNotPresent', 51, 13, 'verifyTextNotPresent');");
SQLInstruction.add(SQLS.toString());
//-- Team and system invariant initialisation.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) ");
SQLS.append(" VALUES ('TEAM', 'France', 10, 40, 'France Team'),");
SQLS.append(" ('TEAM', 'Portugal', 20, 40, 'Portugal Team'),");
SQLS.append(" ('SYSTEM', 'DEFAULT', 10, 41, 'System1 System'),");
SQLS.append(" ('SYSTEM', 'SYS2', 20, 41, 'System2 System')");
SQLInstruction.add(SQLS.toString());
//-- Changing Request column inside user table to fit boolean management standard.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `user` SET Request='Y' where Request='true';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `user` SET Request='N' where Request='false';");
SQLInstruction.add(SQLS.toString());
//-- Cleaning comparaison status tables.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("DROP TABLE `comparisonstatusdata`;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DROP TABLE `comparisonstatus`;");
SQLInstruction.add(SQLS.toString());
//-- Documentation on application table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) ");
SQLS.append(" VALUES ('application', 'sort', '', 'Sort', 'Sorting criteria for various combo box.'), ");
SQLS.append(" ('application', 'svnurl', '', 'SVN Url', 'URL to the svn repository of the application.') ;");
SQLInstruction.add(SQLS.toString());
//-- Log Event table redesign.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("DROP TABLE `logeventchange`; ");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `logevent` ADD COLUMN `Login` VARCHAR(30) NOT NULL DEFAULT '' AFTER `UserID`, CHANGE COLUMN `Time` `Time` TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP, ADD COLUMN `remoteIP` VARCHAR(20) NULL DEFAULT NULL AFTER `Log` , ADD COLUMN `localIP` VARCHAR(20) NULL DEFAULT NULL AFTER `remoteIP`;");
SQLInstruction.add(SQLS.toString());
//-- User group definition
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`, `gp1`, `gp2`, `gp3`) VALUES ");
SQLS.append("('USERGROUP', 'Visitor', 5, 42, 'Visitor', null, null, null),");
SQLS.append("('USERGROUP', 'Integrator', 10, 42, 'Integrator', null, null, null),");
SQLS.append("('USERGROUP', 'User', 15, 42, 'User', null, null, null),");
SQLS.append("('USERGROUP', 'Admin', 20, 42, 'Admin', null, null, null)");
SQLInstruction.add(SQLS.toString());
//-- New Column for Bug Tracking.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` ADD COLUMN `BugTrackerUrl` VARCHAR(300) NULL DEFAULT '' AFTER `svnurl` , ADD COLUMN `BugTrackerNewUrl` VARCHAR(300) NULL DEFAULT '' AFTER `BugTrackerUrl` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) ");
SQLS.append(" VALUES ('application', 'bugtrackerurl', '', 'Bug Tracker URL', 'URL to Bug reporting system. The following variable can be used : %bugid%.'),");
SQLS.append(" ('application', 'bugtrackernewurl', '', 'New Bug URL', 'URL to Bug system new bug creation page.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`, `gp1`, `gp2`, `gp3`) VALUES ");
SQLS.append("('APPLITYPE', 'GUI', 5, 43, 'GUI application', null, null, null),");
SQLS.append("('APPLITYPE', 'BAT', 10, 43, 'Batch Application', null, null, null),");
SQLS.append("('APPLITYPE', 'SRV', 15, 43, 'Service Application', null, null, null),");
SQLS.append("('APPLITYPE', 'NONE', 20, 43, 'Any Other Type of application', null, null, null)");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE application SET deploytype=null where deploytype is null;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `parameter` WHERE `param`='sitdmoss_bugtracking_url';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `parameter` WHERE `param`='sitdmoss_newbugtracking_url';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `parameter` WHERE `param`='cerberus_selenium_plugins_path';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `parameter` WHERE `param`='svn_application_url';");
SQLInstruction.add(SQLS.toString());
//-- New Controls for string comparaison.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `sort`=16 WHERE `id`='13' and`sort`='12';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `sort`=17 WHERE `id`='13' and`sort`='14';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ");
SQLS.append(" ('CONTROL', 'verifyStringGreater', 12, 13, 'verifyStringGreater')");
SQLS.append(" ,('CONTROL', 'verifyStringMinor', 13, 13, 'verifyStringMinor');");
SQLInstruction.add(SQLS.toString());
//-- Cleaning on TextInPage control.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `value`='verifyTextInPage', `description`='verifyTextInPage' WHERE `id`='13' and`sort`='50';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `testcasestepactioncontrol` SET `type`='verifyTextInPage' WHERE `type`='verifyTextPresent';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `value`='verifyTextNotInPage', `description`='verifyTextNotInPage' WHERE `id`='13' and`sort`='51';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `testcasestepactioncontrol` SET `type`='verifyTextNotInPage' WHERE `type`='verifyTextNotPresent';");
SQLInstruction.add(SQLS.toString());
//-- Cleaning on VerifyText --> VerifyTextInElement control.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `value`='verifyTextInElement', `description`='verifyTextInElement' WHERE `id`='13' and`sort`='40';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `testcasestepactioncontrol` SET `type`='verifyTextInElement' WHERE `type`='VerifyText';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `value`='verifyRegexInElement', `description`='verifyRegexInElement', sort='43' WHERE `id`='13' and`sort`='80';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `testcasestepactioncontrol` SET `type`='verifyRegexInElement' WHERE `type`='verifyContainText';");
SQLInstruction.add(SQLS.toString());
//-- Enlarging BehaviorOrValueExpected and HowTo columns to TEXT (64K).
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` CHANGE COLUMN `BehaviorOrValueExpected` `BehaviorOrValueExpected` TEXT NULL , CHANGE COLUMN `HowTo` `HowTo` TEXT NULL ;");
SQLInstruction.add(SQLS.toString());
//-- Change length of Property column of TestCaseStepActionExecution from 45 to 200
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE testcasestepactionexecution CHANGE Property Property varchar(200);");
SQLInstruction.add(SQLS.toString());
//-- Add invariant LANGUAGE
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`, `gp1`) VALUES ");
SQLS.append(" ('LANGUAGE', '', 1, 44, 'Default language', 'en')");
SQLS.append(" ,('LANGUAGE', 'BE', 5, 44, 'Belgium language', 'fr-be')");
SQLS.append(" ,('LANGUAGE', 'CH', 10, 44, 'Switzerland language', 'fr-ch')");
SQLS.append(" ,('LANGUAGE', 'ES', 15, 44, 'Spain language', 'es')");
SQLS.append(" ,('LANGUAGE', 'FR', 20, 44, 'France language', 'fr')");
SQLS.append(" ,('LANGUAGE', 'IT', 25, 44, 'Italy language', 'it')");
SQLS.append(" ,('LANGUAGE', 'PT', 30, 44, 'Portugal language', 'pt')");
SQLS.append(" ,('LANGUAGE', 'RU', 35, 44, 'Russia language', 'ru')");
SQLS.append(" ,('LANGUAGE', 'UK', 40, 44, 'Great Britain language', 'gb')");
SQLS.append(" ,('LANGUAGE', 'VI', 45, 44, 'Generic language', 'en');");
SQLInstruction.add(SQLS.toString());
//-- Cerberus can't find elements inside iframe
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ");
SQLS.append("('ACTION','focusToIframe',52,12,'focusToIframe'),");
SQLS.append("('ACTION','focusDefaultIframe',53,12,'focusDefaultIframe');");
SQLInstruction.add(SQLS.toString());
//-- Documentation on new Bug URL
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `documentation` SET `DocDesc`='URL to Bug system new bug creation page.<br> The following variables can be used :<br>%TEST%<br>%TESTCASE%<br>%TESTCASEDESC%<br>%EXEID%<br>%ENV%<br>%COUNTRY%<br>%BUILD%<br>%REV%' WHERE `DocTable`='application' and`DocField`='bugtrackernewurl' and`DocValue`='';");
SQLInstruction.add(SQLS.toString());
//-- Harmonize the column order of Country/Environment.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` ");
SQLS.append(" CHANGE COLUMN `Country` `Country` VARCHAR(2) NOT NULL FIRST , ");
SQLS.append(" CHANGE COLUMN `Environment` `Environment` VARCHAR(45) NOT NULL AFTER `Country` , ");
SQLS.append(" DROP PRIMARY KEY , ADD PRIMARY KEY (`Country`, `Environment`, `Database`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ");
SQLS.append(" CHANGE COLUMN `Environment` `Environment` VARCHAR(45) NOT NULL AFTER `Country` , ");
SQLS.append(" DROP PRIMARY KEY , ADD PRIMARY KEY USING BTREE (`Country`, `Environment`, `Session`, `Server`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` ");
SQLS.append(" CHANGE COLUMN `Environment` `Environment` VARCHAR(45) NULL DEFAULT NULL AFTER `Country` ;");
SQLInstruction.add(SQLS.toString());
//-- Change invariant LANGUAGE to GP2 of invariant COUNTRY
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'fr-be' WHERE idname = 'COUNTRY' and value = 'BE';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'fr-ch' WHERE idname = 'COUNTRY' and value = 'CH';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'es' WHERE idname = 'COUNTRY' and value = 'ES';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'it' WHERE idname = 'COUNTRY' and value = 'IT';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'pt-pt' WHERE idname = 'COUNTRY' and value = 'PT';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'ru' WHERE idname = 'COUNTRY' and value = 'RU';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'en-gb' WHERE idname = 'COUNTRY' and value = 'UK';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'en-gb' WHERE idname = 'COUNTRY' and value = 'VI';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'ru' WHERE idname = 'COUNTRY' and value = 'RU';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'fr' WHERE idname = 'COUNTRY' and value = 'FR';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'en-gb' WHERE idname = 'COUNTRY' and value = 'RX';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `invariant` WHERE idname = 'LANGUAGE'");
SQLInstruction.add(SQLS.toString());
//-- Cleaning countryenvironmentparameters table with useless columns
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` DROP COLUMN `as400LIB` , DROP COLUMN `JdbcPort` , DROP COLUMN `JdbcIP` , DROP COLUMN `JdbcPass` , DROP COLUMN `JdbcUser` ;");
SQLInstruction.add(SQLS.toString());
//-- Adding System level in database model.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' FIRST ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' FIRST ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` DROP FOREIGN KEY `FK_countryenvdeploytype_02` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' FIRST ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` DROP FOREIGN KEY `FK_countryenvironmentparameters_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' FIRST ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` DROP FOREIGN KEY `FK_countryenvironmentdatabase_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' FIRST ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` DROP FOREIGN KEY `FK_host_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' AFTER `id` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` DROP FOREIGN KEY `FK_countryenvparam_log_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` DROP INDEX `FK_countryenvparam_log_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' AFTER `Batch` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` DROP FOREIGN KEY `FK_buildrevisionbatch_02` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` DROP INDEX `FK_buildrevisionbatch_02` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam` DROP PRIMARY KEY , ADD PRIMARY KEY (`system`, `Country`, `Environment`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` DROP PRIMARY KEY , ADD PRIMARY KEY (`system`, `Country`, `Environment`, `deploytype`, `JenkinsAgent`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype`");
SQLS.append(" ADD CONSTRAINT `FK_countryenvdeploytype_1` FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` ");
SQLS.append(" DROP INDEX `FK_countryenvdeploytype_01` , ADD INDEX `FK_countryenvdeploytype_01` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` DROP FOREIGN KEY `FK_countryenvdeploytype_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` ");
SQLS.append(" ADD CONSTRAINT `FK_countryenvdeploytype_02`");
SQLS.append(" FOREIGN KEY (`deploytype` )");
SQLS.append(" REFERENCES `deploytype` (`deploytype` )");
SQLS.append(" ON DELETE CASCADE");
SQLS.append(" ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` DROP FOREIGN KEY `FK_countryenvdeploytype_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` ");
SQLS.append(" ADD CONSTRAINT `FK_countryenvdeploytype_01`");
SQLS.append(" FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` )");
SQLS.append(" ON DELETE CASCADE");
SQLS.append(" ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` DROP PRIMARY KEY , ADD PRIMARY KEY (`system`, `Country`, `Environment`, `Application`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` ");
SQLS.append(" ADD CONSTRAINT `FK_countryenvironmentparameters_01` FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` ");
SQLS.append("DROP INDEX `FK_countryenvironmentparameters_01` , ADD INDEX `FK_countryenvironmentparameters_01` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` ");
SQLS.append(" ADD CONSTRAINT `FK_buildrevisionbatch_02`");
SQLS.append(" FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` )");
SQLS.append(" ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(", ADD INDEX `FK_buildrevisionbatch_02` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` ");
SQLS.append("DROP PRIMARY KEY , ADD PRIMARY KEY (`system`, `Country`, `Environment`, `Database`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` ");
SQLS.append(" ADD CONSTRAINT `FK_countryenvironmentdatabase_01`");
SQLS.append(" FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` )");
SQLS.append(" ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(", DROP INDEX `FK_countryenvironmentdatabase_01` , ADD INDEX `FK_countryenvironmentdatabase_01` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ");
SQLS.append("DROP PRIMARY KEY , ADD PRIMARY KEY (`system`, `Country`, `Environment`, `Session`, `Server`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ");
SQLS.append("DROP INDEX `FK_host_01` , ADD INDEX `FK_host_01` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ");
SQLS.append(" ADD CONSTRAINT `FK_host_01`");
SQLS.append(" FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` )");
SQLS.append(" ON DELETE CASCADE ON UPDATE CASCADE ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` ");
SQLS.append(" ADD CONSTRAINT `FK_countryenvparam_log_01`");
SQLS.append(" FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` )");
SQLS.append(" ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(", ADD INDEX `FK_countryenvparam_log_01` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
//-- Enlarge data execution column in order to keep track of full SQL executed.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutiondata` CHANGE COLUMN `Value` `Value` VARCHAR(3000) NOT NULL , CHANGE COLUMN `RMessage` `RMessage` VARCHAR(3000) NULL DEFAULT '' ;");
SQLInstruction.add(SQLS.toString());
//-- Insert default environment in order to get examples running.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `countryenvparam` (`system`, `Country`, `Environment`, `Build`, `Revision`, `Chain`, `DistribList`, `EMailBodyRevision`, `Type`, `EMailBodyChain`, `EMailBodyDisableEnvironment`, `active`, `maintenanceact`) VALUES ('DEFAULT', 'RX', 'PROD', '', '', '', '', '', 'STD', '', '', 'Y', 'N');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `countryenvironmentparameters` (`system`, `Country`, `Environment`, `Application`, `IP`, `URL`, `URLLOGIN`) VALUES ('DEFAULT', 'RX', 'PROD', 'Google', 'www.google.com', '/', '');");
SQLInstruction.add(SQLS.toString());
//-- Force default system to DEFAULT.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `user` SET DefaultSystem='DEFAULT' where DefaultSystem is null;");
SQLInstruction.add(SQLS.toString());
return SQLInstruction;
}
}
| true | true | public ArrayList<String> getSQLScript() {
// Temporary string that will store the SQL Command before putting in the array.
StringBuilder SQLS;
// Full script that create the cerberus database.
ArrayList<String> SQLInstruction;
// Start to build the SQL Script here.
SQLInstruction = new ArrayList<String>();
// ***********************************************
// ***********************************************
// SQL Script Instructions.
// ***********************************************
// ***********************************************
// Every Query must be independant.
// Drop and Create index of the table / columns inside the same SQL
// Drop and creation of Foreign Key inside the same SQL
// 1 Index or Foreign Key at a time.
// Baware of big tables that may result a timeout on the GUI side.
// ***********************************************
// ***********************************************
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `myversion` (");
SQLS.append(" `Key` varchar(45) NOT NULL DEFAULT '', `Value` int(11) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Key`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `myversion` (`Key`, `Value`) VALUES ('database', 0);");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `log` (");
SQLS.append(" `id` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `datecre` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" `desc` varchar(20) DEFAULT NULL,");
SQLS.append(" `longdesc` varchar(400) DEFAULT NULL,");
SQLS.append(" `remoteIP` varchar(20) DEFAULT NULL,");
SQLS.append(" `localIP` varchar(20) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`id`),");
SQLS.append(" KEY `datecre` (`datecre`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `user` (");
SQLS.append(" `UserID` int(10) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Login` varchar(10) NOT NULL,");
SQLS.append(" `Password` char(40) NOT NULL,");
SQLS.append(" `Name` varchar(25) NOT NULL,");
SQLS.append(" `Request` varchar(5) DEFAULT NULL,");
SQLS.append(" `ReportingFavorite` varchar(1000) DEFAULT NULL,");
SQLS.append(" `DefaultIP` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`UserID`),");
SQLS.append(" UNIQUE KEY `ID1` (`Login`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `user` VALUES (1,'admin','d033e22ae348aeb5660fc2140aec35850c4da997','Admin User','false',NULL,NULL)");
SQLS.append(",(2,'cerberus','b7e73576cd25a6756dfc25d9eb914ba235d4355d','Cerberus User','false',NULL,NULL);");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `usergroup` (");
SQLS.append(" `Login` varchar(10) NOT NULL,");
SQLS.append(" `GroupName` varchar(10) NOT NULL,");
SQLS.append(" PRIMARY KEY (`Login`,`GroupName`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `usergroup` VALUES ('admin','Admin'),('admin','User'),('admin','Visitor'),('admin','Integrator'),('cerberus','User'),('cerberus','Visitor'),('cerberus','Integrator');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `documentation` (");
SQLS.append(" `DocTable` varchar(50) NOT NULL,");
SQLS.append(" `DocField` varchar(45) NOT NULL,");
SQLS.append(" `DocValue` varchar(60) NOT NULL DEFAULT '',");
SQLS.append(" `DocLabel` varchar(60) DEFAULT NULL,");
SQLS.append(" `DocDesc` varchar(10000) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`DocTable`,`DocField`,`DocValue`) USING BTREE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `parameter` (");
SQLS.append(" `param` varchar(100) NOT NULL,");
SQLS.append(" `value` varchar(10000) NOT NULL,");
SQLS.append(" `description` varchar(5000) NOT NULL,");
SQLS.append(" PRIMARY KEY (`param`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `parameter` VALUES ('cerberus_homepage_nbbuildhistorydetail','5','Define the number of build/revision that are displayed in the homepage.')");
SQLS.append(",('cerberus_picture_path','/home/vertigo/dev/CerberusPictures/','Path to store the Cerberus Selenium Screenshot')");
SQLS.append(",('cerberus_picture_url','http://localhost/CerberusPictures/','Link to the Cerberus Selenium Screenshot. The following variable can be used : %ID% and %SCREENSHOT%')");
SQLS.append(",('cerberus_reporting_url','http://IP/Cerberus/ReportingExecution.jsp?Application=%appli%&TcActive=Y&Priority=All&Environment=%env%&Build=%build%&Revision=%rev%&Country=%country%&Status=WORKING&Apply=Apply','URL to Cerberus reporting screen. the following variables can be used : %country%, %env%, %appli%, %build% and %rev%.')");
SQLS.append(",('cerberus_selenium_plugins_path','/tmp/','Path to load firefox plugins (Firebug + netExport) to do network traffic')");
SQLS.append(",('cerberus_support_email','<a href=\"mailto:[email protected]?Subject=Cerberus%20Account\" style=\"color: yellow\">Support</a>','Contact Email in order to ask for new user in Cerberus tool.')");
SQLS.append(",('cerberus_testexecutiondetailpage_nbmaxexe','100','Default maximum number of testcase execution displayed in testcase execution detail page.')");
SQLS.append(",('cerberus_testexecutiondetailpage_nbmaxexe_max','5000','Maximum number of testcase execution displayed in testcase execution detail page.')");
SQLS.append(",('CI_OK_prio1','1','Coef in order to calculate the OK/KO result for CI platform.')");
SQLS.append(",('CI_OK_prio2','0.5','Coef in order to calculate the OK/KO result for CI platform.')");
SQLS.append(",('CI_OK_prio3','0.2','Coef in order to calculate the OK/KO result for CI platform.')");
SQLS.append(",('CI_OK_prio4','0.1','Coef in order to calculate the OK/KO result for CI platform.')");
SQLS.append(",('CI_OK_prio5','0','Coef in order to calculate the OK/KO result for CI platform.')");
SQLS.append(",('index_alert_body','','Body for alerts')");
SQLS.append(",('index_alert_from','QUALITY Team <[email protected]>','From team for alerts')");
SQLS.append(",('index_alert_subject','[BAM] Alert detected for %COUNTRY%','Subject for alerts')");
SQLS.append(",('index_alert_to','QUALITY Team <[email protected]>','List of contact for alerts')");
SQLS.append(",('index_notification_body_between','<br><br>','Text to display between the element of the mail')");
SQLS.append(",('index_notification_body_end','Subscribe / unsubscribe and get more realtime graph <a href=\"http://IP/index/BusinessActivityMonitor.jsp\">here</a>. <font size=\"1\">(Not available on Internet)</font><br><br>If you have any question, please contact us at <a href=\"mailto:[email protected]\">[email protected]</a><br>Cumprimentos / Regards / Cordialement,<br>Test and Integration Team</body></html>','Test to display at the end')");
SQLS.append(",('index_notification_body_top','<html><body>Hello<br><br>Following is the activity monitored for %COUNTRY%, on the %DATEDEB%.<br><br>','Text to display at the top of the mail')");
SQLS.append(",('index_notification_subject','[BAM] Business Activity Monitor for %COUNTRY%','subject')");
SQLS.append(",('index_smtp_from','Team <[email protected]>','smtp from used for notification')");
SQLS.append(",('index_smtp_host','smtp.mail.com','Smtp host used with notification')");
SQLS.append(",('index_smtp_port','25','smtp port used for notification ')");
SQLS.append(",('integration_notification_disableenvironment_body','Hello to all.<br><br>Use of environment %ENV% for country %COUNTRY% with Sprint %BUILD% (Revision %REVISION%) has been disabled, either to cancel the environment or to start deploying a new Sprint/revision.<br>Please don\\'t use the VC applications until you receive further notification.<br><br>If you have any question, please contact us at [email protected]<br><br>Cumprimentos / Regards / Cordialement,<br><br>Test and Integration Team','Default Mail Body on event disableenvironment.')");
SQLS.append(",('integration_notification_disableenvironment_cc','Team <[email protected]>','Default Mail cc on event disableenvironment.')");
SQLS.append(",('integration_notification_disableenvironment_subject','[TIT] Env %ENV% for %COUNTRY% (with Sprint %BUILD% revision %REVISION%) has been disabled for Maintenance.','Default Mail Subject on event disableenvironment.')");
SQLS.append(",('integration_notification_disableenvironment_to','Team <[email protected]>','Default Mail to on event disableenvironment.')");
SQLS.append(",('integration_notification_newbuildrevision_body','Hello to all.<br><br>Sprint %BUILD% with Revisions %REVISION% is now available in %ENV%.<br>To access the corresponding application use the link:<br><a href=\"http://IP/index/?active=Y&env=%ENV%&country=%COUNTRY%\">http://IP/index/?active=Y&env=%ENV%&country=%COUNTRY%</a><br><br>%BUILDCONTENT%<br>%TESTRECAP%<br>%TESTRECAPALL%<br>If you have any problem or question, please contact us at [email protected]<br><br>Cumprimentos / Regards / Cordialement,<br><br>Test and Integration Team','Default Mail Body on event newbuildrevision.')");
SQLS.append(",('integration_notification_newbuildrevision_cc','Team <[email protected]>','Default Mail cc on event newbuildrevision.')");
SQLS.append(",('integration_notification_newbuildrevision_subject','[TIT] Sprint %BUILD% Revision %REVISION% is now ready to be used in %ENV% for %COUNTRY%.','Default Mail Subject on event newbuildrevision.')");
SQLS.append(",('integration_notification_newbuildrevision_to','Team <[email protected]>','Default Mail to on event newchain.')");
SQLS.append(",('integration_notification_newchain_body','Hello to all.<br><br>A new Chain %CHAIN% has been executed in %ENV% for your country (%COUNTRY%).<br>Please perform your necessary test following that execution.<br><br>If you have any question, please contact us at [email protected]<br><br>Cumprimentos / Regards / Cordialement.','Default Mail Body on event newchain.')");
SQLS.append(",('integration_notification_newchain_cc','Team <[email protected]>','Default Mail cc on event newchain.')");
SQLS.append(",('integration_notification_newchain_subject','[TIT] A New treatment %CHAIN% has been executed in %ENV% for %COUNTRY%.','Default Mail Subject on event newchain.')");
SQLS.append(",('integration_notification_newchain_to','Team <[email protected]>','Default Mail to on event newchain.')");
SQLS.append(",('integration_smtp_from','Team <[email protected]>','smtp from used for notification')");
SQLS.append(",('integration_smtp_host','mail.com','Smtp host used with notification')");
SQLS.append(",('integration_smtp_port','25','smtp port used for notification ')");
SQLS.append(",('jenkins_admin_password','toto','Jenkins Admin Password')");
SQLS.append(",('jenkins_admin_user','admin','Jenkins Admin Username')");
SQLS.append(",('jenkins_application_pipeline_url','http://IP:8210/view/Deploy/','Jenkins Application Pipeline URL. %APPLI% can be used to replace Application name.')");
SQLS.append(",('jenkins_deploy_pipeline_url','http://IP:8210/view/Deploy/','Jenkins Standard deploy Pipeline URL. ')");
SQLS.append(",('jenkins_deploy_url','http://IP:8210/job/STD-DEPLOY/buildWithParameters?token=buildit&DEPLOY_JOBNAME=%APPLI%&DEPLOY_BUILD=%JENKINSBUILDID%&DEPLOY_TYPE=%DEPLOYTYPE%&DEPLOY_ENV=%JENKINSAGENT%&SVN_REVISION=%RELEASE%','Link to Jenkins in order to trigger a standard deploy. %APPLI% %JENKINSBUILDID% %DEPLOYTYPE% %JENKINSAGENT% and %RELEASE% can be used.')");
SQLS.append(",('ticketing tool_bugtracking_url','http://IP/bugtracking/Lists/Bug%20Tracking/DispForm.aspx?ID=%bugid%&Source=http%3A%2F%2Fsitd_moss%2Fbugtracking%2FLists%2FBug%2520Tracking%2FAllOpenBugs.aspx','URL to SitdMoss Bug reporting screen. the following variable can be used : %bugid%.')");
SQLS.append(",('ticketing tool_newbugtracking_url','http://IP/bugtracking/Lists/Bug%20Tracking/NewForm.aspx?RootFolder=%2Fbugtracking%2FLists%2FBug%20Tracking&Source=http%3A%2F%2Fsitd_moss%2Fbugtracking%2FLists%2FBug%2520Tracking%2FAllOpenBugs.aspx','URL to SitdMoss Bug creation page.')");
SQLS.append(",('ticketing tool_ticketservice_url','http://IP/tickets/Lists/Tickets/DispForm.aspx?ID=%ticketid%','URL to SitdMoss Ticket Service page.')");
SQLS.append(",('sonar_application_dashboard_url','http://IP:8211/sonar/project/index/com.appli:%APPLI%','Sonar Application Dashboard URL. %APPLI% and %MAVENGROUPID% can be used to replace Application name.')");
SQLS.append(",('svn_application_url','http://IP/svn/SITD/%APPLI%','Link to SVN Repository. %APPLI% %TYPE% and %SYSTEM% can be used to replace Application name, type or system.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `invariant` (");
SQLS.append(" `idname` varchar(50) NOT NULL,");
SQLS.append(" `value` varchar(50) NOT NULL,");
SQLS.append(" `sort` int(10) unsigned NOT NULL,");
SQLS.append(" `id` int(10) unsigned NOT NULL,");
SQLS.append(" `description` varchar(100) NOT NULL,");
SQLS.append(" `gp1` varchar(45) DEFAULT NULL,");
SQLS.append(" `gp2` varchar(45) DEFAULT NULL,");
SQLS.append(" `gp3` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`id`,`sort`) USING BTREE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` VALUES ('STATUS','STANDBY',1,1,'Not implemented yet',NULL,NULL,NULL)");
SQLS.append(",('STATUS','IN PROGRESS',2,1,'Being implemented',NULL,NULL,NULL)");
SQLS.append(",('STATUS','TO BE IMPLEMENTED',3,1,'To be implemented',NULL,NULL,NULL)");
SQLS.append(",('STATUS','TO BE VALIDATED',4,1,'To be validated',NULL,NULL,NULL)");
SQLS.append(",('STATUS','WORKING',5,1,'Validated and Working',NULL,NULL,NULL)");
SQLS.append(",('STATUS','TO BE DELETED',6,1,'Should be deleted',NULL,NULL,NULL)");
SQLS.append(",('GROUP','COMPARATIVE',1,2,'Group of comparison tests',NULL,NULL,NULL)");
SQLS.append(",('GROUP','INTERACTIVE',2,2,'Group of interactive tests',NULL,NULL,NULL)");
SQLS.append(",('GROUP','PRIVATE',3,2,'Group of tests which not appear in Cerberus',NULL,NULL,NULL)");
SQLS.append(",('GROUP','PROCESS',4,2,'Group of tests which need a batch',NULL,NULL,NULL)");
SQLS.append(",('GROUP','MANUAL',5,2,'Group of test which cannot be automatized',NULL,NULL,NULL)");
SQLS.append(",('GROUP','',6,2,'Group of tests which are not already defined',NULL,NULL,NULL)");
SQLS.append(",('COUNTRY','BE',10,4,'Belgium','800',NULL,NULL)");
SQLS.append(",('COUNTRY','CH',11,4,'Switzerland','500',NULL,NULL)");
SQLS.append(",('COUNTRY','ES',13,4,'Spain','900',NULL,NULL)");
SQLS.append(",('COUNTRY','IT',14,4,'Italy','205',NULL,NULL)");
SQLS.append(",('COUNTRY','PT',15,4,'Portugal','200',NULL,NULL)");
SQLS.append(",('COUNTRY','RU',16,4,'Russia','240',NULL,NULL)");
SQLS.append(",('COUNTRY','UK',17,4,'Great Britan','300',NULL,NULL)");
SQLS.append(",('COUNTRY','VI',19,4,'Generic country used by .com','280',NULL,NULL)");
SQLS.append(",('COUNTRY','UA',25,4,'Ukrainia','290',NULL,NULL)");
SQLS.append(",('COUNTRY','DE',40,4,'Germany','600',NULL,NULL)");
SQLS.append(",('COUNTRY','AT',41,4,'Austria','600',NULL,NULL)");
SQLS.append(",('COUNTRY','GR',42,4,'Greece','220',NULL,NULL)");
SQLS.append(",('COUNTRY','RX',50,4,'Transversal Country used for Transversal Applications.','RBX',NULL,NULL)");
SQLS.append(",('COUNTRY','FR',60,4,'France',NULL,NULL,NULL)");
SQLS.append(",('ENVIRONMENT','DEV',0,5,'Developpement','DEV',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','CDIDEV',3,5,'Quality Assurance - Leiria','QAold',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','CDIQA',4,5,'Quality Assurance - Leiria','QAold',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA',5,5,'Quality Assurance','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA1',6,5,'Quality Assurance - Roubaix 720 (C2)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA2',7,5,'Quality Assurance - Roubaix 720 (C2)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA3',8,5,'Quality Assurance - Roubaix 720 (C2)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA4',13,5,'Quality Assurance - Roubaix 720 (C4)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA5',14,5,'Quality Assurance - Roubaix 720 (C4)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA6',23,5,'Quality Assurance - Roubaix 720 (C4)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA7',24,5,'Quality Assurance - Roubaix 720 (C4)','QAold',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','UAT',30,5,'User Acceptance Test','UAT',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','PROD',50,5,'Production','PROD',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','PREPROD',60,5,'PreProduction','PROD',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','RQA',71,5,'Quality Assurance - Aubervilliers','QAold',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','PROTOPROD',72,5,'720 Production Prototype','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','PROTOUAT',73,5,'720 UAT Prototype','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','CDI',74,5,'CDI development - Roubaix 720','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','RQA2',75,5,'Quality Assurance - Roubaix (v5r4)','QAold',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','UAT2',81,5,'UAT2 environment','UAT',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','UAT3',82,5,'UAT3 environment','UAT',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','UAT4',83,5,'UAT4 environment','UAT',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','UAT5',84,5,'UAT5 environment','UAT',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','PROD2',90,5,'Production temporarly for new theseus','PROD',NULL,'')");
SQLS.append(",('SERVER','PRIMARY',1,6,'Primary Server',NULL,NULL,NULL)");
SQLS.append(",('SERVER','BACKUP1',2,6,'Backup 1',NULL,NULL,NULL)");
SQLS.append(",('SERVER','BACKUP2',3,6,'Backup 2',NULL,NULL,NULL)");
SQLS.append(",('SESSION','1',1,7,'Session 1',NULL,NULL,NULL)");
SQLS.append(",('SESSION','2',2,7,'Session 2',NULL,NULL,NULL)");
SQLS.append(",('SESSION','3',3,7,'Session 3',NULL,NULL,NULL)");
SQLS.append(",('SESSION','4',4,7,'Session 4',NULL,NULL,NULL)");
SQLS.append(",('SESSION','5',5,7,'Session 5',NULL,NULL,NULL)");
SQLS.append(",('SESSION','6',6,7,'Session 6',NULL,NULL,NULL)");
SQLS.append(",('SESSION','7',7,7,'Session 7',NULL,NULL,NULL)");
SQLS.append(",('SESSION','8',8,7,'Session 8',NULL,NULL,NULL)");
SQLS.append(",('SESSION','9',9,7,'Session 9',NULL,NULL,NULL)");
SQLS.append(",('SESSION','10',10,7,'Session 10',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2011B2',9,8,'2011B2',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2011B3',10,8,'2011B3',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2012B1',11,8,'2012B1',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2012S1',12,8,'2012S1',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2012S2',13,8,'2012 Sprint 02',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2013S1',14,8,'2013 Sprint 01',NULL,NULL,NULL)");
SQLS.append(",('REVISION','A00',0,9,'Pre QA Revision',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R00',1,9,'R00',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R01',10,9,'R01',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R02',20,9,'R02',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R03',30,9,'R03',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R04',40,9,'R04',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R05',50,9,'R05',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R06',60,9,'R06',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R07',70,9,'R07',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R08',80,9,'R08',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R09',90,9,'R09',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R10',100,9,'R10',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R11',110,9,'R11',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R12',120,9,'R12',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R13',130,9,'R13',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R14',140,9,'R14',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R15',150,9,'R15',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R16',160,9,'R16',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R17',170,9,'R17',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R18',180,9,'R18',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R19',190,9,'R19',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R20',200,9,'R20',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R21',210,9,'R21',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R22',220,9,'R22',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R23',230,9,'R23',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R24',240,9,'R24',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R25',250,9,'R25',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R26',260,9,'R26',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R27',270,9,'R27',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R28',280,9,'R28',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R29',290,9,'R29',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R30',300,9,'R30',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R31',310,9,'R31',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R32',320,9,'R32',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R33',330,9,'R33',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R34',340,9,'R34',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R35',350,9,'R35',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R36',360,9,'R36',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R37',370,9,'R37',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R38',380,9,'R38',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R39',390,9,'R39',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R40',400,9,'R40',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R41',410,9,'R41',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R42',420,9,'R42',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R43',430,9,'R43',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R44',440,9,'R44',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R45',450,9,'R45',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R46',460,9,'R46',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R47',470,9,'R47',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R48',480,9,'R48',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R49',490,9,'R49',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R50',500,9,'R50',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R51',510,9,'R51',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R52',520,9,'R52',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R53',530,9,'R53',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R54',540,9,'R54',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R55',550,9,'R55',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R56',560,9,'R56',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R57',570,9,'R57',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R58',580,9,'R58',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R59',590,9,'R59',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R60',600,9,'R60',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R61',610,9,'R61',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R62',620,9,'R62',NULL,NULL,NULL)");
SQLS.append(",('REVISION','C12',1120,9,'R12 cancelled',NULL,NULL,NULL)");
SQLS.append(",('REVISION','C13',1130,9,'R13 Cancelled',NULL,NULL,NULL)");
SQLS.append(",('ENVTYPE','STD',1,10,'Regression and evolution Standard Testing.',NULL,NULL,NULL)");
SQLS.append(",('ENVTYPE','COMPARISON',2,10,'Comparison Testing. No GUI Tests are allowed.',NULL,NULL,NULL)");
SQLS.append(",('ENVACTIVE','Y',1,11,'Active',NULL,NULL,NULL)");
SQLS.append(",('ENVACTIVE','N',2,11,'Disable',NULL,NULL,NULL)");
SQLS.append(",('ACTION','addSelection',10,12,'addSelection',NULL,NULL,NULL)");
SQLS.append(",('ACTION','calculateProperty',20,12,'calculateProperty',NULL,NULL,NULL)");
SQLS.append(",('ACTION','click',30,12,'click',NULL,NULL,NULL)");
SQLS.append(",('ACTION','clickAndWait',40,12,'clickAndWait',NULL,NULL,NULL)");
SQLS.append(",('ACTON','doubleClick',45,12,'doubleClick',NULL,NULL,NULL)");
SQLS.append(",('ACTION','enter',50,12,'enter',NULL,NULL,NULL)");
SQLS.append(",('ACTION','keypress',55,12,'keypress',NULL,NULL,NULL)");
SQLS.append(",('ACTION','openUrlWithBase',60,12,'openUrlWithBase',NULL,NULL,NULL)");
SQLS.append(",('ACTION','removeSelection',70,12,'removeSelection',NULL,NULL,NULL)");
SQLS.append(",('ACTION','select',80,12,'select',NULL,NULL,NULL)");
SQLS.append(",('ACTION','selectAndWait',90,12,'selectAndWait',NULL,NULL,NULL)");
SQLS.append(",('ACTION','store',100,12,'store',NULL,NULL,NULL)");
SQLS.append(",('ACTION','type',110,12,'type',NULL,NULL,NULL)");
SQLS.append(",('ACTION','URLLOGIN',120,12,'URLLOGIN',NULL,NULL,NULL)");
SQLS.append(",('ACTION','verifyTextPresent',130,12,'verifyTextPresent',NULL,NULL,NULL)");
SQLS.append(",('ACTION','verifyTitle',140,12,'verifyTitle',NULL,NULL,NULL)");
SQLS.append(",('ACTION','verifyValue',150,12,'verifyValue',NULL,NULL,NULL)");
SQLS.append(",('ACTION','wait',160,12,'wait',NULL,NULL,NULL)");
SQLS.append(",('ACTION','waitForPage',170,12,'waitForPage',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','PropertyIsEqualTo',10,13,'PropertyIsEqualTo',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','PropertyIsGreaterThan',12,13,'PropertyIsGreaterThan',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','PropertyIsMinorThan',14,13,'PropertyIsMinorThan',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyElementPresent',20,13,'verifyElementPresent',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyElementVisible',30,13,'verifyElementVisible',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyText',40,13,'verifyText',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyTextPresent',50,13,'verifyTextPresent',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifytitle',60,13,'verifytitle',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyurl',70,13,'verifyurl',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyContainText',80,13,'Verify Contain Text',NULL,NULL,NULL)");
SQLS.append(",('CHAIN','0',1,14,'0',NULL,NULL,NULL)");
SQLS.append(",('CHAIN','1',2,14,'1',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','0',1,15,'No Priority defined',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','1',2,15,'Critical Priority',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','2',3,15,'High Priority',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','3',4,15,'Mid Priority',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','4',5,15,'Low Priority',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','5',6,15,'Lower Priority or cosmetic',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','99',7,15,'99',NULL,NULL,NULL)");
SQLS.append(",('TCACTIVE','Y',1,16,'Yes',NULL,NULL,NULL)");
SQLS.append(",('TCACTIVE','N',2,16,'No',NULL,NULL,NULL)");
SQLS.append(",('TCREADONLY','N',1,17,'No',NULL,NULL,NULL)");
SQLS.append(",('TCREADONLY','Y',2,17,'Yes',NULL,NULL,NULL)");
SQLS.append(",('CTRLFATAL','Y',1,18,'Yes',NULL,NULL,NULL)");
SQLS.append(",('CTRLFATAL','N',2,18,'No',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYTYPE','SQL',1,19,'SQL Query',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYTYPE','HTML',2,19,'HTML ID Field',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYTYPE','TEXT',3,19,'Fix Text value',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYTYPE','LIB_SQL',4,19,'Using an SQL from the library',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYNATURE','STATIC',1,20,'Static',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYNATURE','RANDOM',2,20,'Random',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYNATURE','RANDOMNEW',3,20,'Random New',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','AT',1,21,'Austria',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','BE',2,21,'Belgium',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','CH',3,21,'Switzerland',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','ES',4,21,'Spain',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','GR',5,21,'Greece',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','IT',6,21,'Italy',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','PT',7,21,'Portugal',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','RU',8,21,'Russia',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','UA',9,21,'Ukrainia',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','UK',10,21,'Great Britain',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','VI',11,21,'Generic filiale',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','RX',12,21,'Roubaix',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','CDI',13,21,'CDITeam',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','TIT',14,21,'Test and Integration Team',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','DE',15,21,'Germany',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','FR',16,21,'France',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYDATABASE','VC',1,22,'VC Database',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYDATABASE','ICS',2,22,'ICSDatabase',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYDATABASE','IDW',3,22,'IDW Database',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYDATABASE','CRB',4,22,'CERBERUS Database',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYDATABASE','IRT',5,22,'IRT Database',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYBAM','NBC',2,23,'Number of Orders','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','AOL',4,23,'Number of Orders in the last 10 minutes','table','sum',NULL)");
SQLS.append(",('PROPERTYBAM','API',5,23,'Number of API call in the last 10 minutes','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','APT',6,23,'Average of Duration of API call in the last 10 minutes','line','avg','1.6')");
SQLS.append(",('PROPERTYBAM','NBA',7,23,'Number of API longer than 1 second in the last 10 minutes','','sum',NULL)");
SQLS.append(",('PROPERTYBAM','APE',8,23,'Number of API Errors in the last 10 minutes','line','sum','20')");
SQLS.append(",('PROPERTYBAM','AVT',9,23,'Average of duration of a simple VCCRM scenario','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','APT',10,23,'Average of Duration of API call in the last 10 minutes','table','avg','1.6')");
SQLS.append(",('PROPERTYBAM','BAT',11,23,'Batch','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','BKP',12,23,'Backup','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','DTW',13,23,'Dataware','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','FST',14,23,'Fast Chain','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','IMG',15,23,'Selling Data File','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','MOR',16,23,'Morning Chain','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','WEB',17,23,'Product Data File','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','SIZ',18,23,'Size of the homepage','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','LOG',19,23,'Web : Login Duration','line','avg','150')");
SQLS.append(",('PROPERTYBAM','SIS',20,23,'Web : Search : Total size of pages','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','NAV',21,23,'Web : Search : Duration','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','PLP',22,23,'Web : PLP Duration','line','avg','100')");
SQLS.append(",('PROPERTYBAM','PDP',23,23,'Web : PDP Duration','line','avg','150')");
SQLS.append(",('PROPERTYBAM','CHE',24,23,'Web : Checkout Duration','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','APC',25,23,'APC : API Error code 12 & 17','line','sum','50')");
SQLS.append(",('PROPERTYBAM','MTE',26,23,'Web : Megatab ELLOS Duration','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','PLD',27,23,'Web : PLP DRESSES Duration','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','OMP',28,23,'Web : Outlet-MiniPDP Duration','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','DBC',29,23,'Demand ','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','MAR',30,23,'Margin in the last 10 minutes','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','APD',31,23,'APD : API Error code 20','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','DOR',32,23,'Performance : Direct Order','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','EBP',33,23,'Performance : EBoutique Pull','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','LOH',34,23,'Web : Login Duration','LINE','AVG',NULL)");
SQLS.append(",('OUTPUTFORMAT','gui',1,24,'GUI HTLM output','','',NULL)");
SQLS.append(",('OUTPUTFORMAT','compact',2,24,'Compact single line output.',NULL,NULL,NULL)");
SQLS.append(",('OUTPUTFORMAT','verbose-txt',3,24,'Verbose key=value format.',NULL,NULL,NULL)");
SQLS.append(",('VERBOSE','0',1,25,'Minimum log','','',NULL)");
SQLS.append(",('VERBOSE','1',2,25,'Standard log','','',NULL)");
SQLS.append(",('VERBOSE','2',3,25,'Maximum log',NULL,NULL,NULL)");
SQLS.append(",('RUNQA','Y',1,26,'Test can run in QA enviroment',NULL,NULL,NULL)");
SQLS.append(",('RUNQA','N',2,26,'Test cannot run in QA enviroment',NULL,NULL,NULL)");
SQLS.append(",('RUNUAT','Y',1,27,'Test can run in UAT environment',NULL,NULL,NULL)");
SQLS.append(",('RUNUAT','N',2,27,'Test cannot run in UAT environment',NULL,NULL,NULL)");
SQLS.append(",('RUNPROD','N',1,28,'Test cannot run in PROD environment',NULL,NULL,NULL)");
SQLS.append(",('RUNPROD','Y',2,28,'Test can run in PROD environment',NULL,NULL,NULL)");
SQLS.append(",('FILTERNBDAYS','14',1,29,'14 Days (2 weeks)',NULL,NULL,NULL)");
SQLS.append(",('FILTERNBDAYS','30',2,29,'30 Days (1 month)',NULL,NULL,NULL)");
SQLS.append(",('FILTERNBDAYS','182',3,29,'182 Days (6 months)',NULL,NULL,NULL)");
SQLS.append(",('FILTERNBDAYS','365',4,29,'365 Days (1 year)',NULL,NULL,NULL)");
SQLS.append(",('PROBLEMCATEGORY','ERROR PAGES',10,30,'High amount of error pages','QUALITY',NULL,NULL)");
SQLS.append(",('PROBLEMCATEGORY','PERFORMANCE',15,30,'Performance issue','QUALITY',NULL,NULL)");
SQLS.append(",('PROBLEMCATEGORY','UNAVAILABILITY',20,30,'System Unavailable','QUALITY',NULL,NULL)");
SQLS.append(",('PROBLEMCATEGORY','CONTENT ERROR',25,30,'Content Error','QUALITY',NULL,NULL)");
SQLS.append(",('PROBLEMCATEGORY','API ERRORS',30,30,'API ERRORS',NULL,NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','HUMAN ERROR',1,31,'Problem due to wrong manipulation','PROCESS',NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','DEVELLOPMENT ERROR',2,31,'Problem with the code',NULL,NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','SERVER ERROR',3,31,'Technical issue',NULL,NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','COMMUNICATION ISSUE',4,31,'Communication',NULL,NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','PROCESS ERROR',5,31,'Problem with the process implemented','QUALITY',NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','MAINTENANCE',6,31,'Application Maintenance','QUALITY',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[VC] TIT',1,32,'Tit Team','VC',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[VC] CDI',20,32,'CDITeam','VC',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[VC] QUALITY TEAM',25,32,'Quality Team','VC',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[VC] UK TEAM',26,32,'UK TEAM','VC',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[EXT] ESB',30,32,'ESB Team','EXT',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[EXT] IT FRANCE',35,32,'IT France','EXT',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[WEB] MILLENA',40,32,'Millena','WEB',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[WEB] MEMO',50,32,'Memo','WEB',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[WEB] THESEUS',60,32,'Theseus','WEB',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[WEB] STUDIO',65,32,'Studio','WEB',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] BE',70,32,'Belgium','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] CH',71,32,'Switzerland','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] ES',72,32,'Spain','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] IT',73,32,'Italy','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] PT',74,32,'Portugal','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] RU',75,32,'Russia','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] UA',76,32,'Ukrainia','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] UK',77,32,'United Kingdom','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] VI',78,32,'Generic','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] DE',79,32,'Germany','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[SUPPLIER] ATOS',80,32,'Atos','SUPPLIER',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[SUPPLIER] LINKBYNET',90,32,'Link By Net','SUPPLIER',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[SUPPLIER] TELINDUS',100,32,'Teloindus','SUPPLIER',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[SUPPLIER] EXTERNAL',101,32,'External Supplier','SUPPLIER',NULL,NULL)");
SQLS.append(",('STATUS','OPEN',1,33,'Non conformities is still in investigation',NULL,NULL,NULL)");
SQLS.append(",('STATUS','CLOSED',2,33,'Non conformity is closed',NULL,NULL,NULL)");
SQLS.append(",('SEVERITY','1',10,34,'The Most critical : Unavailability',NULL,NULL,NULL)");
SQLS.append(",('SEVERITY','2',20,34,'Bad Customer experience : Slowness or error page',NULL,NULL,NULL)");
SQLS.append(",('SEVERITY','3',30,34,'No customer impact but impact for internal resources',NULL,NULL,NULL)");
SQLS.append(",('SEVERITY','4',40,34,'Low severity',NULL,NULL,NULL)");
SQLS.append(",('TCESTATUS','OK',1,35,'Test was fully executed and no bug are to be reported.',NULL,NULL,NULL)");
SQLS.append(",('TCESTATUS','KO',2,35,'Test was executed and bug have been detected.',NULL,NULL,NULL)");
SQLS.append(",('TCESTATUS','PE',3,35,'Test execution is still running...',NULL,NULL,NULL)");
SQLS.append(",('TCESTATUS','FA',4,35,'Test could not be executed because there is a bug on the test.',NULL,NULL,NULL)");
SQLS.append(",('TCESTATUS','NA',5,35,'Test could not be executed because some test data are not available.',NULL,NULL,NULL)");
SQLS.append(",('MAXEXEC','50',1,36,'50',NULL,NULL,NULL)");
SQLS.append(",('MAXEXEC','100',2,36,'100',NULL,NULL,NULL)");
SQLS.append(",('MAXEXEC','200',3,36,'200',NULL,NULL,NULL)");
SQLS.append(",('MAXEXEC','500',4,36,'500',NULL,NULL,NULL)");
SQLS.append(",('MAXEXEC','1000',5,36,'1000',NULL,NULL,NULL);");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `tag` (");
SQLS.append(" `id` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Tag` varchar(145) NOT NULL,");
SQLS.append(" `TagDateCre` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`id`),");
SQLS.append(" UNIQUE KEY `Tag_UNIQUE` (`Tag`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `deploytype` (");
SQLS.append(" `deploytype` varchar(50) NOT NULL,");
SQLS.append(" `description` varchar(200) DEFAULT '',");
SQLS.append(" PRIMARY KEY (`deploytype`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `application` (");
SQLS.append(" `Application` varchar(45) NOT NULL,");
SQLS.append(" `description` varchar(200) DEFAULT NULL,");
SQLS.append(" `internal` varchar(1) NOT NULL COMMENT 'VC Application',");
SQLS.append(" `sort` int(11) NOT NULL,");
SQLS.append(" `type` varchar(10) DEFAULT NULL,");
SQLS.append(" `system` varchar(45) NOT NULL DEFAULT '',");
SQLS.append(" `svnurl` varchar(150) DEFAULT NULL,");
SQLS.append(" `deploytype` varchar(50) DEFAULT NULL,");
SQLS.append(" `mavengroupid` varchar(50) DEFAULT '',");
SQLS.append(" PRIMARY KEY (`Application`),");
SQLS.append(" KEY `FK_application` (`deploytype`),");
SQLS.append(" CONSTRAINT `FK_application` FOREIGN KEY (`deploytype`) REFERENCES `deploytype` (`deploytype`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `project` (");
SQLS.append(" `idproject` varchar(45) NOT NULL,");
SQLS.append(" `VCCode` varchar(20) DEFAULT NULL,");
SQLS.append(" `Description` varchar(45) DEFAULT NULL,");
SQLS.append(" `active` varchar(1) DEFAULT 'Y',");
SQLS.append(" `datecre` timestamp NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`idproject`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `batchinvariant` (");
SQLS.append(" `Batch` varchar(1) NOT NULL DEFAULT '',");
SQLS.append(" `IncIni` varchar(45) DEFAULT NULL,");
SQLS.append(" `Unit` varchar(45) DEFAULT NULL,");
SQLS.append(" `Description` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Batch`) USING BTREE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `test` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `Description` varchar(300) NOT NULL,");
SQLS.append(" `Active` varchar(1) NOT NULL,");
SQLS.append(" `Automated` varchar(1) NOT NULL,");
SQLS.append(" `TDateCrea` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`Test`),");
SQLS.append(" KEY `ix_Test_Active` (`Test`,`Active`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `application` VALUES ('Google','Google Website','N',240,'GUI','DEFAULT','',NULL,'');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `test` VALUES ('Examples','Example Tests','Y','Y','2012-06-19 09:56:06'),('Performance Monitor','Performance Monitor Tests','Y','Y','2012-06-19 09:56:06'),('Business Activity Monitor','Business Activity Monitor Tests','Y','Y','2012-06-19 09:56:06'),('Pre Testing','Preliminary Tests','Y','Y','0000-00-00 00:00:00');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcase` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Application` varchar(45) DEFAULT NULL,");
SQLS.append(" `Project` varchar(45) DEFAULT NULL,");
SQLS.append(" `Ticket` varchar(20) DEFAULT '',");
SQLS.append(" `Description` varchar(500) NOT NULL,");
SQLS.append(" `BehaviorOrValueExpected` varchar(2500) NOT NULL,");
SQLS.append(" `ReadOnly` varchar(1) DEFAULT 'N',");
SQLS.append(" `ChainNumberNeeded` int(10) unsigned DEFAULT NULL,");
SQLS.append(" `Priority` int(1) unsigned NOT NULL,");
SQLS.append(" `Status` varchar(25) NOT NULL,");
SQLS.append(" `TcActive` varchar(1) NOT NULL,");
SQLS.append(" `Group` varchar(45) DEFAULT NULL,");
SQLS.append(" `Origine` varchar(45) DEFAULT NULL,");
SQLS.append(" `RefOrigine` varchar(45) DEFAULT NULL,");
SQLS.append(" `HowTo` varchar(2500) DEFAULT NULL,");
SQLS.append(" `Comment` varchar(500) DEFAULT NULL,");
SQLS.append(" `TCDateCrea` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" `FromBuild` varchar(10) DEFAULT NULL,");
SQLS.append(" `FromRev` varchar(20) DEFAULT NULL,");
SQLS.append(" `ToBuild` varchar(10) DEFAULT NULL,");
SQLS.append(" `ToRev` varchar(20) DEFAULT NULL,");
SQLS.append(" `BugID` varchar(10) DEFAULT NULL,");
SQLS.append(" `TargetBuild` varchar(10) DEFAULT NULL,");
SQLS.append(" `TargetRev` varchar(20) DEFAULT NULL,");
SQLS.append(" `Creator` varchar(45) DEFAULT NULL,");
SQLS.append(" `Implementer` varchar(45) DEFAULT NULL,");
SQLS.append(" `LastModifier` varchar(45) DEFAULT NULL,");
SQLS.append(" `Sla` varchar(45) DEFAULT NULL,");
SQLS.append(" `activeQA` varchar(1) DEFAULT 'Y',");
SQLS.append(" `activeUAT` varchar(1) DEFAULT 'Y',");
SQLS.append(" `activePROD` varchar(1) DEFAULT 'N',");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`),");
SQLS.append(" KEY `Index_2` (`Group`),");
SQLS.append(" KEY `Index_3` (`Test`,`TestCase`,`Application`,`TcActive`,`Group`),");
SQLS.append(" KEY `FK_testcase_2` (`Application`),");
SQLS.append(" KEY `FK_testcase_3` (`Project`),");
SQLS.append(" CONSTRAINT `FK_testcase_1` FOREIGN KEY (`Test`) REFERENCES `test` (`Test`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_testcase_2` FOREIGN KEY (`Application`) REFERENCES `application` (`Application`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_testcase_3` FOREIGN KEY (`Project`) REFERENCES `project` (`idproject`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasecountry` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`,`Country`),");
SQLS.append(" CONSTRAINT `FK_testcasecountry_1` FOREIGN KEY (`Test`, `TestCase`) REFERENCES `testcase` (`Test`, `TestCase`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestep` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Step` int(10) unsigned NOT NULL,");
SQLS.append(" `Description` varchar(150) NOT NULL,");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`,`Step`),");
SQLS.append(" CONSTRAINT `FK_testcasestep_1` FOREIGN KEY (`Test`, `TestCase`) REFERENCES `testcase` (`Test`, `TestCase`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepbatch` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Step` varchar(45) NOT NULL,");
SQLS.append(" `Batch` varchar(1) NOT NULL DEFAULT '',");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`,`Step`,`Batch`) USING BTREE,");
SQLS.append(" KEY `fk_testcasestepbatch_1` (`Batch`),");
SQLS.append(" CONSTRAINT `FK_testcasestepbatchl_1` FOREIGN KEY (`Test`, `TestCase`) REFERENCES `testcase` (`Test`, `TestCase`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_testcasestepbatch_2` FOREIGN KEY (`Batch`) REFERENCES `batchinvariant` (`Batch`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasecountryproperties` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Property` varchar(150) NOT NULL,");
SQLS.append(" `Type` varchar(45) NOT NULL,");
SQLS.append(" `Database` varchar(45) DEFAULT NULL,");
SQLS.append(" `Value` varchar(2500) NOT NULL,");
SQLS.append(" `Length` int(10) unsigned NOT NULL,");
SQLS.append(" `RowLimit` int(10) unsigned NOT NULL,");
SQLS.append(" `Nature` varchar(45) NOT NULL,");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`,`Country`,`Property`) USING BTREE,");
SQLS.append(" CONSTRAINT `FK_testcasecountryproperties_1` FOREIGN KEY (`Test`, `TestCase`, `Country`) REFERENCES `testcasecountry` (`Test`, `TestCase`, `Country`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepaction` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Step` int(10) unsigned NOT NULL,");
SQLS.append(" `Sequence` int(10) unsigned NOT NULL,");
SQLS.append(" `Action` varchar(45) NOT NULL DEFAULT '',");
SQLS.append(" `Object` varchar(200) NOT NULL DEFAULT '',");
SQLS.append(" `Property` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`,`Step`,`Sequence`),");
SQLS.append(" CONSTRAINT `FK_testcasestepaction_1` FOREIGN KEY (`Test`, `TestCase`, `Step`) REFERENCES `testcasestep` (`Test`, `TestCase`, `Step`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepactioncontrol` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Step` int(10) unsigned NOT NULL,");
SQLS.append(" `Sequence` int(10) unsigned NOT NULL,");
SQLS.append(" `Control` int(10) unsigned NOT NULL,");
SQLS.append(" `Type` varchar(200) NOT NULL DEFAULT '',");
SQLS.append(" `ControlValue` varchar(200) NOT NULL DEFAULT '',");
SQLS.append(" `ControlProperty` varchar(200) DEFAULT NULL,");
SQLS.append(" `Fatal` varchar(1) DEFAULT 'Y',");
SQLS.append(" PRIMARY KEY (`Test`,`Sequence`,`Step`,`TestCase`,`Control`) USING BTREE,");
SQLS.append(" KEY `FK_testcasestepcontrol_1` (`Test`,`TestCase`,`Step`,`Sequence`),");
SQLS.append(" CONSTRAINT `FK_testcasestepcontrol_1` FOREIGN KEY (`Test`, `TestCase`, `Step`, `Sequence`) REFERENCES `testcasestepaction` (`Test`, `TestCase`, `Step`, `Sequence`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `sqllibrary` (");
SQLS.append(" `Type` varchar(45) NOT NULL,");
SQLS.append(" `Name` varchar(45) NOT NULL,");
SQLS.append(" `Script` varchar(2500) NOT NULL,");
SQLS.append(" `Description` varchar(1000) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Name`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `countryenvparam` (");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `Build` varchar(10) DEFAULT NULL,");
SQLS.append(" `Revision` varchar(20) DEFAULT NULL,");
SQLS.append(" `Chain` varchar(20) DEFAULT NULL,");
SQLS.append(" `DistribList` text,");
SQLS.append(" `EMailBodyRevision` text,");
SQLS.append(" `Type` varchar(20) DEFAULT NULL,");
SQLS.append(" `EMailBodyChain` text,");
SQLS.append(" `EMailBodyDisableEnvironment` text,");
SQLS.append(" `active` varchar(1) NOT NULL DEFAULT 'N',");
SQLS.append(" `maintenanceact` varchar(1) DEFAULT 'N',");
SQLS.append(" `maintenancestr` time DEFAULT NULL,");
SQLS.append(" `maintenanceend` time DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Country`,`Environment`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `countryenvironmentparameters` (");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `Application` varchar(45) NOT NULL,");
SQLS.append(" `IP` varchar(45) NOT NULL,");
SQLS.append(" `URL` varchar(150) NOT NULL,");
SQLS.append(" `URLLOGIN` varchar(150) DEFAULT NULL,");
SQLS.append(" `JdbcUser` varchar(45) DEFAULT NULL,");
SQLS.append(" `JdbcPass` varchar(45) DEFAULT NULL,");
SQLS.append(" `JdbcIP` varchar(45) DEFAULT NULL,");
SQLS.append(" `JdbcPort` int(10) unsigned DEFAULT NULL,");
SQLS.append(" `as400LIB` varchar(10) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Country`,`Environment`,`Application`),");
SQLS.append(" KEY `FK_countryenvironmentparameters_1` (`Country`,`Environment`),");
SQLS.append(" KEY `FK_countryenvironmentparameters_3` (`Application`),");
SQLS.append(" CONSTRAINT `FK_countryenvironmentparameters_1` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_countryenvironmentparameters_3` FOREIGN KEY (`Application`) REFERENCES `application` (`Application`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `countryenvironmentdatabase` (");
SQLS.append(" `Database` varchar(45) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `ConnectionPoolName` varchar(25) NOT NULL,");
SQLS.append(" PRIMARY KEY (`Database`,`Environment`,`Country`),");
SQLS.append(" KEY `FK_countryenvironmentdatabase_1` (`Country`,`Environment`),");
SQLS.append(" CONSTRAINT `FK_countryenvironmentdatabase_1` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `host` (");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Session` varchar(20) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `Server` varchar(20) NOT NULL,");
SQLS.append(" `host` varchar(20) DEFAULT NULL,");
SQLS.append(" `secure` varchar(1) DEFAULT 'N',");
SQLS.append(" `port` varchar(20) DEFAULT NULL,");
SQLS.append(" `active` varchar(1) DEFAULT 'Y',");
SQLS.append(" PRIMARY KEY (`Country`,`Session`,`Environment`,`Server`) USING BTREE,");
SQLS.append(" KEY `FK_host_1` (`Country`,`Environment`),");
SQLS.append(" CONSTRAINT `FK_host_1` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `countryenvparam_log` (");
SQLS.append(" `id` int(10) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `Build` varchar(10) DEFAULT NULL,");
SQLS.append(" `Revision` varchar(20) DEFAULT NULL,");
SQLS.append(" `Chain` int(10) unsigned DEFAULT NULL,");
SQLS.append(" `Description` varchar(150) DEFAULT NULL,");
SQLS.append(" `datecre` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`id`),");
SQLS.append(" KEY `ID1` (`Country`,`Environment`),");
SQLS.append(" KEY `FK_countryenvparam_log_1` (`Country`,`Environment`),");
SQLS.append(" CONSTRAINT `FK_countryenvparam_log_1` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `buildrevisionbatch` (");
SQLS.append(" `ID` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Batch` varchar(1) NOT NULL,");
SQLS.append(" `Country` varchar(2) DEFAULT NULL,");
SQLS.append(" `Build` varchar(45) DEFAULT NULL,");
SQLS.append(" `Revision` varchar(45) DEFAULT NULL,");
SQLS.append(" `Environment` varchar(45) DEFAULT NULL,");
SQLS.append(" `DateBatch` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`ID`) USING BTREE,");
SQLS.append(" KEY `FK_buildrevisionbatch_1` (`Batch`),");
SQLS.append(" KEY `FK_buildrevisionbatch_2` (`Country`,`Environment`),");
SQLS.append(" CONSTRAINT `FK_buildrevisionbatch_1` FOREIGN KEY (`Batch`) REFERENCES `batchinvariant` (`Batch`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_buildrevisionbatch_2` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `buildrevisionparameters` (");
SQLS.append(" `ID` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Build` varchar(10) DEFAULT NULL,");
SQLS.append(" `Revision` varchar(20) DEFAULT NULL,");
SQLS.append(" `Release` varchar(40) DEFAULT NULL,");
SQLS.append(" `Application` varchar(45) DEFAULT NULL,");
SQLS.append(" `Project` varchar(45) DEFAULT '',");
SQLS.append(" `TicketIDFixed` varchar(45) DEFAULT '',");
SQLS.append(" `BugIDFixed` varchar(45) DEFAULT '',");
SQLS.append(" `Link` varchar(300) DEFAULT '',");
SQLS.append(" `ReleaseOwner` varchar(100) NOT NULL DEFAULT '',");
SQLS.append(" `Subject` varchar(1000) DEFAULT '',");
SQLS.append(" `datecre` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" `jenkinsbuildid` varchar(200) DEFAULT '',");
SQLS.append(" `mavengroupid` varchar(200) DEFAULT '',");
SQLS.append(" `mavenartifactid` varchar(200) DEFAULT '',");
SQLS.append(" `mavenversion` varchar(200) DEFAULT '',");
SQLS.append(" PRIMARY KEY (`ID`),");
SQLS.append(" KEY `FK1` (`Application`),");
SQLS.append(" CONSTRAINT `FK1` FOREIGN KEY (`Application`) REFERENCES `application` (`Application`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `logevent` (");
SQLS.append(" `LogEventID` int(10) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `UserID` int(10) unsigned NOT NULL,");
SQLS.append(" `Time` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,");
SQLS.append(" `Page` varchar(25) DEFAULT NULL,");
SQLS.append(" `Action` varchar(50) DEFAULT NULL,");
SQLS.append(" `Log` varchar(500) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`LogEventID`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `logeventchange` (");
SQLS.append(" `LogEventChangeID` int(10) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `LogEventID` int(10) unsigned NOT NULL,");
SQLS.append(" `LogTable` varchar(50) DEFAULT NULL,");
SQLS.append(" `LogBefore` varchar(5000) DEFAULT NULL,");
SQLS.append(" `LogAfter` varchar(5000) DEFAULT NULL,");
SQLS.append(" `datecre` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`LogEventChangeID`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcaseexecution` (");
SQLS.append(" `ID` bigint(20) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Build` varchar(10) DEFAULT NULL,");
SQLS.append(" `Revision` varchar(5) DEFAULT NULL,");
SQLS.append(" `Environment` varchar(45) DEFAULT NULL,");
SQLS.append(" `Country` varchar(2) DEFAULT NULL,");
SQLS.append(" `Browser` varchar(20) DEFAULT NULL,");
SQLS.append(" `Start` timestamp NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" `End` timestamp NULL DEFAULT '0000-00-00 00:00:00',");
SQLS.append(" `ControlStatus` varchar(2) DEFAULT NULL,");
SQLS.append(" `Application` varchar(45) DEFAULT NULL,");
SQLS.append(" `IP` varchar(45) DEFAULT NULL,");
SQLS.append(" `URL` varchar(150) DEFAULT NULL,");
SQLS.append(" `Port` varchar(45) DEFAULT NULL,");
SQLS.append(" `Tag` varchar(50) DEFAULT NULL,");
SQLS.append(" `Finished` varchar(1) DEFAULT NULL,");
SQLS.append(" `Verbose` varchar(1) DEFAULT NULL,");
SQLS.append(" `Status` varchar(25) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`),");
SQLS.append(" KEY `FK_TestCaseExecution_1` (`Test`,`TestCase`),");
SQLS.append(" KEY `fk_testcaseexecution_2` (`Tag`),");
SQLS.append(" KEY `index_1` (`Start`),");
SQLS.append(" KEY `IX_test_testcase_country` (`Test`,`TestCase`,`Country`,`Start`,`ControlStatus`),");
SQLS.append(" KEY `index_buildrev` (`Build`,`Revision`),");
SQLS.append(" KEY `FK_testcaseexecution_3` (`Application`),");
SQLS.append(" KEY `fk_test` (`Test`),");
SQLS.append(" KEY `ix_TestcaseExecution` (`Test`,`TestCase`,`Build`,`Revision`,`Environment`,`Country`,`ID`),");
SQLS.append(" CONSTRAINT `FK_testcaseexecution_1` FOREIGN KEY (`Test`, `TestCase`) REFERENCES `testcase` (`Test`, `TestCase`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_testcaseexecution_3` FOREIGN KEY (`Application`) REFERENCES `application` (`Application`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcaseexecutiondata` (");
SQLS.append(" `ID` bigint(20) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Property` varchar(150) NOT NULL,");
SQLS.append(" `Value` varchar(150) NOT NULL,");
SQLS.append(" `Type` varchar(200) DEFAULT NULL,");
SQLS.append(" `Object` varchar(2500) DEFAULT NULL,");
SQLS.append(" `RC` varchar(10) DEFAULT NULL,");
SQLS.append(" `Start` timestamp NULL DEFAULT NULL,");
SQLS.append(" `End` timestamp NULL DEFAULT NULL,");
SQLS.append(" `StartLong` bigint(20) DEFAULT NULL,");
SQLS.append(" `EndLong` bigint(20) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`,`Property`),");
SQLS.append(" KEY `propertystart` (`Property`,`Start`),");
SQLS.append(" KEY `index_1` (`Start`),");
SQLS.append(" CONSTRAINT `FK_TestCaseExecutionData_1` FOREIGN KEY (`ID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcaseexecutionwwwdet` (");
SQLS.append(" `ID` bigint(20) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `ExecID` bigint(20) unsigned NOT NULL,");
SQLS.append(" `Start` varchar(45) DEFAULT NULL,");
SQLS.append(" `url` varchar(500) DEFAULT NULL,");
SQLS.append(" `End` varchar(45) DEFAULT NULL,");
SQLS.append(" `ext` varchar(10) DEFAULT NULL,");
SQLS.append(" `statusCode` int(11) DEFAULT NULL,");
SQLS.append(" `method` varchar(10) DEFAULT NULL,");
SQLS.append(" `bytes` int(11) DEFAULT NULL,");
SQLS.append(" `timeInMillis` int(11) DEFAULT NULL,");
SQLS.append(" `ReqHeader_Host` varchar(45) DEFAULT NULL,");
SQLS.append(" `ResHeader_ContentType` varchar(45) DEFAULT NULL,");
SQLS.append(" `ReqPage` varchar(500) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`),");
SQLS.append(" KEY `FK_testcaseexecutionwwwdet_1` (`ExecID`),");
SQLS.append(" CONSTRAINT `FK_testcaseexecutionwwwdet_1` FOREIGN KEY (`ExecID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcaseexecutionwwwsum` (");
SQLS.append(" `ID` bigint(20) unsigned NOT NULL,");
SQLS.append(" `tot_nbhits` int(11) DEFAULT NULL,");
SQLS.append(" `tot_tps` int(11) DEFAULT NULL,");
SQLS.append(" `tot_size` int(11) DEFAULT NULL,");
SQLS.append(" `nb_rc2xx` int(11) DEFAULT NULL,");
SQLS.append(" `nb_rc3xx` int(11) DEFAULT NULL,");
SQLS.append(" `nb_rc4xx` int(11) DEFAULT NULL,");
SQLS.append(" `nb_rc5xx` int(11) DEFAULT NULL,");
SQLS.append(" `img_nb` int(11) DEFAULT NULL,");
SQLS.append(" `img_tps` int(11) DEFAULT NULL,");
SQLS.append(" `img_size_tot` int(11) DEFAULT NULL,");
SQLS.append(" `img_size_max` int(11) DEFAULT NULL,");
SQLS.append(" `js_nb` int(11) DEFAULT NULL,");
SQLS.append(" `js_tps` int(11) DEFAULT NULL,");
SQLS.append(" `js_size_tot` int(11) DEFAULT NULL,");
SQLS.append(" `js_size_max` int(11) DEFAULT NULL,");
SQLS.append(" `css_nb` int(11) DEFAULT NULL,");
SQLS.append(" `css_tps` int(11) DEFAULT NULL,");
SQLS.append(" `css_size_tot` int(11) DEFAULT NULL,");
SQLS.append(" `css_size_max` int(11) DEFAULT NULL,");
SQLS.append(" `img_size_max_url` varchar(500) DEFAULT NULL,");
SQLS.append(" `js_size_max_url` varchar(500) DEFAULT NULL,");
SQLS.append(" `css_size_max_url` varchar(500) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`),");
SQLS.append(" KEY `FK_testcaseexecutionwwwsum_1` (`ID`),");
SQLS.append(" CONSTRAINT `FK_testcaseexecutionwwwsum_1` FOREIGN KEY (`ID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepactionexecution` (");
SQLS.append(" `ID` bigint(20) NOT NULL,");
SQLS.append(" `Step` int(10) NOT NULL,");
SQLS.append(" `Sequence` int(10) NOT NULL,");
SQLS.append(" `Action` varchar(45) NOT NULL,");
SQLS.append(" `Object` varchar(200) DEFAULT NULL,");
SQLS.append(" `Property` varchar(45) DEFAULT NULL,");
SQLS.append(" `Start` timestamp NULL DEFAULT NULL,");
SQLS.append(" `End` timestamp NULL DEFAULT NULL,");
SQLS.append(" `StartLong` bigint(20) DEFAULT NULL,");
SQLS.append(" `EndLong` bigint(20) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`,`Step`,`Sequence`,`Action`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepexecution` (");
SQLS.append(" `ID` bigint(20) unsigned NOT NULL,");
SQLS.append(" `Step` int(10) unsigned NOT NULL,");
SQLS.append(" `BatNumExe` varchar(45) DEFAULT NULL,");
SQLS.append(" `Start` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" `End` timestamp NOT NULL DEFAULT '0000-00-00 00:00:00',");
SQLS.append(" `FullStart` bigint(20) unsigned DEFAULT NULL,");
SQLS.append(" `FullEnd` bigint(20) unsigned DEFAULT NULL,");
SQLS.append(" `TimeElapsed` decimal(10,3) DEFAULT NULL,");
SQLS.append(" `ReturnCode` varchar(2) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`,`Step`),");
SQLS.append(" CONSTRAINT `FK_testcasestepexecution_1` FOREIGN KEY (`ID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepactioncontrolexecution` (");
SQLS.append(" `ID` bigint(20) unsigned NOT NULL,");
SQLS.append(" `Step` int(10) unsigned NOT NULL,");
SQLS.append(" `Sequence` int(10) unsigned NOT NULL,");
SQLS.append(" `Control` int(10) unsigned NOT NULL,");
SQLS.append(" `ReturnCode` varchar(2) NOT NULL,");
SQLS.append(" `ControlType` varchar(200) DEFAULT NULL,");
SQLS.append(" `ControlProperty` varchar(2500) DEFAULT NULL,");
SQLS.append(" `ControlValue` varchar(200) DEFAULT NULL,");
SQLS.append(" `Fatal` varchar(1) DEFAULT NULL,");
SQLS.append(" `Start` timestamp NULL DEFAULT NULL,");
SQLS.append(" `End` timestamp NULL DEFAULT NULL,");
SQLS.append(" `StartLong` bigint(20) DEFAULT NULL,");
SQLS.append(" `EndLong` bigint(20) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`,`Step`,`Sequence`,`Control`) USING BTREE,");
SQLS.append(" CONSTRAINT `FK_testcasestepcontrolexecution_1` FOREIGN KEY (`ID`, `Step`) REFERENCES `testcasestepexecution` (`ID`, `Step`) ON DELETE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `comparisonstatusdata` (");
SQLS.append(" `idcomparisonstatusdata` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Execution_ID` bigint(20) unsigned DEFAULT NULL,");
SQLS.append(" `Property` varchar(45) DEFAULT NULL,");
SQLS.append(" `Property_A` varchar(45) DEFAULT NULL,");
SQLS.append(" `Property_B` varchar(45) DEFAULT NULL,");
SQLS.append(" `Property_C` varchar(45) DEFAULT NULL,");
SQLS.append(" `Status` varchar(45) DEFAULT NULL,");
SQLS.append(" `Comments` varchar(1000) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idcomparisonstatusdata`),");
SQLS.append(" KEY `FK_comparisonstatusdata_1` (`Execution_ID`),");
SQLS.append(" CONSTRAINT `FK_comparisonstatusdata_1` FOREIGN KEY (`Execution_ID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `comparisonstatus` (");
SQLS.append(" `idcomparisonstatus` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Execution_ID` bigint(20) unsigned DEFAULT NULL,");
SQLS.append(" `Country` varchar(2) DEFAULT NULL,");
SQLS.append(" `Environment` varchar(45) DEFAULT NULL,");
SQLS.append(" `InvoicingDate` varchar(45) DEFAULT NULL,");
SQLS.append(" `TestedChain` varchar(45) DEFAULT NULL,");
SQLS.append(" `Start` varchar(45) DEFAULT NULL,");
SQLS.append(" `End` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idcomparisonstatus`),");
SQLS.append(" KEY `FK_comparisonstatus_1` (`Execution_ID`),");
SQLS.append(" CONSTRAINT `FK_comparisonstatus_1` FOREIGN KEY (`Execution_ID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `project` (`idproject`, `VCCode`, `Description`, `active`) VALUES (' ', ' ', 'None', 'N');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcase` VALUES ('Examples','0001A','Google',' ','','Search for Cerberus Website','','Y',NULL,1,'WORKING','Y','INTERACTIVE','RX','','','','2012-06-19 09:56:40','','','','','','','','cerberus','cerberus','cerberus',NULL,'Y','Y','Y')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcasecountry` VALUES ('Examples','0001A','RX')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcasestep` VALUES ('Examples','0001A',1,'Search')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcasecountryproperties` VALUES ('Examples','0001A','RX','MYTEXT','text','VC','cerberus automated testing',0,0,'STATIC')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcasestepaction` VALUES ('Examples','0001A',1,10,'openUrlLogin','','')");
SQLS.append(",('Examples','0001A',1,20,'type','id=gbqfq','MYTEXT')");
SQLS.append(",('Examples','0001A',1,30,'clickAndWait','id=gbqfb','')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcasestepactioncontrol` VALUES ('Examples','0001A',1,30,1,'verifyTextInPage','','Welcome to Cerberus Website','Y')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` VALUES ('application','Application','','Application','')");
SQLS.append(",('application','deploytype','','Deploy Type','This correspond to the name of the Jenkins script used to deploy the application.')");
SQLS.append(",('Application','Description','','Description','Short Description of the Application')");
SQLS.append(",('Application','internal','','Internal','Define if the Application is developped internaly by CDI Team.<br>\r\nIt also define if the Application appear in the Build/Release process.<br>\r\nBuild Content can be feeded only on \\'Y\\' application.<br>\r\n\\'Y\\' Application also use host table for Access URL definition (if IP information at the application level not defined).\r\n')");
SQLS.append(",('application','mavengroupid','','Maven Group ID','')");
SQLS.append(",('application','system',' ','System','A system is a group of application for which all changes sometimes require to be done all together.<br> Most of the time those applications all connect to a database that share the same structure.')");
SQLS.append(",('Application','type','','Type','The Type of the application define whether the application is a GUI or Service or Batch.')");
SQLS.append(",('buildrevisionparameters','BugIDFixed','','BugID','This is the bug ID which has been solved with the release')");
SQLS.append(",('buildrevisionparameters','Link','','Link','This is the link to the detailed content of the release.')");
SQLS.append(",('buildrevisionparameters','Release','','Release','A Release is a single change done on VC system. It can be a new version of a JAVA Application or a set of COBOL Programs on the AS400.')");
SQLS.append(",('buildrevisionparameters','ReleaseOwner','','Owner','This is the name of the one which is responsible for the release.')");
SQLS.append(",('buildrevisionparameters','TicketIDFixed','','Ticket','This is the Ticket ID which has been delivered with the release')");
SQLS.append(",('countryenvironmentdatabase','ConnectionPoolName',' ','ConnectionPoolName','This is the name of the coonection pool used to connect to the corresponding database on thein the country en/ environment.')");
SQLS.append(",('countryenvironmentdatabase','Database',' ','Database','This is the name the database system.')");
SQLS.append(",('countryenvironmentparameters','ComEMail','',NULL,'This is the message body that is sent when an application Build/Revision update is done.\r\nThis is used together with DistribList that define the associated distribution list')");
SQLS.append(",('countryenvironmentparameters','DistribList','',NULL,'This is the list of email that receive a notification when an application Build/Revision update is done.\r\nThis is used together with ComEMail that define the associated message body')");
SQLS.append(",('countryenvironmentparameters','IP','','IP','IP and Port information used to access the application.')");
SQLS.append(",('countryenvironmentparameters','URL','','URL','Root URL used to access the application. Equivalent to context root.')");
SQLS.append(",('countryenvironmentparameters','URLLOGIN','','URLLOGIN','Path to login page.')");
SQLS.append(",('countryenvparam','active','','Active','Define if the environment is Active<br>\\'Y\\' means that the environment is active and fully available for testing.<br> \\'N\\' Means that it cannot be used.')");
SQLS.append(",('countryenvparam','chain','','Chain','Chain')");
SQLS.append(",('countryenvparam','DistribList','','Recipent list of Notification Email','This is the list of email adresses that will receive the notification on any environment event.<br><br>In case that value is not feeded, the following parameters are used (depending on the related event) :<br>integration_notification_disableenvironment_to<br>integration_notification_newbuildrevision_to<br>integration_notification_newchain_to')");
SQLS.append(",('countryenvparam','EMailBodyChain','','EMail Body on New Chain Executed Event','This is the Body of the mail that will be generated when a new Treatment has been executed on the Environment.<br><br>The following variable can be used :<br>%COUNTRY% : will be replaced by the country.<br>%ENV% : will be replaced by the environment.<br>%BUILD% : will be replaced by the Build.<br>%REVISION% : will be replaced by the Revision.<br>%CHAIN% : Will be replaced by Chain executed.<br><br>In case that value is not feeded, the following parameter is used :<br>integration_notification_newchain_body')");
SQLS.append(",('countryenvparam','EMailBodyDisableEnvironment','','EMail Body on Disable Environment Event','This is the Body of the mail that will be generated when Environment is disabled for installation purpose.<br><br>The following variable can be used :<br>%COUNTRY% : will be replaced by the country.<br>%ENV% : will be replaced by the environment.<br>%BUILD% : will be replaced by the Build.<br>%REVISION% : will be replaced by the Revision.<br><br>In case that value is not feeded, the following parameter is used :<br>integration_notification_disableenvironment_body')");
SQLS.append(",('countryenvparam','EMailBodyRevision','','EMail Body on New Build/Revision Event','This is the Body of the mail that will be generated when a new Sprint/Revision is installed on the Environment.<br><br>The following variable can be used :<br>%COUNTRY% : will be replaced by the country.<br>%ENV% : will be replaced by the environment.<br>%BUILD% : will be replaced by the Sprint.<br>%REVISION% : will be replaced by the Revision.<br>%CHAIN% : Will be replaced by Chain executed.<br>%BUILDCONTENT% : Will be replaced by the detailed content of the sprint/revision. That include the list of release of every application.<br>%TESTRECAP% : Will be replaced by a summary of tests executed for that build revision for the country<br>%TESTRECAPALL% : Will be replaced by a summary of tests executed for that build revision for all the countries<br><br>In case that value is not feeded, the following parameter is used :<br>integration_notification_newbuildrevision_body')");
SQLS.append(",('countryenvparam','Environment','','Environment','It is a list of environment on which you can run the test.<br><br>This list is automatically refreshed when choosing a testcase or a country.<br><br><b> WARNING : THE TEST FLAGGED YES CAN BE RUNNED IN PRODUCTION. </b><br><br>')");
SQLS.append(",('countryenvparam','maintenanceact','','Maintenance Activation','This is the activation flag of the daily maintenance period.<br>N --> there are no maintenance period.<br>Y --> maintenance period does exist and will be controled. Start and end times needs to be specified in that case.')");
SQLS.append(",('countryenvparam','maintenanceend','','Maintenance End Time','This is the time when the daily maintenance period end.<br>If str is before end then, any test execution request submitted between str and end will be discarded with an explicit error message that will report the maintenance period and time of the submission.<br>If str is after end then any test execution request submitted between end and str will be possible. All the overs will be discarded with an explicit error message that will report the maintenance period and time of the submission.')");
SQLS.append(",('countryenvparam','maintenancestr','','Maintenance Start Time','This is the time when the daily maintenance period start.<br>If str is before end then, any test execution request submitted between str and end will be discarded with an explicit error message that will report the maintenance period and time of the submission.<br>If str is after end then any test execution request submitted between end and str will be possible. All the overs will be discarded with an explicit error message that will report the maintenance period and time of the submission.')");
SQLS.append(",('countryenvparam','Type','','Type','The Type of the Environment Define what is the environment used for.<br>\\'STD\\' Standard Testing is allowed in the environment. \\'COMPARISON\\' Only Comparison testing is allowed. No other testing is allowed to avoid modify some data and not beeing able to analyse easilly the differences between 2 Build/Revision.')");
SQLS.append(",('countryenvparam_log','datecre','','Date & Time','')");
SQLS.append(",('countryenvparam_log','Description','','Description','')");
SQLS.append(",('homepage','Days','','Days','Number of days with this revision for this build.')");
SQLS.append(",('homepage','InProgress','','InProgress','The test is being implemented.')");
SQLS.append(",('homepage','NbAPP','','Nb Appli','Number of distinct application that has been tested.')");
SQLS.append(",('homepage','NbExecution','','Exec','Number of tests execution.')");
SQLS.append(",('homepage','NbKO','','KO','Number of execution with a result KO')");
SQLS.append(",('homepage','NbOK','','OK','Number of execution OK')");
SQLS.append(",('homepage','NbTC','','Nb TC','Number of distinct testsases executed')");
SQLS.append(",('homepage','NbTest','','Number','Number of tests recorded in the Database')");
SQLS.append(",('homepage','nb_exe_per_tc','','Exec/TC','Average number of execution per TestCase')");
SQLS.append(",('homepage','nb_tc_per_day','','Exec/TC/Day','Number of execution per testcase and per day')");
SQLS.append(",('homepage','OK_percentage','','%OK','Number of OK/ number of execution')");
SQLS.append(",('homepage','Standby','','StandBy','The test is in the database but need to be analysed to know if we have to implement it or delete it.')");
SQLS.append(",('homepage','TBI','','ToImplement','It was decided to implement this test, but nobody work on that yet.')");
SQLS.append(",('homepage','TBV','','ToValidate','The test is correctly implemented but need to be validated by the Test committee.')");
SQLS.append(",('homepage','Working','','Working','The test has been validated by the Test Committee.')");
SQLS.append(",('host','active','','active','')");
SQLS.append(",('host','host','','Host','')");
SQLS.append(",('host','port','','port','')");
SQLS.append(",('host','secure','','secure','')");
SQLS.append(",('host','Server','','Server','Either PRIMARY, BACKUP1 or BACKUP2.')");
SQLS.append(",('host','Session','','Session','')");
SQLS.append(",('invariant','build','','Sprint','Sprint')");
SQLS.append(",('invariant','environment','','Env','Environment')");
SQLS.append(",('invariant','environmentgp',' ','Env Gp','')");
SQLS.append(",('invariant','FILTERNBDAYS','','Nb Days','Number of days to Filter the history table in the integration homepage.')");
SQLS.append(",('invariant','revision','','Rev','Revision')");
SQLS.append(",('myversion','key','','Key','This is the reference of the component inside Cerberus that we want to keep track of the version.')");
SQLS.append(",('myversion','value','','Value','This is the version that correspond to the key.')");
SQLS.append(",('pagetestcase','DeleteAction','','Dlt','<b>Delete :</b>This box allow to delete an action already recorded. If you select this box, the line will be removed by clicking on save changes button.')");
SQLS.append(",('pagetestcase','DeleteControl','','Dlt','<b>Delete</b><br><br>To delete a control from the testcasestepactioncontrol table select this box and then save changes.')");
SQLS.append(",('page_buildcontent','delete','','Del','')");
SQLS.append(",('page_integrationhomepage','BuildRevision','','Last Revision','')");
SQLS.append(",('page_integrationhomepage','DEV','','DEV','Nb of DEV active Country Environment on that Specific Version.')");
SQLS.append(",('page_integrationhomepage','Jenkins','','Jenkins','Link to Jenkins Pipeline Page.')");
SQLS.append(",('page_integrationhomepage','LatestRelease','','Latest Release','')");
SQLS.append(",('page_integrationhomepage','PROD','','PROD','Nb of PROD active Country Environment on that Specific Version.')");
SQLS.append(",('page_integrationhomepage','QA','','QA','Nb of QA active Country Environment on that Specific Version.')");
SQLS.append(",('page_integrationhomepage','Sonar','','Sonar','Link to Sonar Dashboard Page.')");
SQLS.append(",('page_integrationhomepage','SVN',' ','SVN',' ')");
SQLS.append(",('page_integrationhomepage','UAT','','UAT','Nb of UAT active Country Environment on that Specific Version.')");
SQLS.append(",('page_Notification','Body','','Body','')");
SQLS.append(",('page_Notification','Cc','','Copy','')");
SQLS.append(",('page_Notification','Subject','','Subject','')");
SQLS.append(",('page_Notification','To','','To','')");
SQLS.append(",('page_testcase','BugIDLink','','Link','')");
SQLS.append(",('page_testcase','laststatus','','Last Execution Status','')");
SQLS.append(",('page_testcasesearch','text','','Text','Insert here the text that will search against the following Fields of every test case :<br>- Short Description,<br>- Detailed description / Value Expected,<br>- HowTo<br>- comment<br><br>NB : Search is case insensitive.')");
SQLS.append(",('runnerpage','Application','','Application','Application is ')");
SQLS.append(",('runnerpage','BrowserPath','','Browser Path','<b>Browser Path</b><br><br>It is the link to the browser which will be used to run the tests.<br><br><i>You can copy/paste the links bellow:</i><br><br><b>Firefox :</b>*firefox3 C:\\\\Program Files\\\\Mozilla Firefox\\\\firefox.exe<br><b>Internet Explorer :</b><br><br>')");
SQLS.append(",('runnerpage','Build','','Sprint','Name of the Build/sprint in the Format : 4 digit for the year, 1 character (S or B) and 1 digit with the number of the build/sprint')");
SQLS.append(",('runnerpage','BuildRef','','SprintRef','')");
SQLS.append(",('runnerpage','Chain','','Chain','The tests flagged chain=yes are tests which need to run a daily chain to be completed')");
SQLS.append(",('runnerpage','Country','','Country','This is the name of the country on which the property is calculated.<br> It is a 2 digit code <br><b>ES</b> : Spain <br><b>AT</b> : Austria <br><b>PT</b> : Portugal<br><b>...</b>')");
SQLS.append(",('runnerpage','Environment','','Environment','It is a list of environment on which you can run the test.<br><br>This list is automatically refreshed when choosing a testcase or a country.<br><br><b> WARNING : THE TEST FLAGGED YES CAN BE RUNNED IN PRODUCTION. </b><br><br>')");
SQLS.append(",('runnerpage','Filter','','Filter','This option enables filters or disable filters used on searching Tests / TestCases / Countries.')");
SQLS.append(",('runnerpage','LogPath','','Log Path','It is the way to the folder where the logs will be recorded.<br><br>')");
SQLS.append(",('runnerpage','outputformat','','Output Format','This is the format of the output.<br><br><b>gui</b> : output is a web page. If test can be executed, the output will redirect to the test execution detail page.<br><b>compact</b> : output is plain text in a single line. This is more convenient when the test case is executed in batch mode.<br><b>verbose-txt</b> : output is a plain text with key=value format. This is also for batch mode but when the output needs to be parsed to get detailed information.')");
SQLS.append(",('runnerpage','Priority','','Priority','Select the tests for this priority')");
SQLS.append(",('runnerpage','Project','','Project','Select a project\r\nnull : The test come from ....\r\nP.0000 : The test was created in a specific project\r\nT.00000 : The test was created linked in a ticket Number\r\n')");
SQLS.append(",('runnerpage','Read Only','','Read Only','The tests flagged -ReadOnly = No- are the tests which change something or create values into the tables.\r\nSo, the tests -ReadOnly=No- can\\'t be runned in production environment.')");
SQLS.append(",('runnerpage','Revision','','Revision','Number of the Revision')");
SQLS.append(",('runnerpage','RevisionRef','','RevisionRef','')");
SQLS.append(",('runnerpage','SeleniumServerIP','','Selenium Server IP','Selenium Server IP is the IP of the computer where the selenium server is running.<br>This also correspond to the IP where the brower will execute the test case.')");
SQLS.append(",('runnerpage','SeleniumServerPort','','Selenium Server Port','Selenium Server Port is the port which will be used to run the test. It could be between 5555 and 5575')");
SQLS.append(",('runnerpage','Tag','','Tag','The Tag is just a string that will be recorded with the test case execution and will help to find it back.')");
SQLS.append(",('runnerpage','Test','','Test','A <b><i>test</i></b> is a family of <i><b>testcases</i></b>. The <i><b>test</i></b> groups all <i><b>test cases</i></b> by functionnality.<br><br>')");
SQLS.append(",('runnerpage','TestCase','','Test Case','A test case is a scenario of test.')");
SQLS.append(",('runnerpage','TestCaseActive','','TCActive','Tc Active = yes means the test case can be executed.')");
SQLS.append(",('runnerpage','TestParameters','','Test Parameters','Select the parameters to filter the test you want to run.\r\nAfter you have selected all the parameters, click on the filtre button.')");
SQLS.append(",('runnerpage','Tests','','Tests','Select one test, test case and country')");
SQLS.append(",('runnerpage','ToolParameters','','Tool Parameters','Configuration of Selenium Server')");
SQLS.append(",('runnerpage','verbose','','Verbose Level','This correspond to the level if information that Cerberus will keep when performing the test.<br><b>0</b> : The test will keep minimum login information in order to preserve the response times. This is to be used when a massive amout of tests are performed. No snapshot and no details on action will be taken.<br><b>1</b> : This is the standard level of log. Snapshots will be taken and detailed action execution will also be stored.<br><b>2</b> : This is the highest level of detailed information that can be chosen. Detailed web traffic information will be stored. This is to be used only on very specific cases where all hits information of an execution are required.')");
SQLS.append(",('shared','Delete','','Del','Delete this')");
SQLS.append(",('test','Active','','Active','Active Test')");
SQLS.append(",('test','Active1','','Active1','Active If test is active or not')");
SQLS.append(",('test','Automated','','Automated','<b> Automated Test </b> If the test is automated or not.')");
SQLS.append(",('test','Delete','','Dlt','')");
SQLS.append(",('test','Description','','Test Description','<b>Test Description</b><br><br>It is the description of the family of tests.<br><br>')");
SQLS.append(",('test','Test','','Test','<b>Test</b><br><br>A <i>test</i> is a family of <i>testcases</i>. The <i>test</i> groups all <i>test cases</i> by functionnality.<br><br>')");
SQLS.append(",('testcase','activePROD','','Active PROD','Whether the test case can be executed in PROD environments.')");
SQLS.append(",('testcase','activeQA','','Active QA','Whether the test case can be executed in QA environments.')");
SQLS.append(",('testcase','activeUAT','','Active UAT','Whether the test case can be executed in UAT environments.')");
SQLS.append(",('testcase','Application','','Application','<b>Application</b><br><br>This field will define the <i>application</i> where the testcase will run. \r\nIt could be :\r\nVCCRM\r\nMLNA_RDT\r\nMEMO_RDT\r\nMEMO_VBA\r\nMEMO_DAX\r\nTHES_OSP\r\nTHES_ELL<br><br>')");
SQLS.append(",('testcase','BehaviorOrValueExpected','','Detailed Description / Value Expected','<b>Behavior</b><br><br>It is a synthetic description of what we expect from the test.<br><br>')");
SQLS.append(",('testcase','BugID','','Bug ID','This is the ID of the bug in ticketing tool that will fix the pending KO.')");
SQLS.append(",('testcase','chain','','Chain','The tests flagged chain=yes are tests which need to run a daily chain to be completed')");
SQLS.append(",('testcase','Comment','','Comment','Place to add any interesting comment about the test')");
SQLS.append(",('testcase','country','','Country','This is the name of the country on which the property is calculated.<br> It is a 2 digit code <br><b>ES</b> : Spain <br><b>AT</b> : Austria <br><b>PT</b> : Portugal<br><b>...</b>')");
SQLS.append(",('testcase','Creator','','Creator','This is the name of the people which created the testcase.')");
SQLS.append(",('testcase','Description','','TestCase Short Description','<b>Test Case Description</b><br><br>It is a synthetic description of what the test do.<br><br>')");
SQLS.append(",('testcase','FromBuild',' ','From Sprint',' ')");
SQLS.append(",('testcase','FromRev',' ','From Rev',' ')");
SQLS.append(",('testcase','Group','','Group','<b>Group</b><br><br>The <i>group</i> is a property of a test case and is composed of :\r\n<b>PRIVATE :</b> The test case exist for technical reason and will never appear on the reporting area. ie systematic login testcases for one application.\r\n<b>PROCESS :</b> The testcase is realited to specific process and needs some intermediat batch treatment to be fully executed.\r\n<b>INTERACTIVE : </b>Unit Interactive test that can be performed at once.\r\n<b>DATACOMPARAISON : </b>Tests that compare the results of 2 batch executions.<br><br>')");
SQLS.append(",('testcase','HowTo','','How To','How to use this test ( please fix me )')");
SQLS.append(",('testcase','Implementer','','Implementer','This is the name of the people which implemented the testcase.')");
SQLS.append(",('testcase','LastModifier','','LastModifier','This is the name of the people which made the last change on the testcase.')");
SQLS.append(",('testcase','Origine',' ','Origin','This is the country or the team which iddentified the scenario of the testcase.')");
SQLS.append(",('testcase','Priority','','Prio','<b>Priority</b><br><br>It is the <i>priority</i> of the functionnality which is tested. It go from 1 for a critical functionality to 4 for a functionality less important')");
SQLS.append(",('testcase','Project','','Prj','<b>Project</b><br><br>the <i>project </i> field is the number of the project or the ticket which provided the implementation a the test. This field is formated like this: \r\n<b>null </b>: The test don\\'t come from a project nor a ticket\r\n<b>P.1234</b> : The test was created linked in the project 1234\r\n<b>T.12345 </b>: The test was created linked in the ticket 12345<br><br>')");
SQLS.append(",('testcase','ReadOnly','','R.O','<b>Read Only</b><br><br>The <i>ReadOnly</i> field differenciate the tests which only consults tables from the tests which create values into the tables.\r\nPut -Yes- only if the test only consults table and -No- if the test write something into the database.\r\n<b> WARNING : THE TEST FLAGGED YES CAN BE RUNNED IN PRODUCTION. </b><br><br>')");
SQLS.append(",('testcase','RefOrigine',' ','RefOrigin','This is the external reference of the test when coming from outside.')");
SQLS.append(",('testcase','RunPROD','runprod','Run PROD','Can the Test run in PROD environment?')");
SQLS.append(",('testcase','RunQA','runqa','Run QA','Can the Test run in QA environment?')");
SQLS.append(",('testcase','RunUAT','runuat','Run UAT','Can the Test run in UAT environment?')");
SQLS.append(",('testcase','Status','','Status','<b>Status</b><br><br>It is the workflow used to follow the implementation of the tests. It could be :<br><b>STANDBY</b>: The test is in the database but need to be analysed to know if we have to implement it or delete it.<br><b>TO BE IMPLEMENTED</b>: We decide to implement this test, but nobody work on that yet.<br><b>IN PROGRESS</b>: The test is being implemented.<br><b>TO BE VALIDATED</b>: The test is correctly implemented but need to be validated by the Test committee.<br><b>WORKING</b>: The test has been validated by the Test Committee.<br><b>CANCELED</b>The test have been canceled because it is useless for the moment.<br><b>TO BE DELETED</b>: The test will be deleted after the validation of test committee.<br><br>')");
SQLS.append(",('testcase','TargetBuild','','Target Sprint','This is the Target Sprint that should fix the bug. Until we reach that Sprint, the test execution will be discarded.')");
SQLS.append(",('testcase','TargetRev','','Target Rev','This is the Revision that should fix the bug. Until we reach that Revision, the test execution will be discarded.')");
SQLS.append(",('testcase','TcActive','','Act','Tc Active is a field which define if the test can be considerate as activated or not.')");
SQLS.append(",('testcase','Test','','Test','A <b><i>test</i></b> is a family of <i><b>testcases</i></b>. The <i><b>test</i></b> groups all <i><b>test cases</i></b> by functionnality.<br><br>')");
SQLS.append(",('testcase','TestCase','','Testcase','Subdivision of a test that represent a specific scenario.\r\nStandard to apply : \r\nXXXA.A\r\nWhere\r\nXXX : TestCase Number.\r\nA : Same TestCase but differents input/controls\r\nA : Application letter follwing the list :\r\n\r\nA - VCCRM\r\nB - MLNA RDT\r\nC - MEMO RDT\r\nD - MEMO VBA\r\nE - MEMO DAX\r\nF - THES OSP\r\nG - THES ELL')");
SQLS.append(",('testcase','ticket','','Ticket','The is the Ticket Number that provided the implementation of the test.')");
SQLS.append(",('testcase','ToBuild',' ','To Sprint',' ')");
SQLS.append(",('testcase','ToRev',' ','To Rev',' ')");
SQLS.append(",('testcase','ValueExpected','','Detailed Description / Value Expected','The Value that this test should return. The results that this test should produce')");
SQLS.append(",('testcasecountryproperties','Country','','Country','This is the name of the country on which the property is calculated.<br> It is a 2 digit code <br><b>ES</b> : Spain <br><b>AT</b> : Austria <br><b>PT</b> : Portugal<br><b>...</b>')");
SQLS.append(",('testcasecountryproperties','Database','','DTB','Database where the SQL will be executed')");
SQLS.append(",('testcasecountryproperties','Delete','','Dlt','<b>Delete</b><br><br> To delete a property, select this box and then save changes.<br><br>')");
SQLS.append(",('testcasecountryproperties','Length','','Length','<b>Lenght</b><br><br> It is the length of a generated random text. <br><br>This field will be used only with the type TEXT and the nature RANDOM or RANDOMNEW.<br><br>')");
SQLS.append(",('testcasecountryproperties','Nature','','Nature','Nature is the parameter which define the unicity of the property for this testcase in this environment for this build<br><br>It could be :<br><br><param>STATIC :</param> When the property used could/must be the same for all the executions<br><br><dd><u><i>For example:</i></u> <br><br><dd><u>- A strong text : </u><br><dd><i>Type =</i> TEXT, <i>Value =</i> Strong text and <i>Nature =</i> STATIC<br><br><dd><u>- A SQL which return only one value :</u><br><dd><i>Type =</i> SQL, <i>Value =</i> SELECT pass FROM mytable WHERE login = <q>%LOGIN%</q> ...and <i>Nature =</i> STATIC<br><br><dd><u>- A value stored from the web application:</u><br><dd><i>Type =</i> HTML, <i>Value =</i> Disponibilidade:infoSubview:tableArtigos:0:mensagemErro and <i>Nature =</i> STATIC<br><br><br><b>RANDOM :</b> When the property used should be different.<br><br><dd><u><i>For example:</i></u> <br><br><dd><u>- A random text generated : </u><br><dd><i>Type =</i> TEXT, <i>Value =</i> and <i>Nature =</i> RANDOM<br><br><dd><u>- A SQL which return a random value :</u><br><dd><i>Type =</i> SQL, <i>Value =</i> SELECT login FROM mytable ...and <i>Nature =</i> RANDOM<br><br><br><b>RANDOMNEW : </b>When the property must be unique for each execution.<br><br><dd><u><i>For example:</i></u> <br><br><dd><u>- A random and unique text generated : </u><br><dd><i>Type =</i> TEXT, <i>Value =</i> and <i>Nature =</i> RANDOMNEW<br><br><dd><u>- A SQL which return a random value which have to be new in each execution:</u><br><dd><i>Type =</i> SQL, <i>Value =</i> SELECT login FROM mytable FETCH FIRST 10 ROWS ONLY, <i>RowLimit =</i> 10 and <i>Nature =</i> RANDOMNEW<br><br><br><i>Remarks : The RANDOMNEW will guarantee the unicity during a Build. </i><br><br>\r\n')");
SQLS.append(",('testcasecountryproperties','Nature','RANDOM',NULL,'<b>Nature = RANDOM</b><br><br> ')");
SQLS.append(",('testcasecountryproperties','Nature','RANDOMNEW',NULL,'<b>Nature = RANDOMNEW</b><br><br>')");
SQLS.append(",('testcasecountryproperties','Nature','STATIC',NULL,'<b>Nature = STATIC</b><br><br>Could be used for : <br><br>- A strong text : <br>Type = TEXT, Value = Strong text and Nature = STATIC<br><br>- A SQL which return only one value :<br>Type = SQL, Value = SELECT pass FROM mytable WHERE login = ...and Nature = STATIC<br><br>- A value stored from the web application:<br>Type = HTML, Value = Disponibilidade:infoSubview:tableArtigos:0:mensagemErro and Nature = STATIC<br><br>')");
SQLS.append(",('testcasecountryproperties','Property','','Property','This is the id key of the property to be used in one action.')");
SQLS.append(",('testcasecountryproperties','RowLimit','','RowLimit','The limit of rows that that will be used for random purposes. If a value is specified in this field, a random value will be selected using this number to limit the possible random values. So if for example, in 100 possible random values if rowLimit is 50, only the 50 first values will be accounted for random. Specify the maximum number of values return by an SQL. If the number is bigger than 0, will add </br> Fetch first %RowLimit% only </br> to the SQL.Specify the maximum number of values return by an SQL. If the number is bigger than 0, will add </br> Fetch first %RowLimit% only</br>to the SQL.')");
SQLS.append(",('testcasecountryproperties','Type','','Type','<b>Type</b><br><br>It is the type of command which will be used to calculate the property. <br><br>It could be : <br><b>SQL :</b> SQL Query on the DB2 Database. <br><br><i>Example</i> : SELECT login FROM mytable WHERE codsoc=1....FETCH FIRST 10 ROWS ONLY.<br></t>Length : NA <br><TAB>Row Limit : 10 <br> Nature : STATIC or RANDOM or RANDOMNEW')");
SQLS.append(",('testcasecountryproperties','Type','HTML','','Function : </br> Use HTML to take a value from webpage. </br> Value : the html ID that has the value to be fetched </br> Length : NA </br> Row Limit : NA </br> Nature : STATIC')");
SQLS.append(",('testcasecountryproperties','Type','SQL','','Function : Run an SQL Query on the DB2 Database. <br> Value : The SQL to be executed on the DB2 Database. </br> Length : NA </br> Row Limit : Number of values to fetch from the SQL query. </br>Nature : STATIC or RANDOM or RANDOMNEW')");
SQLS.append(",('testcasecountryproperties','Type','TEXT','','Function : Use TEXT to use the text specified. </br> Value : Text specified in this field. </br> Length : Size of the generated text by random ( to be used with RANDOM or RANDOMNEW ). </br> Row Limit : NA </br> Nature : RANDOM or RANDOMNEW or STATIC')");
SQLS.append(",('testcasecountryproperties','Value','','Value','Function : The value of the property')");
SQLS.append(",('testcaseexecution','Browser','','Browser','The browser used to run the test, if it was a Selenium Test')");
SQLS.append(",('testcaseexecution','Build','','Sprint','Name of the Build/sprint in the Format : 4 digit for the year, 1 character (S or B) and 1 digit with the number of the build/sprint')");
SQLS.append(",('testcaseexecution','controlstatus','','RC','This is the return code of the Execution.<br><br>It can take the following values :<br><b>OK</b> : The test has been executed and everything happened as expected.<br><b>KO</b> : The test has been executed and reported an error that will create a bug<br><b>NA</b> : The test has been executed but some data to perform the test could not be collected (SQL returning empty resultset) or there were an error inside the test such as an SQL error.<br><b>PE</b> : The execution is still running and not finished yet or has been interupted.')");
SQLS.append(",('testcaseexecution','end',' ','End',' ')");
SQLS.append(",('testcaseexecution','id',' ','Execution ID',' ')");
SQLS.append(",('testcaseexecution','IP','','IP','This is the ip of the machine of the Selenium Server where the test executed.')");
SQLS.append(",('testcaseexecution','Port','','Port','This is the port used to contact the Selenium Server where the test executed.')");
SQLS.append(",('testcaseexecution','Revision','','Revision','Number of the Revision')");
SQLS.append(",('testcaseexecution','start',' ','Start',' ')");
SQLS.append(",('testcaseexecution','URL',' ','URL',' ')");
SQLS.append(",('testcaseexecutiondata','Value',' ','Property Value','This is the Value of the calculated Property.')");
SQLS.append(",('testcaseexecutionwwwsum','css_nb','','Css_nb','Number of css downloaded for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','css_size_max','','Css_size_max','Size of the biggest css dowloaded during the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','css_size_tot','','Css_size_tot','Total size of the css for the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','css_tps','','Css_tps','Cumulated time for download css for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','img_nb','','Img_nb','Number of pictures downloaded for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','img_size_max','','Img_size_max','Size of the biggest Picture dowloaded during the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','img_size_tot','','Img_size_tot','Total size of the Pictures for the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','img_tps','','Img_tps','Cumulated time for download pictures for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','js_nb','','Js_nb','Number of javascript downloaded for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','js_size_max','','Js_size_max','Size of the biggest javascript dowloaded during the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','js_size_tot','','Js_size_tot','Total size of the javascript for the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','js_tps','','Js_tps','Cumulated time for download javascripts for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','nb_rc2xx','','Nb_rc2xx','Number of return code between 200 and 300')");
SQLS.append(",('testcaseexecutionwwwsum','nb_rc3xx','','Nb_rc3xx','Number of return code between 300 and 400')");
SQLS.append(",('testcaseexecutionwwwsum','nb_rc4xx','','Nb_rc4xx','Number of return code between 400 and 500')");
SQLS.append(",('testcaseexecutionwwwsum','nb_rc5xx','','Nb_rc5xx','Number of return codeup to 500')");
SQLS.append(",('testcaseexecutionwwwsum','tot_nbhits','','Tot_nbhits','Total number of hits of a scenario')");
SQLS.append(",('testcaseexecutionwwwsum','tot_size','','Tot_size','Total size of all the elements')");
SQLS.append(",('testcaseexecutionwwwsum','tot_tps','','Tot_tps','Total time cumulated for the download of all the elements')");
SQLS.append(",('testcasestep','Chain','','chain','')");
SQLS.append(",('testcasestep','step',' ','Step',' ')");
SQLS.append(",('testcasestepaction','Action','','Action','<b>Action</b><br><br>It is the actions which can be executed by the framework.<br><br>It could be :<br><br><b>calculateProperty :</b> When the action expected is to calculate an HTML property, or calculate a property which should not be used with another action like <i>type</i><br><br><dd><u><i>How to feed it :</i></u><br><br><dd><i>Action =</i> calculateProperty, <i>Value =</i> null and <i>Property =</i> The name of the property which should be calculated<br><br><br><br><b>click :</b> When the action expected is to click on a link or a button.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> click, <i>Value =</i> the <i>id</i> of the link or the button which should be kicked. and <i>Property =</i> null<br><br><br><b>clickAndWait :</b> When the action expected is to click on a link or a button which open a new URL.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> clickAndWait, <i>Value =</i> the <i>id</i> of the link or the button which should be kicked. and <i>Property =</i> null<br><br><br><b>enter :</b> When the action expected is to emulate a keypress on the enter button.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> enter, <i>Value =</i> null. and <i>Property =</i> null<br><br>WARNING: The action is performed on the active window.<br><br><br><b>openUrlWithBase :</b> When the action expected is to open an URL.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> openUrlWithBase, <i>Value =</i> The second part of the URL. and <i>Property =</i> null<br><dd><i>Action =</i> openUrlWithBase, <i>Value =</i> null and <i>Property =</i> The name of the property with a second part of the URL<br><br><br><b>select :</b> When the action expected is to select a value from a select box.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> select, <i>Value =</i> the <i>id</i> of the select box. and <i>Property =</i> the property containing the value to select.<br>It could be label=TheExactNameOfTheValue or value=the first letter or the place number of the value expected in the select box<br>For example : label=WEB , value=W , value=3 if the WEB is the third value in the selectbox<br><br><br><b>selectAndWait :</b> When the action expected is to select a value in a select box and wait for a new URL opened.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> selectAndWait, <i>Value =</i> the <i>id</i> of the select box. and <i>Property =</i> the property containing the value to select.<br>It could be label=TheExactNameOfTheValue or value=the first letter or the place number of the value expected in the select box<br>For example : label=WEB , value=W , value=3 if the WEB is the third value in the selectbox. <br><br><br><b>type :</b> When the action expected is to type something into a field.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> type, <i>Value =</i> the <i>id</i> of the field and <i>Property =</i> the property containing the value to type.<br><br><br><b>wait :</b> When the action expected is to wait 5 seconds.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> wait, <i>Value =</i> null and <i>Property =</i> null.<br><br><br><b>waitForPage :</b> When the action expected is to wait for the opening of a new page.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> waitForPage, <i>Value =</i> null and <i>Property =</i>null.<br><br>')");
SQLS.append(",('testcasestepaction','Action','calculateProperty',NULL,'<b>calculateProperty :</b> When the action expected is to calculate an HTML property, or calculate a property which should not be used with another action like <i>type</i><br><br><dd><u><i>How to feed it :</i></u><br><br><dd><i>Action =</i> calculateProperty, <i>Value =</i> null and <i>Property =</i> The name of the property which should be calculated<br><br><br><br>')");
SQLS.append(",('testcasestepaction','Action','click',NULL,'<b>click :</b> When the action expected is to click on a link or a button.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> click, <i>Value =</i> the <i>id</i> of the link or the button which should be kicked. and <i>Property =</i> null<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','clickAndWait',NULL,'<b>clickAndWait :</b> When the action expected is to click on a link or a button which open a new URL.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> clickAndWait, <i>Value =</i> the <i>id</i> of the link or the button which should be kicked. and <i>Property =</i> null<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','enter',NULL,'<b>enter :</b> When the action expected is to emulate a keypress on the enter button.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> enter, <i>Value =</i> null. and <i>Property =</i> null<br><br>WARNING: The action is performed on the active window.<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','keypress',NULL,'<b>keypress :</b> When the action expected is to emulate a keypress of any key.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> keypress, <i>Value =</i> The keycode of the key to press. and <i>Property =</i> null<br><br>WARNING: The action is performed on the active window.<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','openUrlWithBase',NULL,'<b>openUrlWithBase :</b> When the action expected is to open an URL.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> openUrlWithBase, <i>Value =</i> The second part of the URL. and <i>Property =</i> null<br><dd><i>Action =</i> openUrlWithBase, <i>Value =</i> null and <i>Property =</i> The name of the property with a second part of the URL<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','select',NULL,'<b>select :</b> When the action expected is to select a value from a select box.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> select, <i>Value =</i> the <i>id</i> of the select box. and <i>Property =</i> the property containing the value to select.<br>It could be label=TheExactNameOfTheValue or value=the first letter or the place number of the value expected in the select box<br>For example : label=WEB , value=W , value=3 if the WEB is the third value in the selectbox<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','selectAndWait',NULL,'<b>selectAndWait :</b> When the action expected is to select a value in a select box and wait for a new URL opened.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> selectAndWait, <i>Value =</i> the <i>id</i> of the select box. and <i>Property =</i> the property containing the value to select.<br>It could be label=TheExactNameOfTheValue or value=the first letter or the place number of the value expected in the select box<br>For example : label=WEB , value=W , value=3 if the WEB is the third value in the selectbox. <br><br><br>')");
SQLS.append(",('testcasestepaction','Action','type',NULL,'<b>type :</b> When the action expected is to type something into a field.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> type, <i>Value =</i> the <i>id</i> of the field and <i>Property =</i> the property containing the value to type.<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','wait',NULL,'<b>wait :</b> When the action expected is to wait 5 seconds.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> wait, <i>Value =</i> null and <i>Property =</i> null.<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','waitForPage',NULL,'<b>waitForPage :</b> When the action expected is to wait for the opening of a new page.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> waitForPage, <i>Value =</i> null and <i>Property =</i>null.<br><br>')");
SQLS.append(",('testcasestepaction','image',' ','Picture','')");
SQLS.append(",('testcasestepaction','Object','','Object','<b>Object :</b>It is the object which are used to perform the action. The feeding of this field depend on the action selected .<br><br>To have example of use, please click on the action question mark.')");
SQLS.append(",('testcasestepaction','Property','','Property','It is the name of the property which will be used to perform the action defined.<br><br>WARNING : YOU MUST PUT THE NAME OF A PROPERTY. YOU CANNOT PUT A VALUE HERE.<br><br>To have example of use, please click on the action question mark.')");
SQLS.append(",('testcasestepaction','Sequence','','Sequence',' ')");
SQLS.append(",('testcasestepactioncontrol','Control','','CtrlNum','<b>Control</b><br><br>It is the number of <i>control</i>.<br> If you have more than one control, use this value to number them and sort their execution<br><br>')");
SQLS.append(",('testcasestepactioncontrol','ControleProperty','','CtrlProp','<b>Control Property</b><br><br>Property that is going to be tested to control. Exemple : The HTML tag of the object we want to test<br><br>')");
SQLS.append(",('testcasestepactioncontrol','ControleValue','','CtrlValue','<b>Control Value</b><br><br>Value that the Control Property should have. <br />If the Control Property and this Value are equal then Control is OK<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Fatal','','Fatal','Fatal Control. <br /> If this option is \"N\" then it means that even if this control fails, the test will continue to run. It will, never the less, result on a KO.')");
SQLS.append(",('testcasestepactioncontrol','Sequence','','Sequence','<b>Sequence</b><br><br>It is the number of the <i>sequence</i> in which the control will be performed.<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Step','','Step','<b>Step</b><br><br>It is the number of the <i>step</i> containing the sequence in which the control will be performed.<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','','Type','<b>Type</b><br><br>It is the name of the <i>control</i> expected. It could be :<br>')");
SQLS.append(",('testcasestepactioncontrol','Type','selectOptions',NULL,'<b>selectOption</b><br><br> Verify if a given option is available for selection in the HTML object given.<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifyComboValue',NULL,'<b>selectComboValue</b><br><br>Verify if the value specified is available for selection (based on html value of the selection, not label)<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifyElementPresent',NULL,'<b>verifyElementPresent</b><br><br>Verify if an specific element is present on the web page <br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifyElementVisible',NULL,'<b>verifyElementVisible</b><br><br>Verify if the HTML element specified is exists, is visible and has text on it<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifytext',NULL,'<b>verifytext</b><br><br>Verify if the text on the HTML tag is the same than the value specified<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifytitle',NULL,'<b>verifytitle</b><br><br>Verify if the title of the webpage is the same than the value specified<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifyurl',NULL,'<b>verifyurl</b><br><br>Verify if the URL of the webpage is the same than the value specified<br><br><i>Control Value :</i>should be null<br><br><i>Control Property :</i> URL expected (without the base)<br><br>')");
SQLS.append(",('testcasestepactioncontrolexecution','ReturnCode',' ','Return Code','Return Code of the Control')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `abonnement` (");
SQLS.append(" `idabonnement` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `email` varchar(45) DEFAULT NULL,");
SQLS.append(" `notification` varchar(1000) DEFAULT NULL,");
SQLS.append(" `frequency` varchar(45) DEFAULT NULL,");
SQLS.append(" `LastNotification` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idabonnement`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `countryenvdeploytype` (");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `deploytype` varchar(50) NOT NULL,");
SQLS.append(" `JenkinsAgent` varchar(50) NOT NULL DEFAULT '',");
SQLS.append(" PRIMARY KEY (`Country`,`Environment`,`deploytype`,`JenkinsAgent`),");
SQLS.append(" KEY `FK_countryenvdeploytype_1` (`Country`,`Environment`),");
SQLS.append(" KEY `FK_countryenvdeploytype_2` (`deploytype`),");
SQLS.append(" CONSTRAINT `FK_countryenvdeploytype_1` FOREIGN KEY (`deploytype`) REFERENCES `deploytype` (`deploytype`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_countryenvdeploytype_2` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `logglassfish` (");
SQLS.append(" `idlogglassfish` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `TIMESTAMP` varchar(45) DEFAULT 'CURRENT_TIMESTAMP',");
SQLS.append(" `PARAMETER` varchar(2000) DEFAULT NULL,");
SQLS.append(" `VALUE` varchar(2000) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idlogglassfish`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `qualitynonconformities` (");
SQLS.append(" `idqualitynonconformities` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Country` varchar(45) DEFAULT NULL,");
SQLS.append(" `Application` varchar(45) DEFAULT NULL,");
SQLS.append(" `ProblemCategory` varchar(100) DEFAULT NULL,");
SQLS.append(" `ProblemDescription` varchar(2500) DEFAULT NULL,");
SQLS.append(" `StartDate` varchar(45) DEFAULT NULL,");
SQLS.append(" `StartTime` varchar(45) DEFAULT NULL,");
SQLS.append(" `EndDate` varchar(45) DEFAULT NULL,");
SQLS.append(" `EndTime` varchar(45) DEFAULT NULL,");
SQLS.append(" `TeamContacted` varchar(250) DEFAULT NULL,");
SQLS.append(" `Actions` varchar(2500) DEFAULT NULL,");
SQLS.append(" `RootCauseCategory` varchar(100) DEFAULT NULL,");
SQLS.append(" `RootCauseDescription` varchar(2500) DEFAULT NULL,");
SQLS.append(" `ImpactOrCost` varchar(45) DEFAULT NULL,");
SQLS.append(" `Responsabilities` varchar(250) DEFAULT NULL,");
SQLS.append(" `Status` varchar(45) DEFAULT NULL,");
SQLS.append(" `Comments` varchar(1000) DEFAULT NULL,");
SQLS.append(" `Severity` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idqualitynonconformities`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `qualitynonconformitiesimpact` (");
SQLS.append(" `idqualitynonconformitiesimpact` bigint(20) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `idqualitynonconformities` int(11) DEFAULT NULL,");
SQLS.append(" `Country` varchar(45) DEFAULT NULL,");
SQLS.append(" `Application` varchar(45) DEFAULT NULL,");
SQLS.append(" `StartDate` varchar(45) DEFAULT NULL,");
SQLS.append(" `StartTime` varchar(45) DEFAULT NULL,");
SQLS.append(" `EndDate` varchar(45) DEFAULT NULL,");
SQLS.append(" `EndTime` varchar(45) DEFAULT NULL,");
SQLS.append(" `ImpactOrCost` varchar(250) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idqualitynonconformitiesimpact`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
//-- Adding subsystem column
//--------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` CHANGE COLUMN `System` `System` VARCHAR(45) NOT NULL DEFAULT 'DEFAULT' ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` ADD COLUMN `SubSystem` VARCHAR(45) NOT NULL DEFAULT '' AFTER `System` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE application SET subsystem=system;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE application SET system='DEFAULT';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO .`documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('application', 'subsystem', '', 'Subsystem', 'A Subsystem define a group of application inside a system.');");
SQLInstruction.add(SQLS.toString());
//-- dropping tag table
//--------------------------
SQLS = new StringBuilder();
SQLS.append("DROP TABLE `tag`;");
SQLInstruction.add(SQLS.toString());
//-- Cerberus Engine Version inside execution table.
//--------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` ADD COLUMN `CrbVersion` VARCHAR(45) NULL DEFAULT NULL AFTER `Status` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('testcaseexecution', 'crbversion', '', 'Cerberus Version', 'This is the version of the Cerberus Engine that executed the testcase.<br>This data has been created for tracability purpose as the behavious of Cerberus could varry from one version to another.');");
SQLInstruction.add(SQLS.toString());
//-- Screenshot filename stored inside execution table. That allow to determine if screenshot is taken or not.
//--------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` ADD COLUMN `ScreenshotFilename` VARCHAR(45) NULL DEFAULT NULL AFTER `EndLong` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` ADD COLUMN `ScreenshotFilename` VARCHAR(45) NULL DEFAULT NULL AFTER `EndLong` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('testcasestepactionexecution', 'screenshotfilename', '', 'Screenshot Filename', 'This is the filename of the screenshot.<br>It is null if no screenshots were taken.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('testcasestepactioncontrolexecution', 'screenshotfilename', '', 'Screenshot Filename', 'This is the filename of the screenshot.<br>It is null if no screenshots were taken.');");
SQLInstruction.add(SQLS.toString());
//-- Test and TestCase information inside the execution tables. That will allow to have the full tracability on the pretestcase executed.
//--------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` ADD COLUMN `Test` VARCHAR(45) NULL DEFAULT NULL AFTER `Step` , ADD COLUMN `TestCase` VARCHAR(45) NULL DEFAULT NULL AFTER `Test` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` CHANGE COLUMN `Step` `Step` INT(10) UNSIGNED NOT NULL AFTER `TestCase` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` ADD COLUMN `Test` VARCHAR(45) NULL DEFAULT NULL AFTER `ID` , ADD COLUMN `TestCase` VARCHAR(45) NULL DEFAULT NULL AFTER `Test` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` ADD COLUMN `Test` VARCHAR(45) NULL DEFAULT NULL AFTER `ID` , ADD COLUMN `TestCase` VARCHAR(45) NULL DEFAULT NULL AFTER `Test` ;");
SQLInstruction.add(SQLS.toString());
//-- Cleaning Index names and Foreign Key contrains
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` DROP INDEX `FK_application` , ADD INDEX `FK_application_01` (`deploytype` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` DROP FOREIGN KEY `FK_application` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` ADD CONSTRAINT `FK_application_01` FOREIGN KEY (`deploytype` ) REFERENCES `deploytype` (`deploytype` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` DROP INDEX `FK_buildrevisionbatch_1` , ADD INDEX `FK_buildrevisionbatch_01` (`Batch` ASC) , DROP INDEX `FK_buildrevisionbatch_2` , ADD INDEX `FK_buildrevisionbatch_02` (`Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` DROP FOREIGN KEY `FK_buildrevisionbatch_1` , DROP FOREIGN KEY `FK_buildrevisionbatch_2` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` ADD CONSTRAINT `FK_buildrevisionbatch_01` FOREIGN KEY (`Batch` ) REFERENCES `batchinvariant` (`Batch` ) ON DELETE CASCADE ON UPDATE CASCADE, ADD CONSTRAINT `FK_buildrevisionbatch_02` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionparameters` DROP INDEX `FK1` , ADD INDEX `FK_buildrevisionparameters_01` (`Application` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionparameters` DROP FOREIGN KEY `FK1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionparameters` ADD CONSTRAINT `FK_buildrevisionparameters_01` FOREIGN KEY (`Application` ) REFERENCES `application` (`Application` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `comparisonstatus` DROP FOREIGN KEY `FK_comparisonstatus_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `comparisonstatus` ADD CONSTRAINT `FK_comparisonstatus_01` FOREIGN KEY (`Execution_ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_comparisonstatus_1` , ADD INDEX `FK_comparisonstatus_01` (`Execution_ID` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `comparisonstatusdata` DROP FOREIGN KEY `FK_comparisonstatusdata_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `comparisonstatusdata` ADD CONSTRAINT `FK_comparisonstatusdata_01` FOREIGN KEY (`Execution_ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_comparisonstatusdata_1` , ADD INDEX `FK_comparisonstatusdata_01` (`Execution_ID` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` DROP FOREIGN KEY `FK_countryenvdeploytype_1` , DROP FOREIGN KEY `FK_countryenvdeploytype_2` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` ADD CONSTRAINT `FK_countryenvdeploytype_01` FOREIGN KEY (`deploytype` ) REFERENCES `deploytype` (`deploytype` ) ON DELETE CASCADE ON UPDATE CASCADE, ADD CONSTRAINT `FK_countryenvdeploytype_02` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_countryenvdeploytype_1` , ADD INDEX `FK_countryenvdeploytype_01` (`Country` ASC, `Environment` ASC) , DROP INDEX `FK_countryenvdeploytype_2` , ADD INDEX `FK_countryenvdeploytype_02` (`deploytype` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` DROP FOREIGN KEY `FK_countryenvironmentdatabase_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` ADD CONSTRAINT `FK_countryenvironmentdatabase_01` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_countryenvironmentdatabase_1` , ADD INDEX `FK_countryenvironmentdatabase_01` (`Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` DROP FOREIGN KEY `FK_countryenvironmentparameters_1` , DROP FOREIGN KEY `FK_countryenvironmentparameters_3` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` ADD CONSTRAINT `FK_countryenvironmentparameters_01` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE, ADD CONSTRAINT `FK_countryenvironmentparameters_02` FOREIGN KEY (`Application` ) REFERENCES `application` (`Application` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_countryenvironmentparameters_1` , ADD INDEX `FK_countryenvironmentparameters_01` (`Country` ASC, `Environment` ASC) , DROP INDEX `FK_countryenvironmentparameters_3` , ADD INDEX `FK_countryenvironmentparameters_02` (`Application` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` DROP FOREIGN KEY `FK_countryenvparam_log_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` ADD CONSTRAINT `FK_countryenvparam_log_01` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_countryenvparam_log_1` , ADD INDEX `FK_countryenvparam_log_01` (`Country` ASC, `Environment` ASC) , DROP INDEX `ID1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` DROP FOREIGN KEY `FK_host_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ADD CONSTRAINT `FK_host_01` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_host_1` , ADD INDEX `FK_host_01` (`Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `log` DROP INDEX `datecre` , ADD INDEX `IX_log_01` (`datecre` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `test` DROP INDEX `ix_Test_Active` , ADD INDEX `IX_test_01` (`Test` ASC, `Active` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP INDEX `Index_2` , ADD INDEX `IX_testcase_01` (`Group` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP INDEX `Index_3` , ADD INDEX `IX_testcase_02` (`Test` ASC, `TestCase` ASC, `Application` ASC, `TcActive` ASC, `Group` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP INDEX `FK_testcase_2` , ADD INDEX `IX_testcase_03` (`Application` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP INDEX `FK_testcase_3` , ADD INDEX `IX_testcase_04` (`Project` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP FOREIGN KEY `FK_testcase_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` ADD CONSTRAINT `FK_testcase_01` FOREIGN KEY (`Test` ) REFERENCES `test` (`Test` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcase SET Application=null where Application='';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP FOREIGN KEY `FK_testcase_2` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` ADD CONSTRAINT `FK_testcase_02` FOREIGN KEY (`Application` ) REFERENCES `application` (`Application` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP FOREIGN KEY `FK_testcase_3` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` ADD CONSTRAINT `FK_testcase_03` FOREIGN KEY (`Project` ) REFERENCES `project` (`idproject` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM testcase USING testcase left outer join test ON testcase.test = test.test where test.test is null;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasecountry` DROP FOREIGN KEY `FK_testcasecountry_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasecountry` ADD CONSTRAINT `FK_testcasecountry_01` FOREIGN KEY (`Test` , `TestCase` ) REFERENCES `testcase` (`Test` , `TestCase` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasecountryproperties` DROP FOREIGN KEY `FK_testcasecountryproperties_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasecountryproperties` ADD CONSTRAINT `FK_testcasecountryproperties_01` FOREIGN KEY (`Test` , `TestCase` , `Country` ) REFERENCES `testcasecountry` (`Test` , `TestCase` , `Country` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` DROP FOREIGN KEY `FK_testcaseexecution_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` ADD CONSTRAINT `FK_testcaseexecution_01` FOREIGN KEY (`Test` , `TestCase` ) REFERENCES `testcase` (`Test` , `TestCase` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` DROP FOREIGN KEY `FK_testcaseexecution_3` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` ADD CONSTRAINT `FK_testcaseexecution_02` FOREIGN KEY (`application`) REFERENCES `application` (`application`) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` DROP INDEX `FK_TestCaseExecution_1` , ADD INDEX `IX_testcaseexecution_01` (`Test` ASC, `TestCase` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` DROP INDEX `fk_testcaseexecution_2` , ADD INDEX `IX_testcaseexecution_02` (`Tag` ASC) , DROP INDEX `index_1` , ADD INDEX `IX_testcaseexecution_03` (`Start` ASC) , DROP INDEX `IX_test_testcase_country` , ADD INDEX `IX_testcaseexecution_04` (`Test` ASC, `TestCase` ASC, `Country` ASC, `Start` ASC, `ControlStatus` ASC) , DROP INDEX `index_buildrev` , ADD INDEX `IX_testcaseexecution_05` (`Build` ASC, `Revision` ASC) , DROP INDEX `fk_test` , ADD INDEX `IX_testcaseexecution_06` (`Test` ASC) , DROP INDEX `ix_TestcaseExecution` , ADD INDEX `IX_testcaseexecution_07` (`Test` ASC, `TestCase` ASC, `Build` ASC, `Revision` ASC, `Environment` ASC, `Country` ASC, `ID` ASC) , DROP INDEX `FK_testcaseexecution_3` , ADD INDEX `IX_testcaseexecution_08` (`Application` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutiondata` DROP INDEX `propertystart` , ADD INDEX `IX_testcaseexecutiondata_01` (`Property` ASC, `Start` ASC) , DROP INDEX `index_1` , ADD INDEX `IX_testcaseexecutiondata_02` (`Start` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutiondata` DROP FOREIGN KEY `FK_TestCaseExecutionData_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutiondata` ADD CONSTRAINT `FK_testcaseexecutiondata_01` FOREIGN KEY (`ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutionwwwdet` DROP FOREIGN KEY `FK_testcaseexecutionwwwdet_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutionwwwdet` ADD CONSTRAINT `FK_testcaseexecutionwwwdet_01` FOREIGN KEY (`ExecID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutionwwwdet` DROP INDEX `FK_testcaseexecutionwwwdet_1` , ADD INDEX `FK_testcaseexecutionwwwdet_01` (`ExecID` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutionwwwsum` DROP FOREIGN KEY `FK_testcaseexecutionwwwsum_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutionwwwsum` ADD CONSTRAINT `FK_testcaseexecutionwwwsum_01` FOREIGN KEY (`ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_testcaseexecutionwwwsum_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestep` DROP FOREIGN KEY `FK_testcasestep_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestep` ADD CONSTRAINT `FK_testcasestep_01` FOREIGN KEY (`Test` , `TestCase` ) REFERENCES `testcase` (`Test` , `TestCase` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append(" ALTER TABLE `testcasestepaction` DROP FOREIGN KEY `FK_testcasestepaction_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepaction` ADD CONSTRAINT `FK_testcasestepaction_01` FOREIGN KEY (`Test` , `TestCase` , `Step` ) REFERENCES `testcasestep` (`Test` , `TestCase` , `Step` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrol` DROP FOREIGN KEY `FK_testcasestepcontrol_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrol` ADD CONSTRAINT `FK_testcasestepactioncontrol_01` FOREIGN KEY (`Test` , `TestCase` , `Step` , `Sequence` ) REFERENCES `testcasestepaction` (`Test` , `TestCase` , `Step` , `Sequence` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_testcasestepcontrol_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` DROP FOREIGN KEY `FK_testcasestepcontrolexecution_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` ADD CONSTRAINT `FK_testcasestepactioncontrolexecution_01` FOREIGN KEY (`ID` , `Step` ) REFERENCES `testcasestepexecution` (`ID` , `Step` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` DROP FOREIGN KEY `FK_testcasestepbatchl_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` ADD CONSTRAINT `FK_testcasestepbatch_01` FOREIGN KEY (`Test` , `TestCase` ) REFERENCES `testcase` (`Test` , `TestCase` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` DROP FOREIGN KEY `FK_testcasestepbatch_2` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` ADD CONSTRAINT `FK_testcasestepbatch_02` FOREIGN KEY (`Batch` ) REFERENCES `batchinvariant` (`Batch` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` DROP INDEX `fk_testcasestepbatch_1` , ADD INDEX `FK_testcasestepbatch_02` (`Batch` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` DROP INDEX `FK_testcasestepbatch_02` , ADD INDEX `IX_testcasestepbatch_01` (`Batch` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM testcasestepexecution, testcaseexecution USING testcasestepexecution left outer join testcaseexecution ON testcasestepexecution.ID = testcaseexecution.ID where testcaseexecution.ID is null;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` DROP FOREIGN KEY `FK_testcasestepexecution_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` ADD CONSTRAINT `FK_testcasestepexecution_01` FOREIGN KEY (`ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE; ");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `user` DROP INDEX `ID1` , ADD UNIQUE INDEX `IX_user_01` (`Login` ASC) ;");
SQLInstruction.add(SQLS.toString());
//-- New CA Status in invariant and documentation table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('TCESTATUS', 'CA', 6, 35, 'Test could not be done because of technical issues.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `documentation` SET `DocDesc`='This is the return code of the Execution.<br><br>It can take the following values :<br><b>OK</b> : The test has been executed and everything happened as expected.<br><b>KO</b> : The test has been executed and reported an error that will create a bug<br><b>NA</b> : The test has been executed but some data to perform the test could not be collected (SQL returning empty resultset).<br><b>FA</b> : The testcase failed to execute because there were an error inside the test such as an SQL error. The testcase needs to be corrected.<br><b>CA</b> : The testcase has been cancelled. It failed during the execution because of technical issues (ex. Lost of connection issue to selenium during the execution)<br><b>PE</b> : The execution is still running and not finished yet or has been interupted.' WHERE `DocTable`='testcaseexecution' and`DocField`='controlstatus' and`DocValue`='';");
SQLInstruction.add(SQLS.toString());
//-- New Cerberus Message store at the level of the execution - Header, Action and Control Level.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` ADD COLUMN `ControlMessage` VARCHAR(500) NULL DEFAULT NULL AFTER `ControlStatus` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` ADD COLUMN `ReturnMessage` VARCHAR(500) NULL DEFAULT NULL AFTER `ReturnCode` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` ADD COLUMN `ReturnCode` VARCHAR(2) NULL DEFAULT NULL AFTER `Sequence` , ADD COLUMN `ReturnMessage` VARCHAR(500) NULL DEFAULT NULL AFTER `ReturnCode` ;");
SQLInstruction.add(SQLS.toString());
//-- New Integrity Link inside between User Group and User table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `usergroup` ADD CONSTRAINT `FK_usergroup_01` FOREIGN KEY (`Login` ) REFERENCES `user` (`Login` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
//-- New Parameter for Performance Monitoring Servlet.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `parameter` (`param`, `value`, `description`) VALUES ('cerberus_performancemonitor_nbminutes', '5', 'Integer that correspond to the number of minutes where the number of executions are collected on the servlet that manage the monitoring of the executions.');");
SQLInstruction.add(SQLS.toString());
//-- New Parameter for link to selenium extensions firebug and netexport.
//-- -------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `parameter` (`param`, `value`, `description`) VALUES ('cerberus_selenium_firefoxextension_firebug', 'D:\\\\CerberusDocuments\\\\firebug-fx.xpi', 'Link to the firefox extension FIREBUG file needed to track network traffic')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `parameter` (`param`, `value`, `description`) VALUES ('cerberus_selenium_firefoxextension_netexport', 'D:\\\\CerberusDocuments\\\\netExport.xpi', 'Link to the firefox extension NETEXPORT file needed to export network traffic')");
SQLInstruction.add(SQLS.toString());
//-- New Invariant Browser to feed combobox.
//-- -------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('BROWSER', 'FIREFOX', 1, 37, 'Firefox Browser')");
SQLInstruction.add(SQLS.toString());
//-- Removing Performance Monitoring Servlet Parameter as it has been moved to the call of the URL. The number of minutes cannot be the same accross all requests.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `parameter` WHERE `param`='cerberus_performancemonitor_nbminutes';");
SQLInstruction.add(SQLS.toString());
//-- Cleaning invariant table in idname STATUS idname was used twice on 2 invariant group 1 and 33.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='1';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='2';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='3';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='4';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='5';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='6';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='NCONFSTATUS' WHERE `id`='33' and`sort`='1';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='NCONFSTATUS' WHERE `id`='33' and`sort`='2';");
SQLInstruction.add(SQLS.toString());
//-- New invariant for execution detail list page.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '5', 10, 38, '5 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '10', 20, 38, '10 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '15', 30, 38, '15 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '20', 40, 38, '20 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '30', 50, 38, '30 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '45', 60, 38, '45 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '60', 70, 38, '1 Hour');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '90', 80, 38, '1 Hour 30 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '120', 90, 38, '2 Hours');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '180', 100, 38, '3 Hours');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '0', 1, 38, 'No Limit');");
SQLInstruction.add(SQLS.toString());
//-- New Cerberus Message store at the level of the execution - Header, Action and Control Level.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` VALUES ");
SQLS.append("('testcaseexecution','ControlMessage','','ControlMessage','This is the message reported by Cerberus on the execution of the testcase.')");
SQLS.append(",('testcasestepactioncontrolexecution','ReturnMessage','','Return Message','This is the return message on that specific control.')");
SQLS.append(",('testcasestepactionexecution','ReturnCode','','CtrlNum','This is the return code of the action.')");
SQLS.append(",('testcaseexecution','tag','','Tag','The Tag is just a string that will be recorded with the test case execution and will help to find it back.')");
SQLInstruction.add(SQLS.toString());
//-- New Cerberus Action mouseOver and mouseOverAndWait and remove of URLLOGIN, verifyTextPresent verifyTitle, verifyValue
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `invariant` WHERE `id`='12' and`sort`='120'");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `invariant` WHERE `id`='12' and`sort`='130'");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `invariant` WHERE `id`='12' and`sort`='140'");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `invariant` WHERE `id`='12' and`sort`='150'");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('ACTION', 'mouseOver', 57, 12, 'mouseOver')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('ACTION', 'mouseOverAndWait', 58, 12, 'mouseOverAndWait')");
SQLInstruction.add(SQLS.toString());
//-- New Documentation for verbose and status on the execution table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('testcaseexecution', 'verbose', '', 'Verbose', 'This is the verbose level of the execution. 0 correspond to limited logs, 1 is standard and 2 is maximum tracability.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('testcaseexecution', 'status', '', 'TC Status', 'This correspond to the status of the Test Cases when the test was executed.');");
SQLInstruction.add(SQLS.toString());
//-- New DefaultSystem and Team inside User table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `user` ADD COLUMN `Team` VARCHAR(45) NULL AFTER `Name` , ADD COLUMN `DefaultSystem` VARCHAR(45) NULL AFTER `DefaultIP` , CHANGE COLUMN `Request` `Request` VARCHAR(5) NULL DEFAULT NULL AFTER `Password` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) ");
SQLS.append(" VALUES ('user', 'Team', '', 'Team', 'This is the Team whose the user belong.') ");
SQLS.append(" ,('user', 'DefaultSystem', '', 'Default System', 'This is the Default System the user works on the most. It is used to default the perimeter of testcases or applications displayed on some pages.');");
SQLInstruction.add(SQLS.toString());
//-- Documentation updated on verbose and added on screenshot option.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `documentation` SET `DocDesc`='This correspond to the level if information that Cerberus will keep when performing the test.<br><b>0</b> : The test will keep minimum login information in order to preserve the response times. This is to be used when a massive amout of tests are performed. No details on action will be saved.<br><b>1</b> : This is the standard level of log. Detailed action execution information will also be stored.<br><b>2</b> : This is the highest level of detailed information that can be chosen. Detailed web traffic information will be stored. This is to be used only on very specific cases where all hits information of an execution are required.' WHERE `DocTable`='runnerpage' and`DocField`='verbose' and`DocValue`='';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('runnerpage', 'screenshot', '', 'Screenshot', 'This define whether screenshots will be taken during the execution of the test.<br><b>0</b> : No screenshots are taken. This is to be used when a massive amout of tests are performed.<br><b>1</b> : Screenshots are taken only when action or control provide unexpected result.<br><b>2</b> : Screenshots are always taken on every selenium action. This is to be used only on very specific cases where all actions needs a screenshot.');");
SQLInstruction.add(SQLS.toString());
//-- Screenshot invariant values.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`)");
SQLS.append(" VALUES ('SCREENSHOT', '0', 10, 39, 'No Screenshot')");
SQLS.append(",('SCREENSHOT', '1', 20, 39, 'Screenshot on error')");
SQLS.append(",('SCREENSHOT', '2', 30, 39, 'Screenshot on every action');");
SQLInstruction.add(SQLS.toString());
//-- Added Test and testcase columns to Action/control/step Execution tables.
//-- Added RC and RCMessage to all execution tables + Property Data table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutiondata` ADD COLUMN `RMessage` VARCHAR(500) NULL DEFAULT '' AFTER `RC` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` DROP FOREIGN KEY `FK_testcasestepactioncontrolexecution_01`;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` CHANGE COLUMN `Test` `Test` VARCHAR(45) NOT NULL DEFAULT '' , CHANGE COLUMN `TestCase` `TestCase` VARCHAR(45) NOT NULL DEFAULT '' ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` CHANGE COLUMN `ID` `ID` BIGINT(20) UNSIGNED NOT NULL , CHANGE COLUMN `Step` `Step` INT(10) UNSIGNED NOT NULL ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` DROP FOREIGN KEY `FK_testcasestepexecution_01`;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` ADD CONSTRAINT `FK_testcasestepexecution_01` FOREIGN KEY (`ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` DROP PRIMARY KEY , ADD PRIMARY KEY (`ID`, `Test`, `TestCase`, `Step`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` CHANGE COLUMN `Test` `Test` VARCHAR(45) NOT NULL DEFAULT '' , CHANGE COLUMN `TestCase` `TestCase` VARCHAR(45) NOT NULL DEFAULT '' ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` DROP PRIMARY KEY , ADD PRIMARY KEY (`ID`, `Test`, `TestCase`, `Step`, `Sequence`, `Control`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` ADD CONSTRAINT `FK_testcasestepactioncontrolexecution_01` FOREIGN KEY (`ID` , `Test` , `TestCase` , `Step` ) REFERENCES `testcasestepexecution` (`ID` , `Test` , `TestCase` , `Step` ) ON DELETE CASCADE ON UPDATE CASCADE ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` CHANGE COLUMN `ID` `ID` BIGINT(20) UNSIGNED NOT NULL , CHANGE COLUMN `Test` `Test` VARCHAR(45) NOT NULL DEFAULT '' , CHANGE COLUMN `TestCase` `TestCase` VARCHAR(45) NOT NULL DEFAULT '' , CHANGE COLUMN `Step` `Step` INT(10) UNSIGNED NOT NULL ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `testcasestepactionexecution` SET Sequence=51 WHERE Step=0 and Sequence=50 and Action='Wait';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` DROP PRIMARY KEY , ADD PRIMARY KEY (`ID`, `Test`, `TestCase`, `Step`, `Sequence`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM testcasestepactionexecution WHERE ID in ( SELECT ID FROM ( SELECT a.ID FROM testcasestepactionexecution a LEFT OUTER JOIN testcasestepexecution b ON a.ID=b.ID and a.Test=b.Test and a.TestCase=b.TestCase and a.Step=b.Step WHERE b.ID is null) as toto);");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` ADD CONSTRAINT `FK_testcasestepactionexecution_01` FOREIGN KEY (`ID` , `Test` , `TestCase` , `Step` ) REFERENCES `testcasestepexecution` (`ID` , `Test` , `TestCase` , `Step` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
//-- Resizing Screenshot filename to biggest possible value.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` CHANGE COLUMN `ScreenshotFilename` `ScreenshotFilename` VARCHAR(150) NULL DEFAULT NULL ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` CHANGE COLUMN `ScreenshotFilename` `ScreenshotFilename` VARCHAR(150) NULL DEFAULT NULL ;");
SQLInstruction.add(SQLS.toString());
//-- Correcting verifyurl to verifyURL and verifytitle to VerifyTitle in controls.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyUrl' where type='verifyurl';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyTitle' where type='verifytitle';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value='verifyUrl', description ='verifyUrl' where value='verifyurl' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value='verifyTitle', description ='verifyTitle' where value='verifytitle' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
//-- Making controls standard.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyPropertyEqual', description = 'verifyPropertyEqual' where value='PropertyIsEqualTo' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyPropertyEqual' where type='PropertyIsEqualTo';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyPropertyGreater', description = 'verifyPropertyGreater' where value='PropertyIsGreaterThan' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyPropertyGreater' where type='PropertyIsGreaterThan';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyPropertyMinor', description = 'verifyPropertyMinor' where value='PropertyIsMinorThan' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyPropertyMinor' where type='PropertyIsMinorThan';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('CONTROL', 'verifyPropertyDifferent', 11, 13, 'verifyPropertyDifferent');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('CONTROL', 'verifyElementNotPresent', 21, 13, 'verifyElementNotPresent');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('ACTION', 'openUrlLogin', 120, 12, 'openUrlLogin');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepaction SET action='openUrlLogin' where action='URLLOGIN';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `value`='firefox' WHERE `id`='37' and`sort`='1';");
SQLInstruction.add(SQLS.toString());
//-- New parameter used by netexport.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `parameter` (`param`, `value`, `description`) VALUES ('cerberus_url', 'http://localhost:8080/GuiCerberusV2-2.0.0-SNAPSHOT', 'URL to Cerberus used in order to call back cerberus from NetExport plugin. This parameter is mandatory for saving the firebug detail information back to cerberus. ex : http://host:port/contextroot');");
SQLInstruction.add(SQLS.toString());
//-- Making controls standard.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyStringEqual', description = 'verifyStringEqual' where value='verifyPropertyEqual' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyStringEqual' where type='verifyPropertyEqual';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyStringDifferent', description = 'verifyStringDifferent' where value='verifyPropertyDifferent' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyStringDifferent' where type='verifyPropertyDifferent';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyIntegerGreater', description = 'verifyIntegerGreater' where value='verifyPropertyGreater' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyIntegerGreater' where type='verifyPropertyGreater';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyIntegerMinor', description = 'verifyIntegerMinor' where value='verifyPropertyMinor' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyIntegerMinor' where type='verifyPropertyMinor';");
SQLInstruction.add(SQLS.toString());
//-- Making Properties standard.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'executeSql', sort=20 where value='SQL' and idname='PROPERTYTYPE';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'executeSqlFromLib', sort=25 where value='LIB_SQL' and idname='PROPERTYTYPE';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'getFromHtmlVisible', sort=35, description='Getting from an HTML visible field in the current page.' where value='HTML' and idname='PROPERTYTYPE';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'text', sort=40 where value='TEXT' and idname='PROPERTYTYPE';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('PROPERTYTYPE', 'getFromHtml', 30, 19, 'Getting from an html field in the current page.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasecountryproperties SET type='text' where type='TEXT';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasecountryproperties SET type='executeSqlFromLib' where type='LIB_SQL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasecountryproperties SET type='executeSql' where type='SQL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasecountryproperties SET type='getFromHtmlVisible' where type='HTML';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('PROPERTYNATURE', 'NOTINUSE', 4, 20, 'Not In Use');");
SQLInstruction.add(SQLS.toString());
//-- New Control.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('CONTROL', 'verifyTextNotPresent', 51, 13, 'verifyTextNotPresent');");
SQLInstruction.add(SQLS.toString());
//-- Team and system invariant initialisation.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) ");
SQLS.append(" VALUES ('TEAM', 'France', 10, 40, 'France Team'),");
SQLS.append(" ('TEAM', 'Portugal', 20, 40, 'Portugal Team'),");
SQLS.append(" ('SYSTEM', 'DEFAULT', 10, 41, 'System1 System'),");
SQLS.append(" ('SYSTEM', 'SYS2', 20, 41, 'System2 System')");
SQLInstruction.add(SQLS.toString());
//-- Changing Request column inside user table to fit boolean management standard.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `user` SET Request='Y' where Request='true';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `user` SET Request='N' where Request='false';");
SQLInstruction.add(SQLS.toString());
//-- Cleaning comparaison status tables.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("DROP TABLE `comparisonstatusdata`;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DROP TABLE `comparisonstatus`;");
SQLInstruction.add(SQLS.toString());
//-- Documentation on application table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) ");
SQLS.append(" VALUES ('application', 'sort', '', 'Sort', 'Sorting criteria for various combo box.'), ");
SQLS.append(" ('application', 'svnurl', '', 'SVN Url', 'URL to the svn repository of the application.') ;");
SQLInstruction.add(SQLS.toString());
//-- Log Event table redesign.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("DROP TABLE `logeventchange`; ");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `logevent` ADD COLUMN `Login` VARCHAR(30) NOT NULL DEFAULT '' AFTER `UserID`, CHANGE COLUMN `Time` `Time` TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP, ADD COLUMN `remoteIP` VARCHAR(20) NULL DEFAULT NULL AFTER `Log` , ADD COLUMN `localIP` VARCHAR(20) NULL DEFAULT NULL AFTER `remoteIP`;");
SQLInstruction.add(SQLS.toString());
//-- User group definition
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`, `gp1`, `gp2`, `gp3`) VALUES ");
SQLS.append("('USERGROUP', 'Visitor', 5, 42, 'Visitor', null, null, null),");
SQLS.append("('USERGROUP', 'Integrator', 10, 42, 'Integrator', null, null, null),");
SQLS.append("('USERGROUP', 'User', 15, 42, 'User', null, null, null),");
SQLS.append("('USERGROUP', 'Admin', 20, 42, 'Admin', null, null, null)");
SQLInstruction.add(SQLS.toString());
//-- New Column for Bug Tracking.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` ADD COLUMN `BugTrackerUrl` VARCHAR(300) NULL DEFAULT '' AFTER `svnurl` , ADD COLUMN `BugTrackerNewUrl` VARCHAR(300) NULL DEFAULT '' AFTER `BugTrackerUrl` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) ");
SQLS.append(" VALUES ('application', 'bugtrackerurl', '', 'Bug Tracker URL', 'URL to Bug reporting system. The following variable can be used : %bugid%.'),");
SQLS.append(" ('application', 'bugtrackernewurl', '', 'New Bug URL', 'URL to Bug system new bug creation page.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`, `gp1`, `gp2`, `gp3`) VALUES ");
SQLS.append("('APPLITYPE', 'GUI', 5, 43, 'GUI application', null, null, null),");
SQLS.append("('APPLITYPE', 'BAT', 10, 43, 'Batch Application', null, null, null),");
SQLS.append("('APPLITYPE', 'SRV', 15, 43, 'Service Application', null, null, null),");
SQLS.append("('APPLITYPE', 'NONE', 20, 43, 'Any Other Type of application', null, null, null)");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE application SET deploytype=null where deploytype is null;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `parameter` WHERE `param`='sitdmoss_bugtracking_url';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `parameter` WHERE `param`='sitdmoss_newbugtracking_url';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `parameter` WHERE `param`='cerberus_selenium_plugins_path';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `parameter` WHERE `param`='svn_application_url';");
SQLInstruction.add(SQLS.toString());
//-- New Controls for string comparaison.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `sort`=16 WHERE `id`='13' and`sort`='12';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `sort`=17 WHERE `id`='13' and`sort`='14';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ");
SQLS.append(" ('CONTROL', 'verifyStringGreater', 12, 13, 'verifyStringGreater')");
SQLS.append(" ,('CONTROL', 'verifyStringMinor', 13, 13, 'verifyStringMinor');");
SQLInstruction.add(SQLS.toString());
//-- Cleaning on TextInPage control.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `value`='verifyTextInPage', `description`='verifyTextInPage' WHERE `id`='13' and`sort`='50';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `testcasestepactioncontrol` SET `type`='verifyTextInPage' WHERE `type`='verifyTextPresent';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `value`='verifyTextNotInPage', `description`='verifyTextNotInPage' WHERE `id`='13' and`sort`='51';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `testcasestepactioncontrol` SET `type`='verifyTextNotInPage' WHERE `type`='verifyTextNotPresent';");
SQLInstruction.add(SQLS.toString());
//-- Cleaning on VerifyText --> VerifyTextInElement control.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `value`='verifyTextInElement', `description`='verifyTextInElement' WHERE `id`='13' and`sort`='40';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `testcasestepactioncontrol` SET `type`='verifyTextInElement' WHERE `type`='VerifyText';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `value`='verifyRegexInElement', `description`='verifyRegexInElement', sort='43' WHERE `id`='13' and`sort`='80';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `testcasestepactioncontrol` SET `type`='verifyRegexInElement' WHERE `type`='verifyContainText';");
SQLInstruction.add(SQLS.toString());
//-- Enlarging BehaviorOrValueExpected and HowTo columns to TEXT (64K).
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` CHANGE COLUMN `BehaviorOrValueExpected` `BehaviorOrValueExpected` TEXT NULL , CHANGE COLUMN `HowTo` `HowTo` TEXT NULL ;");
SQLInstruction.add(SQLS.toString());
//-- Change length of Property column of TestCaseStepActionExecution from 45 to 200
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE testcasestepactionexecution CHANGE Property Property varchar(200);");
SQLInstruction.add(SQLS.toString());
//-- Add invariant LANGUAGE
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`, `gp1`) VALUES ");
SQLS.append(" ('LANGUAGE', '', 1, 44, 'Default language', 'en')");
SQLS.append(" ,('LANGUAGE', 'BE', 5, 44, 'Belgium language', 'fr-be')");
SQLS.append(" ,('LANGUAGE', 'CH', 10, 44, 'Switzerland language', 'fr-ch')");
SQLS.append(" ,('LANGUAGE', 'ES', 15, 44, 'Spain language', 'es')");
SQLS.append(" ,('LANGUAGE', 'FR', 20, 44, 'France language', 'fr')");
SQLS.append(" ,('LANGUAGE', 'IT', 25, 44, 'Italy language', 'it')");
SQLS.append(" ,('LANGUAGE', 'PT', 30, 44, 'Portugal language', 'pt')");
SQLS.append(" ,('LANGUAGE', 'RU', 35, 44, 'Russia language', 'ru')");
SQLS.append(" ,('LANGUAGE', 'UK', 40, 44, 'Great Britain language', 'gb')");
SQLS.append(" ,('LANGUAGE', 'VI', 45, 44, 'Generic language', 'en');");
SQLInstruction.add(SQLS.toString());
//-- Cerberus can't find elements inside iframe
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ");
SQLS.append("('ACTION','focusToIframe',52,12,'focusToIframe'),");
SQLS.append("('ACTION','focusDefaultIframe',53,12,'focusDefaultIframe');");
SQLInstruction.add(SQLS.toString());
//-- Documentation on new Bug URL
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `documentation` SET `DocDesc`='URL to Bug system new bug creation page.<br> The following variables can be used :<br>%TEST%<br>%TESTCASE%<br>%TESTCASEDESC%<br>%EXEID%<br>%ENV%<br>%COUNTRY%<br>%BUILD%<br>%REV%' WHERE `DocTable`='application' and`DocField`='bugtrackernewurl' and`DocValue`='';");
SQLInstruction.add(SQLS.toString());
//-- Harmonize the column order of Country/Environment.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` ");
SQLS.append(" CHANGE COLUMN `Country` `Country` VARCHAR(2) NOT NULL FIRST , ");
SQLS.append(" CHANGE COLUMN `Environment` `Environment` VARCHAR(45) NOT NULL AFTER `Country` , ");
SQLS.append(" DROP PRIMARY KEY , ADD PRIMARY KEY (`Country`, `Environment`, `Database`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ");
SQLS.append(" CHANGE COLUMN `Environment` `Environment` VARCHAR(45) NOT NULL AFTER `Country` , ");
SQLS.append(" DROP PRIMARY KEY , ADD PRIMARY KEY USING BTREE (`Country`, `Environment`, `Session`, `Server`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` ");
SQLS.append(" CHANGE COLUMN `Environment` `Environment` VARCHAR(45) NULL DEFAULT NULL AFTER `Country` ;");
SQLInstruction.add(SQLS.toString());
//-- Change invariant LANGUAGE to GP2 of invariant COUNTRY
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'fr-be' WHERE idname = 'COUNTRY' and value = 'BE';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'fr-ch' WHERE idname = 'COUNTRY' and value = 'CH';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'es' WHERE idname = 'COUNTRY' and value = 'ES';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'it' WHERE idname = 'COUNTRY' and value = 'IT';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'pt-pt' WHERE idname = 'COUNTRY' and value = 'PT';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'ru' WHERE idname = 'COUNTRY' and value = 'RU';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'en-gb' WHERE idname = 'COUNTRY' and value = 'UK';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'en-gb' WHERE idname = 'COUNTRY' and value = 'VI';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'ru' WHERE idname = 'COUNTRY' and value = 'RU';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'fr' WHERE idname = 'COUNTRY' and value = 'FR';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'en-gb' WHERE idname = 'COUNTRY' and value = 'RX';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `invariant` WHERE idname = 'LANGUAGE'");
SQLInstruction.add(SQLS.toString());
//-- Cleaning countryenvironmentparameters table with useless columns
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` DROP COLUMN `as400LIB` , DROP COLUMN `JdbcPort` , DROP COLUMN `JdbcIP` , DROP COLUMN `JdbcPass` , DROP COLUMN `JdbcUser` ;");
SQLInstruction.add(SQLS.toString());
//-- Adding System level in database model.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' FIRST ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' FIRST ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` DROP FOREIGN KEY `FK_countryenvdeploytype_02` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' FIRST ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` DROP FOREIGN KEY `FK_countryenvironmentparameters_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' FIRST ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` DROP FOREIGN KEY `FK_countryenvironmentdatabase_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' FIRST ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` DROP FOREIGN KEY `FK_host_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' AFTER `id` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` DROP FOREIGN KEY `FK_countryenvparam_log_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` DROP INDEX `FK_countryenvparam_log_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' AFTER `Batch` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` DROP FOREIGN KEY `FK_buildrevisionbatch_02` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` DROP INDEX `FK_buildrevisionbatch_02` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam` DROP PRIMARY KEY , ADD PRIMARY KEY (`system`, `Country`, `Environment`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` DROP PRIMARY KEY , ADD PRIMARY KEY (`system`, `Country`, `Environment`, `deploytype`, `JenkinsAgent`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype`");
SQLS.append(" ADD CONSTRAINT `FK_countryenvdeploytype_1` FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` ");
SQLS.append(" DROP INDEX `FK_countryenvdeploytype_01` , ADD INDEX `FK_countryenvdeploytype_01` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` DROP FOREIGN KEY `FK_countryenvdeploytype_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` ");
SQLS.append(" ADD CONSTRAINT `FK_countryenvdeploytype_02`");
SQLS.append(" FOREIGN KEY (`deploytype` )");
SQLS.append(" REFERENCES `deploytype` (`deploytype` )");
SQLS.append(" ON DELETE CASCADE");
SQLS.append(" ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` DROP FOREIGN KEY `FK_countryenvdeploytype_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` ");
SQLS.append(" ADD CONSTRAINT `FK_countryenvdeploytype_01`");
SQLS.append(" FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` )");
SQLS.append(" ON DELETE CASCADE");
SQLS.append(" ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` DROP PRIMARY KEY , ADD PRIMARY KEY (`system`, `Country`, `Environment`, `Application`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` ");
SQLS.append(" ADD CONSTRAINT `FK_countryenvironmentparameters_01` FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` ");
SQLS.append("DROP INDEX `FK_countryenvironmentparameters_01` , ADD INDEX `FK_countryenvironmentparameters_01` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` ");
SQLS.append(" ADD CONSTRAINT `FK_buildrevisionbatch_02`");
SQLS.append(" FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` )");
SQLS.append(" ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(", ADD INDEX `FK_buildrevisionbatch_02` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` ");
SQLS.append("DROP PRIMARY KEY , ADD PRIMARY KEY (`system`, `Country`, `Environment`, `Database`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` ");
SQLS.append(" ADD CONSTRAINT `FK_countryenvironmentdatabase_01`");
SQLS.append(" FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` )");
SQLS.append(" ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(", DROP INDEX `FK_countryenvironmentdatabase_01` , ADD INDEX `FK_countryenvironmentdatabase_01` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ");
SQLS.append("DROP PRIMARY KEY , ADD PRIMARY KEY (`system`, `Country`, `Environment`, `Session`, `Server`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ");
SQLS.append("DROP INDEX `FK_host_01` , ADD INDEX `FK_host_01` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ");
SQLS.append(" ADD CONSTRAINT `FK_host_01`");
SQLS.append(" FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` )");
SQLS.append(" ON DELETE CASCADE ON UPDATE CASCADE ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` ");
SQLS.append(" ADD CONSTRAINT `FK_countryenvparam_log_01`");
SQLS.append(" FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` )");
SQLS.append(" ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(", ADD INDEX `FK_countryenvparam_log_01` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
//-- Enlarge data execution column in order to keep track of full SQL executed.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutiondata` CHANGE COLUMN `Value` `Value` VARCHAR(3000) NOT NULL , CHANGE COLUMN `RMessage` `RMessage` VARCHAR(3000) NULL DEFAULT '' ;");
SQLInstruction.add(SQLS.toString());
//-- Insert default environment in order to get examples running.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `countryenvparam` (`system`, `Country`, `Environment`, `Build`, `Revision`, `Chain`, `DistribList`, `EMailBodyRevision`, `Type`, `EMailBodyChain`, `EMailBodyDisableEnvironment`, `active`, `maintenanceact`) VALUES ('DEFAULT', 'RX', 'PROD', '', '', '', '', '', 'STD', '', '', 'Y', 'N');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `countryenvironmentparameters` (`system`, `Country`, `Environment`, `Application`, `IP`, `URL`, `URLLOGIN`) VALUES ('DEFAULT', 'RX', 'PROD', 'Google', 'www.google.com', '/', '');");
SQLInstruction.add(SQLS.toString());
//-- Force default system to DEFAULT.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `user` SET DefaultSystem='DEFAULT' where DefaultSystem is null;");
SQLInstruction.add(SQLS.toString());
return SQLInstruction;
}
| public ArrayList<String> getSQLScript() {
// Temporary string that will store the SQL Command before putting in the array.
StringBuilder SQLS;
// Full script that create the cerberus database.
ArrayList<String> SQLInstruction;
// Start to build the SQL Script here.
SQLInstruction = new ArrayList<String>();
// ***********************************************
// ***********************************************
// SQL Script Instructions.
// ***********************************************
// ***********************************************
// Every Query must be independant.
// Drop and Create index of the table / columns inside the same SQL
// Drop and creation of Foreign Key inside the same SQL
// 1 Index or Foreign Key at a time.
// Baware of big tables that may result a timeout on the GUI side.
// ***********************************************
// ***********************************************
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `myversion` (");
SQLS.append(" `Key` varchar(45) NOT NULL DEFAULT '', `Value` int(11) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Key`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `myversion` (`Key`, `Value`) VALUES ('database', 0);");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `log` (");
SQLS.append(" `id` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `datecre` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" `desc` varchar(20) DEFAULT NULL,");
SQLS.append(" `longdesc` varchar(400) DEFAULT NULL,");
SQLS.append(" `remoteIP` varchar(20) DEFAULT NULL,");
SQLS.append(" `localIP` varchar(20) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`id`),");
SQLS.append(" KEY `datecre` (`datecre`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `user` (");
SQLS.append(" `UserID` int(10) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Login` varchar(10) NOT NULL,");
SQLS.append(" `Password` char(40) NOT NULL,");
SQLS.append(" `Name` varchar(25) NOT NULL,");
SQLS.append(" `Request` varchar(5) DEFAULT NULL,");
SQLS.append(" `ReportingFavorite` varchar(1000) DEFAULT NULL,");
SQLS.append(" `DefaultIP` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`UserID`),");
SQLS.append(" UNIQUE KEY `ID1` (`Login`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `user` VALUES (1,'admin','d033e22ae348aeb5660fc2140aec35850c4da997','Admin User','false',NULL,NULL)");
SQLS.append(",(2,'cerberus','b7e73576cd25a6756dfc25d9eb914ba235d4355d','Cerberus User','false',NULL,NULL);");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `usergroup` (");
SQLS.append(" `Login` varchar(10) NOT NULL,");
SQLS.append(" `GroupName` varchar(10) NOT NULL,");
SQLS.append(" PRIMARY KEY (`Login`,`GroupName`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `usergroup` VALUES ('admin','Admin'),('admin','User'),('admin','Visitor'),('admin','Integrator'),('cerberus','User'),('cerberus','Visitor'),('cerberus','Integrator');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `documentation` (");
SQLS.append(" `DocTable` varchar(50) NOT NULL,");
SQLS.append(" `DocField` varchar(45) NOT NULL,");
SQLS.append(" `DocValue` varchar(60) NOT NULL DEFAULT '',");
SQLS.append(" `DocLabel` varchar(60) DEFAULT NULL,");
SQLS.append(" `DocDesc` varchar(10000) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`DocTable`,`DocField`,`DocValue`) USING BTREE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `parameter` (");
SQLS.append(" `param` varchar(100) NOT NULL,");
SQLS.append(" `value` varchar(10000) NOT NULL,");
SQLS.append(" `description` varchar(5000) NOT NULL,");
SQLS.append(" PRIMARY KEY (`param`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `parameter` VALUES ('cerberus_homepage_nbbuildhistorydetail','5','Define the number of build/revision that are displayed in the homepage.')");
SQLS.append(",('cerberus_picture_path','/home/vertigo/dev/CerberusPictures/','Path to store the Cerberus Selenium Screenshot')");
SQLS.append(",('cerberus_picture_url','http://localhost/CerberusPictures/','Link to the Cerberus Selenium Screenshot. The following variable can be used : %ID% and %SCREENSHOT%')");
SQLS.append(",('cerberus_reporting_url','http://IP/Cerberus/ReportingExecution.jsp?Application=%appli%&TcActive=Y&Priority=All&Environment=%env%&Build=%build%&Revision=%rev%&Country=%country%&Status=WORKING&Apply=Apply','URL to Cerberus reporting screen. the following variables can be used : %country%, %env%, %appli%, %build% and %rev%.')");
SQLS.append(",('cerberus_selenium_plugins_path','/tmp/','Path to load firefox plugins (Firebug + netExport) to do network traffic')");
SQLS.append(",('cerberus_support_email','<a href=\"mailto:[email protected]?Subject=Cerberus%20Account\" style=\"color: yellow\">Support</a>','Contact Email in order to ask for new user in Cerberus tool.')");
SQLS.append(",('cerberus_testexecutiondetailpage_nbmaxexe','100','Default maximum number of testcase execution displayed in testcase execution detail page.')");
SQLS.append(",('cerberus_testexecutiondetailpage_nbmaxexe_max','5000','Maximum number of testcase execution displayed in testcase execution detail page.')");
SQLS.append(",('CI_OK_prio1','1','Coef in order to calculate the OK/KO result for CI platform.')");
SQLS.append(",('CI_OK_prio2','0.5','Coef in order to calculate the OK/KO result for CI platform.')");
SQLS.append(",('CI_OK_prio3','0.2','Coef in order to calculate the OK/KO result for CI platform.')");
SQLS.append(",('CI_OK_prio4','0.1','Coef in order to calculate the OK/KO result for CI platform.')");
SQLS.append(",('CI_OK_prio5','0','Coef in order to calculate the OK/KO result for CI platform.')");
SQLS.append(",('index_alert_body','','Body for alerts')");
SQLS.append(",('index_alert_from','QUALITY Team <[email protected]>','From team for alerts')");
SQLS.append(",('index_alert_subject','[BAM] Alert detected for %COUNTRY%','Subject for alerts')");
SQLS.append(",('index_alert_to','QUALITY Team <[email protected]>','List of contact for alerts')");
SQLS.append(",('index_notification_body_between','<br><br>','Text to display between the element of the mail')");
SQLS.append(",('index_notification_body_end','Subscribe / unsubscribe and get more realtime graph <a href=\"http://IP/index/BusinessActivityMonitor.jsp\">here</a>. <font size=\"1\">(Not available on Internet)</font><br><br>If you have any question, please contact us at <a href=\"mailto:[email protected]\">[email protected]</a><br>Cumprimentos / Regards / Cordialement,<br>Test and Integration Team</body></html>','Test to display at the end')");
SQLS.append(",('index_notification_body_top','<html><body>Hello<br><br>Following is the activity monitored for %COUNTRY%, on the %DATEDEB%.<br><br>','Text to display at the top of the mail')");
SQLS.append(",('index_notification_subject','[BAM] Business Activity Monitor for %COUNTRY%','subject')");
SQLS.append(",('index_smtp_from','Team <[email protected]>','smtp from used for notification')");
SQLS.append(",('index_smtp_host','smtp.mail.com','Smtp host used with notification')");
SQLS.append(",('index_smtp_port','25','smtp port used for notification ')");
SQLS.append(",('integration_notification_disableenvironment_body','Hello to all.<br><br>Use of environment %ENV% for country %COUNTRY% with Sprint %BUILD% (Revision %REVISION%) has been disabled, either to cancel the environment or to start deploying a new Sprint/revision.<br>Please don\\'t use the VC applications until you receive further notification.<br><br>If you have any question, please contact us at [email protected]<br><br>Cumprimentos / Regards / Cordialement,<br><br>Test and Integration Team','Default Mail Body on event disableenvironment.')");
SQLS.append(",('integration_notification_disableenvironment_cc','Team <[email protected]>','Default Mail cc on event disableenvironment.')");
SQLS.append(",('integration_notification_disableenvironment_subject','[TIT] Env %ENV% for %COUNTRY% (with Sprint %BUILD% revision %REVISION%) has been disabled for Maintenance.','Default Mail Subject on event disableenvironment.')");
SQLS.append(",('integration_notification_disableenvironment_to','Team <[email protected]>','Default Mail to on event disableenvironment.')");
SQLS.append(",('integration_notification_newbuildrevision_body','Hello to all.<br><br>Sprint %BUILD% with Revisions %REVISION% is now available in %ENV%.<br>To access the corresponding application use the link:<br><a href=\"http://IP/index/?active=Y&env=%ENV%&country=%COUNTRY%\">http://IP/index/?active=Y&env=%ENV%&country=%COUNTRY%</a><br><br>%BUILDCONTENT%<br>%TESTRECAP%<br>%TESTRECAPALL%<br>If you have any problem or question, please contact us at [email protected]<br><br>Cumprimentos / Regards / Cordialement,<br><br>Test and Integration Team','Default Mail Body on event newbuildrevision.')");
SQLS.append(",('integration_notification_newbuildrevision_cc','Team <[email protected]>','Default Mail cc on event newbuildrevision.')");
SQLS.append(",('integration_notification_newbuildrevision_subject','[TIT] Sprint %BUILD% Revision %REVISION% is now ready to be used in %ENV% for %COUNTRY%.','Default Mail Subject on event newbuildrevision.')");
SQLS.append(",('integration_notification_newbuildrevision_to','Team <[email protected]>','Default Mail to on event newchain.')");
SQLS.append(",('integration_notification_newchain_body','Hello to all.<br><br>A new Chain %CHAIN% has been executed in %ENV% for your country (%COUNTRY%).<br>Please perform your necessary test following that execution.<br><br>If you have any question, please contact us at [email protected]<br><br>Cumprimentos / Regards / Cordialement.','Default Mail Body on event newchain.')");
SQLS.append(",('integration_notification_newchain_cc','Team <[email protected]>','Default Mail cc on event newchain.')");
SQLS.append(",('integration_notification_newchain_subject','[TIT] A New treatment %CHAIN% has been executed in %ENV% for %COUNTRY%.','Default Mail Subject on event newchain.')");
SQLS.append(",('integration_notification_newchain_to','Team <[email protected]>','Default Mail to on event newchain.')");
SQLS.append(",('integration_smtp_from','Team <[email protected]>','smtp from used for notification')");
SQLS.append(",('integration_smtp_host','mail.com','Smtp host used with notification')");
SQLS.append(",('integration_smtp_port','25','smtp port used for notification ')");
SQLS.append(",('jenkins_admin_password','toto','Jenkins Admin Password')");
SQLS.append(",('jenkins_admin_user','admin','Jenkins Admin Username')");
SQLS.append(",('jenkins_application_pipeline_url','http://IP:8210/view/Deploy/','Jenkins Application Pipeline URL. %APPLI% can be used to replace Application name.')");
SQLS.append(",('jenkins_deploy_pipeline_url','http://IP:8210/view/Deploy/','Jenkins Standard deploy Pipeline URL. ')");
SQLS.append(",('jenkins_deploy_url','http://IP:8210/job/STD-DEPLOY/buildWithParameters?token=buildit&DEPLOY_JOBNAME=%APPLI%&DEPLOY_BUILD=%JENKINSBUILDID%&DEPLOY_TYPE=%DEPLOYTYPE%&DEPLOY_ENV=%JENKINSAGENT%&SVN_REVISION=%RELEASE%','Link to Jenkins in order to trigger a standard deploy. %APPLI% %JENKINSBUILDID% %DEPLOYTYPE% %JENKINSAGENT% and %RELEASE% can be used.')");
SQLS.append(",('ticketing tool_bugtracking_url','http://IP/bugtracking/Lists/Bug%20Tracking/DispForm.aspx?ID=%bugid%&Source=http%3A%2F%2Fsitd_moss%2Fbugtracking%2FLists%2FBug%2520Tracking%2FAllOpenBugs.aspx','URL to SitdMoss Bug reporting screen. the following variable can be used : %bugid%.')");
SQLS.append(",('ticketing tool_newbugtracking_url','http://IP/bugtracking/Lists/Bug%20Tracking/NewForm.aspx?RootFolder=%2Fbugtracking%2FLists%2FBug%20Tracking&Source=http%3A%2F%2Fsitd_moss%2Fbugtracking%2FLists%2FBug%2520Tracking%2FAllOpenBugs.aspx','URL to SitdMoss Bug creation page.')");
SQLS.append(",('ticketing tool_ticketservice_url','http://IP/tickets/Lists/Tickets/DispForm.aspx?ID=%ticketid%','URL to SitdMoss Ticket Service page.')");
SQLS.append(",('sonar_application_dashboard_url','http://IP:8211/sonar/project/index/com.appli:%APPLI%','Sonar Application Dashboard URL. %APPLI% and %MAVENGROUPID% can be used to replace Application name.')");
SQLS.append(",('svn_application_url','http://IP/svn/SITD/%APPLI%','Link to SVN Repository. %APPLI% %TYPE% and %SYSTEM% can be used to replace Application name, type or system.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `invariant` (");
SQLS.append(" `idname` varchar(50) NOT NULL,");
SQLS.append(" `value` varchar(50) NOT NULL,");
SQLS.append(" `sort` int(10) unsigned NOT NULL,");
SQLS.append(" `id` int(10) unsigned NOT NULL,");
SQLS.append(" `description` varchar(100) NOT NULL,");
SQLS.append(" `gp1` varchar(45) DEFAULT NULL,");
SQLS.append(" `gp2` varchar(45) DEFAULT NULL,");
SQLS.append(" `gp3` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`id`,`sort`) USING BTREE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` VALUES ('STATUS','STANDBY',1,1,'Not implemented yet',NULL,NULL,NULL)");
SQLS.append(",('STATUS','IN PROGRESS',2,1,'Being implemented',NULL,NULL,NULL)");
SQLS.append(",('STATUS','TO BE IMPLEMENTED',3,1,'To be implemented',NULL,NULL,NULL)");
SQLS.append(",('STATUS','TO BE VALIDATED',4,1,'To be validated',NULL,NULL,NULL)");
SQLS.append(",('STATUS','WORKING',5,1,'Validated and Working',NULL,NULL,NULL)");
SQLS.append(",('STATUS','TO BE DELETED',6,1,'Should be deleted',NULL,NULL,NULL)");
SQLS.append(",('GROUP','COMPARATIVE',1,2,'Group of comparison tests',NULL,NULL,NULL)");
SQLS.append(",('GROUP','INTERACTIVE',2,2,'Group of interactive tests',NULL,NULL,NULL)");
SQLS.append(",('GROUP','PRIVATE',3,2,'Group of tests which not appear in Cerberus',NULL,NULL,NULL)");
SQLS.append(",('GROUP','PROCESS',4,2,'Group of tests which need a batch',NULL,NULL,NULL)");
SQLS.append(",('GROUP','MANUAL',5,2,'Group of test which cannot be automatized',NULL,NULL,NULL)");
SQLS.append(",('GROUP','',6,2,'Group of tests which are not already defined',NULL,NULL,NULL)");
SQLS.append(",('COUNTRY','BE',10,4,'Belgium','800',NULL,NULL)");
SQLS.append(",('COUNTRY','CH',11,4,'Switzerland','500',NULL,NULL)");
SQLS.append(",('COUNTRY','ES',13,4,'Spain','900',NULL,NULL)");
SQLS.append(",('COUNTRY','IT',14,4,'Italy','205',NULL,NULL)");
SQLS.append(",('COUNTRY','PT',15,4,'Portugal','200',NULL,NULL)");
SQLS.append(",('COUNTRY','RU',16,4,'Russia','240',NULL,NULL)");
SQLS.append(",('COUNTRY','UK',17,4,'Great Britan','300',NULL,NULL)");
SQLS.append(",('COUNTRY','VI',19,4,'Generic country used by .com','280',NULL,NULL)");
SQLS.append(",('COUNTRY','UA',25,4,'Ukrainia','290',NULL,NULL)");
SQLS.append(",('COUNTRY','DE',40,4,'Germany','600',NULL,NULL)");
SQLS.append(",('COUNTRY','AT',41,4,'Austria','600',NULL,NULL)");
SQLS.append(",('COUNTRY','GR',42,4,'Greece','220',NULL,NULL)");
SQLS.append(",('COUNTRY','RX',50,4,'Transversal Country used for Transversal Applications.','RBX',NULL,NULL)");
SQLS.append(",('COUNTRY','FR',60,4,'France',NULL,NULL,NULL)");
SQLS.append(",('ENVIRONMENT','DEV',0,5,'Developpement','DEV',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','CDIDEV',3,5,'Quality Assurance - Leiria','QAold',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','CDIQA',4,5,'Quality Assurance - Leiria','QAold',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA',5,5,'Quality Assurance','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA1',6,5,'Quality Assurance - Roubaix 720 (C2)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA2',7,5,'Quality Assurance - Roubaix 720 (C2)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA3',8,5,'Quality Assurance - Roubaix 720 (C2)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA4',13,5,'Quality Assurance - Roubaix 720 (C4)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA5',14,5,'Quality Assurance - Roubaix 720 (C4)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA6',23,5,'Quality Assurance - Roubaix 720 (C4)','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','QA7',24,5,'Quality Assurance - Roubaix 720 (C4)','QAold',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','UAT',30,5,'User Acceptance Test','UAT',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','PROD',50,5,'Production','PROD',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','PREPROD',60,5,'PreProduction','PROD',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','RQA',71,5,'Quality Assurance - Aubervilliers','QAold',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','PROTOPROD',72,5,'720 Production Prototype','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','PROTOUAT',73,5,'720 UAT Prototype','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','CDI',74,5,'CDI development - Roubaix 720','QA',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','RQA2',75,5,'Quality Assurance - Roubaix (v5r4)','QAold',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','UAT2',81,5,'UAT2 environment','UAT',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','UAT3',82,5,'UAT3 environment','UAT',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','UAT4',83,5,'UAT4 environment','UAT',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','UAT5',84,5,'UAT5 environment','UAT',NULL,NULL)");
SQLS.append(",('ENVIRONMENT','PROD2',90,5,'Production temporarly for new theseus','PROD',NULL,'')");
SQLS.append(",('SERVER','PRIMARY',1,6,'Primary Server',NULL,NULL,NULL)");
SQLS.append(",('SERVER','BACKUP1',2,6,'Backup 1',NULL,NULL,NULL)");
SQLS.append(",('SERVER','BACKUP2',3,6,'Backup 2',NULL,NULL,NULL)");
SQLS.append(",('SESSION','1',1,7,'Session 1',NULL,NULL,NULL)");
SQLS.append(",('SESSION','2',2,7,'Session 2',NULL,NULL,NULL)");
SQLS.append(",('SESSION','3',3,7,'Session 3',NULL,NULL,NULL)");
SQLS.append(",('SESSION','4',4,7,'Session 4',NULL,NULL,NULL)");
SQLS.append(",('SESSION','5',5,7,'Session 5',NULL,NULL,NULL)");
SQLS.append(",('SESSION','6',6,7,'Session 6',NULL,NULL,NULL)");
SQLS.append(",('SESSION','7',7,7,'Session 7',NULL,NULL,NULL)");
SQLS.append(",('SESSION','8',8,7,'Session 8',NULL,NULL,NULL)");
SQLS.append(",('SESSION','9',9,7,'Session 9',NULL,NULL,NULL)");
SQLS.append(",('SESSION','10',10,7,'Session 10',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2011B2',9,8,'2011B2',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2011B3',10,8,'2011B3',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2012B1',11,8,'2012B1',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2012S1',12,8,'2012S1',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2012S2',13,8,'2012 Sprint 02',NULL,NULL,NULL)");
SQLS.append(",('BUILD','2013S1',14,8,'2013 Sprint 01',NULL,NULL,NULL)");
SQLS.append(",('REVISION','A00',0,9,'Pre QA Revision',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R00',1,9,'R00',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R01',10,9,'R01',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R02',20,9,'R02',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R03',30,9,'R03',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R04',40,9,'R04',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R05',50,9,'R05',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R06',60,9,'R06',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R07',70,9,'R07',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R08',80,9,'R08',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R09',90,9,'R09',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R10',100,9,'R10',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R11',110,9,'R11',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R12',120,9,'R12',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R13',130,9,'R13',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R14',140,9,'R14',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R15',150,9,'R15',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R16',160,9,'R16',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R17',170,9,'R17',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R18',180,9,'R18',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R19',190,9,'R19',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R20',200,9,'R20',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R21',210,9,'R21',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R22',220,9,'R22',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R23',230,9,'R23',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R24',240,9,'R24',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R25',250,9,'R25',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R26',260,9,'R26',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R27',270,9,'R27',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R28',280,9,'R28',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R29',290,9,'R29',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R30',300,9,'R30',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R31',310,9,'R31',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R32',320,9,'R32',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R33',330,9,'R33',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R34',340,9,'R34',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R35',350,9,'R35',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R36',360,9,'R36',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R37',370,9,'R37',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R38',380,9,'R38',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R39',390,9,'R39',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R40',400,9,'R40',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R41',410,9,'R41',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R42',420,9,'R42',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R43',430,9,'R43',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R44',440,9,'R44',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R45',450,9,'R45',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R46',460,9,'R46',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R47',470,9,'R47',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R48',480,9,'R48',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R49',490,9,'R49',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R50',500,9,'R50',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R51',510,9,'R51',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R52',520,9,'R52',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R53',530,9,'R53',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R54',540,9,'R54',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R55',550,9,'R55',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R56',560,9,'R56',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R57',570,9,'R57',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R58',580,9,'R58',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R59',590,9,'R59',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R60',600,9,'R60',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R61',610,9,'R61',NULL,NULL,NULL)");
SQLS.append(",('REVISION','R62',620,9,'R62',NULL,NULL,NULL)");
SQLS.append(",('REVISION','C12',1120,9,'R12 cancelled',NULL,NULL,NULL)");
SQLS.append(",('REVISION','C13',1130,9,'R13 Cancelled',NULL,NULL,NULL)");
SQLS.append(",('ENVTYPE','STD',1,10,'Regression and evolution Standard Testing.',NULL,NULL,NULL)");
SQLS.append(",('ENVTYPE','COMPARISON',2,10,'Comparison Testing. No GUI Tests are allowed.',NULL,NULL,NULL)");
SQLS.append(",('ENVACTIVE','Y',1,11,'Active',NULL,NULL,NULL)");
SQLS.append(",('ENVACTIVE','N',2,11,'Disable',NULL,NULL,NULL)");
SQLS.append(",('ACTION','addSelection',10,12,'addSelection',NULL,NULL,NULL)");
SQLS.append(",('ACTION','calculateProperty',20,12,'calculateProperty',NULL,NULL,NULL)");
SQLS.append(",('ACTION','click',30,12,'click',NULL,NULL,NULL)");
SQLS.append(",('ACTION','clickAndWait',40,12,'clickAndWait',NULL,NULL,NULL)");
SQLS.append(",('ACTON','doubleClick',45,12,'doubleClick',NULL,NULL,NULL)");
SQLS.append(",('ACTION','enter',50,12,'enter',NULL,NULL,NULL)");
SQLS.append(",('ACTION','keypress',55,12,'keypress',NULL,NULL,NULL)");
SQLS.append(",('ACTION','openUrlWithBase',60,12,'openUrlWithBase',NULL,NULL,NULL)");
SQLS.append(",('ACTION','removeSelection',70,12,'removeSelection',NULL,NULL,NULL)");
SQLS.append(",('ACTION','select',80,12,'select',NULL,NULL,NULL)");
SQLS.append(",('ACTION','selectAndWait',90,12,'selectAndWait',NULL,NULL,NULL)");
SQLS.append(",('ACTION','store',100,12,'store',NULL,NULL,NULL)");
SQLS.append(",('ACTION','type',110,12,'type',NULL,NULL,NULL)");
SQLS.append(",('ACTION','URLLOGIN',120,12,'URLLOGIN',NULL,NULL,NULL)");
SQLS.append(",('ACTION','verifyTextPresent',130,12,'verifyTextPresent',NULL,NULL,NULL)");
SQLS.append(",('ACTION','verifyTitle',140,12,'verifyTitle',NULL,NULL,NULL)");
SQLS.append(",('ACTION','verifyValue',150,12,'verifyValue',NULL,NULL,NULL)");
SQLS.append(",('ACTION','wait',160,12,'wait',NULL,NULL,NULL)");
SQLS.append(",('ACTION','waitForPage',170,12,'waitForPage',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','PropertyIsEqualTo',10,13,'PropertyIsEqualTo',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','PropertyIsGreaterThan',12,13,'PropertyIsGreaterThan',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','PropertyIsMinorThan',14,13,'PropertyIsMinorThan',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyElementPresent',20,13,'verifyElementPresent',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyElementVisible',30,13,'verifyElementVisible',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyText',40,13,'verifyText',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyTextPresent',50,13,'verifyTextPresent',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifytitle',60,13,'verifytitle',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyurl',70,13,'verifyurl',NULL,NULL,NULL)");
SQLS.append(",('CONTROL','verifyContainText',80,13,'Verify Contain Text',NULL,NULL,NULL)");
SQLS.append(",('CHAIN','0',1,14,'0',NULL,NULL,NULL)");
SQLS.append(",('CHAIN','1',2,14,'1',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','0',1,15,'No Priority defined',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','1',2,15,'Critical Priority',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','2',3,15,'High Priority',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','3',4,15,'Mid Priority',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','4',5,15,'Low Priority',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','5',6,15,'Lower Priority or cosmetic',NULL,NULL,NULL)");
SQLS.append(",('PRIORITY','99',7,15,'99',NULL,NULL,NULL)");
SQLS.append(",('TCACTIVE','Y',1,16,'Yes',NULL,NULL,NULL)");
SQLS.append(",('TCACTIVE','N',2,16,'No',NULL,NULL,NULL)");
SQLS.append(",('TCREADONLY','N',1,17,'No',NULL,NULL,NULL)");
SQLS.append(",('TCREADONLY','Y',2,17,'Yes',NULL,NULL,NULL)");
SQLS.append(",('CTRLFATAL','Y',1,18,'Yes',NULL,NULL,NULL)");
SQLS.append(",('CTRLFATAL','N',2,18,'No',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYTYPE','SQL',1,19,'SQL Query',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYTYPE','HTML',2,19,'HTML ID Field',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYTYPE','TEXT',3,19,'Fix Text value',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYTYPE','LIB_SQL',4,19,'Using an SQL from the library',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYNATURE','STATIC',1,20,'Static',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYNATURE','RANDOM',2,20,'Random',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYNATURE','RANDOMNEW',3,20,'Random New',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','AT',1,21,'Austria',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','BE',2,21,'Belgium',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','CH',3,21,'Switzerland',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','ES',4,21,'Spain',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','GR',5,21,'Greece',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','IT',6,21,'Italy',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','PT',7,21,'Portugal',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','RU',8,21,'Russia',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','UA',9,21,'Ukrainia',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','UK',10,21,'Great Britain',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','VI',11,21,'Generic filiale',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','RX',12,21,'Roubaix',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','CDI',13,21,'CDITeam',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','TIT',14,21,'Test and Integration Team',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','DE',15,21,'Germany',NULL,NULL,NULL)");
SQLS.append(",('ORIGIN','FR',16,21,'France',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYDATABASE','VC',1,22,'VC Database',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYDATABASE','ICS',2,22,'ICSDatabase',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYDATABASE','IDW',3,22,'IDW Database',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYDATABASE','CRB',4,22,'CERBERUS Database',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYDATABASE','IRT',5,22,'IRT Database',NULL,NULL,NULL)");
SQLS.append(",('PROPERTYBAM','NBC',2,23,'Number of Orders','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','AOL',4,23,'Number of Orders in the last 10 minutes','table','sum',NULL)");
SQLS.append(",('PROPERTYBAM','API',5,23,'Number of API call in the last 10 minutes','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','APT',6,23,'Average of Duration of API call in the last 10 minutes','line','avg','1.6')");
SQLS.append(",('PROPERTYBAM','NBA',7,23,'Number of API longer than 1 second in the last 10 minutes','','sum',NULL)");
SQLS.append(",('PROPERTYBAM','APE',8,23,'Number of API Errors in the last 10 minutes','line','sum','20')");
SQLS.append(",('PROPERTYBAM','AVT',9,23,'Average of duration of a simple VCCRM scenario','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','APT',10,23,'Average of Duration of API call in the last 10 minutes','table','avg','1.6')");
SQLS.append(",('PROPERTYBAM','BAT',11,23,'Batch','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','BKP',12,23,'Backup','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','DTW',13,23,'Dataware','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','FST',14,23,'Fast Chain','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','IMG',15,23,'Selling Data File','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','MOR',16,23,'Morning Chain','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','WEB',17,23,'Product Data File','gantt',NULL,NULL)");
SQLS.append(",('PROPERTYBAM','SIZ',18,23,'Size of the homepage','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','LOG',19,23,'Web : Login Duration','line','avg','150')");
SQLS.append(",('PROPERTYBAM','SIS',20,23,'Web : Search : Total size of pages','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','NAV',21,23,'Web : Search : Duration','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','PLP',22,23,'Web : PLP Duration','line','avg','100')");
SQLS.append(",('PROPERTYBAM','PDP',23,23,'Web : PDP Duration','line','avg','150')");
SQLS.append(",('PROPERTYBAM','CHE',24,23,'Web : Checkout Duration','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','APC',25,23,'APC : API Error code 12 & 17','line','sum','50')");
SQLS.append(",('PROPERTYBAM','MTE',26,23,'Web : Megatab ELLOS Duration','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','PLD',27,23,'Web : PLP DRESSES Duration','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','OMP',28,23,'Web : Outlet-MiniPDP Duration','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','DBC',29,23,'Demand ','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','MAR',30,23,'Margin in the last 10 minutes','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','APD',31,23,'APD : API Error code 20','line','sum',NULL)");
SQLS.append(",('PROPERTYBAM','DOR',32,23,'Performance : Direct Order','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','EBP',33,23,'Performance : EBoutique Pull','line','avg',NULL)");
SQLS.append(",('PROPERTYBAM','LOH',34,23,'Web : Login Duration','LINE','AVG',NULL)");
SQLS.append(",('OUTPUTFORMAT','gui',1,24,'GUI HTLM output','','',NULL)");
SQLS.append(",('OUTPUTFORMAT','compact',2,24,'Compact single line output.',NULL,NULL,NULL)");
SQLS.append(",('OUTPUTFORMAT','verbose-txt',3,24,'Verbose key=value format.',NULL,NULL,NULL)");
SQLS.append(",('VERBOSE','0',1,25,'Minimum log','','',NULL)");
SQLS.append(",('VERBOSE','1',2,25,'Standard log','','',NULL)");
SQLS.append(",('VERBOSE','2',3,25,'Maximum log',NULL,NULL,NULL)");
SQLS.append(",('RUNQA','Y',1,26,'Test can run in QA enviroment',NULL,NULL,NULL)");
SQLS.append(",('RUNQA','N',2,26,'Test cannot run in QA enviroment',NULL,NULL,NULL)");
SQLS.append(",('RUNUAT','Y',1,27,'Test can run in UAT environment',NULL,NULL,NULL)");
SQLS.append(",('RUNUAT','N',2,27,'Test cannot run in UAT environment',NULL,NULL,NULL)");
SQLS.append(",('RUNPROD','N',1,28,'Test cannot run in PROD environment',NULL,NULL,NULL)");
SQLS.append(",('RUNPROD','Y',2,28,'Test can run in PROD environment',NULL,NULL,NULL)");
SQLS.append(",('FILTERNBDAYS','14',1,29,'14 Days (2 weeks)',NULL,NULL,NULL)");
SQLS.append(",('FILTERNBDAYS','30',2,29,'30 Days (1 month)',NULL,NULL,NULL)");
SQLS.append(",('FILTERNBDAYS','182',3,29,'182 Days (6 months)',NULL,NULL,NULL)");
SQLS.append(",('FILTERNBDAYS','365',4,29,'365 Days (1 year)',NULL,NULL,NULL)");
SQLS.append(",('PROBLEMCATEGORY','ERROR PAGES',10,30,'High amount of error pages','QUALITY',NULL,NULL)");
SQLS.append(",('PROBLEMCATEGORY','PERFORMANCE',15,30,'Performance issue','QUALITY',NULL,NULL)");
SQLS.append(",('PROBLEMCATEGORY','UNAVAILABILITY',20,30,'System Unavailable','QUALITY',NULL,NULL)");
SQLS.append(",('PROBLEMCATEGORY','CONTENT ERROR',25,30,'Content Error','QUALITY',NULL,NULL)");
SQLS.append(",('PROBLEMCATEGORY','API ERRORS',30,30,'API ERRORS',NULL,NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','HUMAN ERROR',1,31,'Problem due to wrong manipulation','PROCESS',NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','DEVELLOPMENT ERROR',2,31,'Problem with the code',NULL,NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','SERVER ERROR',3,31,'Technical issue',NULL,NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','COMMUNICATION ISSUE',4,31,'Communication',NULL,NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','PROCESS ERROR',5,31,'Problem with the process implemented','QUALITY',NULL,NULL)");
SQLS.append(",('ROOTCAUSECATEGORY','MAINTENANCE',6,31,'Application Maintenance','QUALITY',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[VC] TIT',1,32,'Tit Team','VC',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[VC] CDI',20,32,'CDITeam','VC',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[VC] QUALITY TEAM',25,32,'Quality Team','VC',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[VC] UK TEAM',26,32,'UK TEAM','VC',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[EXT] ESB',30,32,'ESB Team','EXT',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[EXT] IT FRANCE',35,32,'IT France','EXT',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[WEB] MILLENA',40,32,'Millena','WEB',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[WEB] MEMO',50,32,'Memo','WEB',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[WEB] THESEUS',60,32,'Theseus','WEB',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[WEB] STUDIO',65,32,'Studio','WEB',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] BE',70,32,'Belgium','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] CH',71,32,'Switzerland','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] ES',72,32,'Spain','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] IT',73,32,'Italy','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] PT',74,32,'Portugal','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] RU',75,32,'Russia','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] UA',76,32,'Ukrainia','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] UK',77,32,'United Kingdom','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] VI',78,32,'Generic','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[USERS] DE',79,32,'Germany','USERS',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[SUPPLIER] ATOS',80,32,'Atos','SUPPLIER',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[SUPPLIER] LINKBYNET',90,32,'Link By Net','SUPPLIER',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[SUPPLIER] TELINDUS',100,32,'Teloindus','SUPPLIER',NULL,NULL)");
SQLS.append(",('RESPONSABILITY','[SUPPLIER] EXTERNAL',101,32,'External Supplier','SUPPLIER',NULL,NULL)");
SQLS.append(",('STATUS','OPEN',1,33,'Non conformities is still in investigation',NULL,NULL,NULL)");
SQLS.append(",('STATUS','CLOSED',2,33,'Non conformity is closed',NULL,NULL,NULL)");
SQLS.append(",('SEVERITY','1',10,34,'The Most critical : Unavailability',NULL,NULL,NULL)");
SQLS.append(",('SEVERITY','2',20,34,'Bad Customer experience : Slowness or error page',NULL,NULL,NULL)");
SQLS.append(",('SEVERITY','3',30,34,'No customer impact but impact for internal resources',NULL,NULL,NULL)");
SQLS.append(",('SEVERITY','4',40,34,'Low severity',NULL,NULL,NULL)");
SQLS.append(",('TCESTATUS','OK',1,35,'Test was fully executed and no bug are to be reported.',NULL,NULL,NULL)");
SQLS.append(",('TCESTATUS','KO',2,35,'Test was executed and bug have been detected.',NULL,NULL,NULL)");
SQLS.append(",('TCESTATUS','PE',3,35,'Test execution is still running...',NULL,NULL,NULL)");
SQLS.append(",('TCESTATUS','FA',4,35,'Test could not be executed because there is a bug on the test.',NULL,NULL,NULL)");
SQLS.append(",('TCESTATUS','NA',5,35,'Test could not be executed because some test data are not available.',NULL,NULL,NULL)");
SQLS.append(",('MAXEXEC','50',1,36,'50',NULL,NULL,NULL)");
SQLS.append(",('MAXEXEC','100',2,36,'100',NULL,NULL,NULL)");
SQLS.append(",('MAXEXEC','200',3,36,'200',NULL,NULL,NULL)");
SQLS.append(",('MAXEXEC','500',4,36,'500',NULL,NULL,NULL)");
SQLS.append(",('MAXEXEC','1000',5,36,'1000',NULL,NULL,NULL);");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `tag` (");
SQLS.append(" `id` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Tag` varchar(145) NOT NULL,");
SQLS.append(" `TagDateCre` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`id`),");
SQLS.append(" UNIQUE KEY `Tag_UNIQUE` (`Tag`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `deploytype` (");
SQLS.append(" `deploytype` varchar(50) NOT NULL,");
SQLS.append(" `description` varchar(200) DEFAULT '',");
SQLS.append(" PRIMARY KEY (`deploytype`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `application` (");
SQLS.append(" `Application` varchar(45) NOT NULL,");
SQLS.append(" `description` varchar(200) DEFAULT NULL,");
SQLS.append(" `internal` varchar(1) NOT NULL COMMENT 'VC Application',");
SQLS.append(" `sort` int(11) NOT NULL,");
SQLS.append(" `type` varchar(10) DEFAULT NULL,");
SQLS.append(" `system` varchar(45) NOT NULL DEFAULT '',");
SQLS.append(" `svnurl` varchar(150) DEFAULT NULL,");
SQLS.append(" `deploytype` varchar(50) DEFAULT NULL,");
SQLS.append(" `mavengroupid` varchar(50) DEFAULT '',");
SQLS.append(" PRIMARY KEY (`Application`),");
SQLS.append(" KEY `FK_application` (`deploytype`),");
SQLS.append(" CONSTRAINT `FK_application` FOREIGN KEY (`deploytype`) REFERENCES `deploytype` (`deploytype`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `project` (");
SQLS.append(" `idproject` varchar(45) NOT NULL,");
SQLS.append(" `VCCode` varchar(20) DEFAULT NULL,");
SQLS.append(" `Description` varchar(45) DEFAULT NULL,");
SQLS.append(" `active` varchar(1) DEFAULT 'Y',");
SQLS.append(" `datecre` timestamp NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`idproject`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `batchinvariant` (");
SQLS.append(" `Batch` varchar(1) NOT NULL DEFAULT '',");
SQLS.append(" `IncIni` varchar(45) DEFAULT NULL,");
SQLS.append(" `Unit` varchar(45) DEFAULT NULL,");
SQLS.append(" `Description` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Batch`) USING BTREE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `test` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `Description` varchar(300) NOT NULL,");
SQLS.append(" `Active` varchar(1) NOT NULL,");
SQLS.append(" `Automated` varchar(1) NOT NULL,");
SQLS.append(" `TDateCrea` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`Test`),");
SQLS.append(" KEY `ix_Test_Active` (`Test`,`Active`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `application` VALUES ('Google','Google Website','N',240,'GUI','DEFAULT','',NULL,'');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `test` VALUES ('Examples','Example Tests','Y','Y','2012-06-19 09:56:06'),('Performance Monitor','Performance Monitor Tests','Y','Y','2012-06-19 09:56:06'),('Business Activity Monitor','Business Activity Monitor Tests','Y','Y','2012-06-19 09:56:06'),('Pre Testing','Preliminary Tests','Y','Y','0000-00-00 00:00:00');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcase` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Application` varchar(45) DEFAULT NULL,");
SQLS.append(" `Project` varchar(45) DEFAULT NULL,");
SQLS.append(" `Ticket` varchar(20) DEFAULT '',");
SQLS.append(" `Description` varchar(500) NOT NULL,");
SQLS.append(" `BehaviorOrValueExpected` varchar(2500) NOT NULL,");
SQLS.append(" `ReadOnly` varchar(1) DEFAULT 'N',");
SQLS.append(" `ChainNumberNeeded` int(10) unsigned DEFAULT NULL,");
SQLS.append(" `Priority` int(1) unsigned NOT NULL,");
SQLS.append(" `Status` varchar(25) NOT NULL,");
SQLS.append(" `TcActive` varchar(1) NOT NULL,");
SQLS.append(" `Group` varchar(45) DEFAULT NULL,");
SQLS.append(" `Origine` varchar(45) DEFAULT NULL,");
SQLS.append(" `RefOrigine` varchar(45) DEFAULT NULL,");
SQLS.append(" `HowTo` varchar(2500) DEFAULT NULL,");
SQLS.append(" `Comment` varchar(500) DEFAULT NULL,");
SQLS.append(" `TCDateCrea` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" `FromBuild` varchar(10) DEFAULT NULL,");
SQLS.append(" `FromRev` varchar(20) DEFAULT NULL,");
SQLS.append(" `ToBuild` varchar(10) DEFAULT NULL,");
SQLS.append(" `ToRev` varchar(20) DEFAULT NULL,");
SQLS.append(" `BugID` varchar(10) DEFAULT NULL,");
SQLS.append(" `TargetBuild` varchar(10) DEFAULT NULL,");
SQLS.append(" `TargetRev` varchar(20) DEFAULT NULL,");
SQLS.append(" `Creator` varchar(45) DEFAULT NULL,");
SQLS.append(" `Implementer` varchar(45) DEFAULT NULL,");
SQLS.append(" `LastModifier` varchar(45) DEFAULT NULL,");
SQLS.append(" `Sla` varchar(45) DEFAULT NULL,");
SQLS.append(" `activeQA` varchar(1) DEFAULT 'Y',");
SQLS.append(" `activeUAT` varchar(1) DEFAULT 'Y',");
SQLS.append(" `activePROD` varchar(1) DEFAULT 'N',");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`),");
SQLS.append(" KEY `Index_2` (`Group`),");
SQLS.append(" KEY `Index_3` (`Test`,`TestCase`,`Application`,`TcActive`,`Group`),");
SQLS.append(" KEY `FK_testcase_2` (`Application`),");
SQLS.append(" KEY `FK_testcase_3` (`Project`),");
SQLS.append(" CONSTRAINT `FK_testcase_1` FOREIGN KEY (`Test`) REFERENCES `test` (`Test`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_testcase_2` FOREIGN KEY (`Application`) REFERENCES `application` (`Application`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_testcase_3` FOREIGN KEY (`Project`) REFERENCES `project` (`idproject`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasecountry` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`,`Country`),");
SQLS.append(" CONSTRAINT `FK_testcasecountry_1` FOREIGN KEY (`Test`, `TestCase`) REFERENCES `testcase` (`Test`, `TestCase`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestep` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Step` int(10) unsigned NOT NULL,");
SQLS.append(" `Description` varchar(150) NOT NULL,");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`,`Step`),");
SQLS.append(" CONSTRAINT `FK_testcasestep_1` FOREIGN KEY (`Test`, `TestCase`) REFERENCES `testcase` (`Test`, `TestCase`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepbatch` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Step` varchar(45) NOT NULL,");
SQLS.append(" `Batch` varchar(1) NOT NULL DEFAULT '',");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`,`Step`,`Batch`) USING BTREE,");
SQLS.append(" KEY `fk_testcasestepbatch_1` (`Batch`),");
SQLS.append(" CONSTRAINT `FK_testcasestepbatchl_1` FOREIGN KEY (`Test`, `TestCase`) REFERENCES `testcase` (`Test`, `TestCase`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_testcasestepbatch_2` FOREIGN KEY (`Batch`) REFERENCES `batchinvariant` (`Batch`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasecountryproperties` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Property` varchar(150) NOT NULL,");
SQLS.append(" `Type` varchar(45) NOT NULL,");
SQLS.append(" `Database` varchar(45) DEFAULT NULL,");
SQLS.append(" `Value` varchar(2500) NOT NULL,");
SQLS.append(" `Length` int(10) unsigned NOT NULL,");
SQLS.append(" `RowLimit` int(10) unsigned NOT NULL,");
SQLS.append(" `Nature` varchar(45) NOT NULL,");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`,`Country`,`Property`) USING BTREE,");
SQLS.append(" CONSTRAINT `FK_testcasecountryproperties_1` FOREIGN KEY (`Test`, `TestCase`, `Country`) REFERENCES `testcasecountry` (`Test`, `TestCase`, `Country`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepaction` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Step` int(10) unsigned NOT NULL,");
SQLS.append(" `Sequence` int(10) unsigned NOT NULL,");
SQLS.append(" `Action` varchar(45) NOT NULL DEFAULT '',");
SQLS.append(" `Object` varchar(200) NOT NULL DEFAULT '',");
SQLS.append(" `Property` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Test`,`TestCase`,`Step`,`Sequence`),");
SQLS.append(" CONSTRAINT `FK_testcasestepaction_1` FOREIGN KEY (`Test`, `TestCase`, `Step`) REFERENCES `testcasestep` (`Test`, `TestCase`, `Step`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepactioncontrol` (");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Step` int(10) unsigned NOT NULL,");
SQLS.append(" `Sequence` int(10) unsigned NOT NULL,");
SQLS.append(" `Control` int(10) unsigned NOT NULL,");
SQLS.append(" `Type` varchar(200) NOT NULL DEFAULT '',");
SQLS.append(" `ControlValue` varchar(200) NOT NULL DEFAULT '',");
SQLS.append(" `ControlProperty` varchar(200) DEFAULT NULL,");
SQLS.append(" `Fatal` varchar(1) DEFAULT 'Y',");
SQLS.append(" PRIMARY KEY (`Test`,`Sequence`,`Step`,`TestCase`,`Control`) USING BTREE,");
SQLS.append(" KEY `FK_testcasestepcontrol_1` (`Test`,`TestCase`,`Step`,`Sequence`),");
SQLS.append(" CONSTRAINT `FK_testcasestepcontrol_1` FOREIGN KEY (`Test`, `TestCase`, `Step`, `Sequence`) REFERENCES `testcasestepaction` (`Test`, `TestCase`, `Step`, `Sequence`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `sqllibrary` (");
SQLS.append(" `Type` varchar(45) NOT NULL,");
SQLS.append(" `Name` varchar(45) NOT NULL,");
SQLS.append(" `Script` varchar(2500) NOT NULL,");
SQLS.append(" `Description` varchar(1000) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Name`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `countryenvparam` (");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `Build` varchar(10) DEFAULT NULL,");
SQLS.append(" `Revision` varchar(20) DEFAULT NULL,");
SQLS.append(" `Chain` varchar(20) DEFAULT NULL,");
SQLS.append(" `DistribList` text,");
SQLS.append(" `EMailBodyRevision` text,");
SQLS.append(" `Type` varchar(20) DEFAULT NULL,");
SQLS.append(" `EMailBodyChain` text,");
SQLS.append(" `EMailBodyDisableEnvironment` text,");
SQLS.append(" `active` varchar(1) NOT NULL DEFAULT 'N',");
SQLS.append(" `maintenanceact` varchar(1) DEFAULT 'N',");
SQLS.append(" `maintenancestr` time DEFAULT NULL,");
SQLS.append(" `maintenanceend` time DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Country`,`Environment`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `countryenvironmentparameters` (");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `Application` varchar(45) NOT NULL,");
SQLS.append(" `IP` varchar(45) NOT NULL,");
SQLS.append(" `URL` varchar(150) NOT NULL,");
SQLS.append(" `URLLOGIN` varchar(150) DEFAULT NULL,");
SQLS.append(" `JdbcUser` varchar(45) DEFAULT NULL,");
SQLS.append(" `JdbcPass` varchar(45) DEFAULT NULL,");
SQLS.append(" `JdbcIP` varchar(45) DEFAULT NULL,");
SQLS.append(" `JdbcPort` int(10) unsigned DEFAULT NULL,");
SQLS.append(" `as400LIB` varchar(10) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`Country`,`Environment`,`Application`),");
SQLS.append(" KEY `FK_countryenvironmentparameters_1` (`Country`,`Environment`),");
SQLS.append(" KEY `FK_countryenvironmentparameters_3` (`Application`),");
SQLS.append(" CONSTRAINT `FK_countryenvironmentparameters_1` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_countryenvironmentparameters_3` FOREIGN KEY (`Application`) REFERENCES `application` (`Application`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `countryenvironmentdatabase` (");
SQLS.append(" `Database` varchar(45) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `ConnectionPoolName` varchar(25) NOT NULL,");
SQLS.append(" PRIMARY KEY (`Database`,`Environment`,`Country`),");
SQLS.append(" KEY `FK_countryenvironmentdatabase_1` (`Country`,`Environment`),");
SQLS.append(" CONSTRAINT `FK_countryenvironmentdatabase_1` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `host` (");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Session` varchar(20) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `Server` varchar(20) NOT NULL,");
SQLS.append(" `host` varchar(20) DEFAULT NULL,");
SQLS.append(" `secure` varchar(1) DEFAULT 'N',");
SQLS.append(" `port` varchar(20) DEFAULT NULL,");
SQLS.append(" `active` varchar(1) DEFAULT 'Y',");
SQLS.append(" PRIMARY KEY (`Country`,`Session`,`Environment`,`Server`) USING BTREE,");
SQLS.append(" KEY `FK_host_1` (`Country`,`Environment`),");
SQLS.append(" CONSTRAINT `FK_host_1` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `countryenvparam_log` (");
SQLS.append(" `id` int(10) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `Build` varchar(10) DEFAULT NULL,");
SQLS.append(" `Revision` varchar(20) DEFAULT NULL,");
SQLS.append(" `Chain` int(10) unsigned DEFAULT NULL,");
SQLS.append(" `Description` varchar(150) DEFAULT NULL,");
SQLS.append(" `datecre` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`id`),");
SQLS.append(" KEY `ID1` (`Country`,`Environment`),");
SQLS.append(" KEY `FK_countryenvparam_log_1` (`Country`,`Environment`),");
SQLS.append(" CONSTRAINT `FK_countryenvparam_log_1` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `buildrevisionbatch` (");
SQLS.append(" `ID` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Batch` varchar(1) NOT NULL,");
SQLS.append(" `Country` varchar(2) DEFAULT NULL,");
SQLS.append(" `Build` varchar(45) DEFAULT NULL,");
SQLS.append(" `Revision` varchar(45) DEFAULT NULL,");
SQLS.append(" `Environment` varchar(45) DEFAULT NULL,");
SQLS.append(" `DateBatch` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`ID`) USING BTREE,");
SQLS.append(" KEY `FK_buildrevisionbatch_1` (`Batch`),");
SQLS.append(" KEY `FK_buildrevisionbatch_2` (`Country`,`Environment`),");
SQLS.append(" CONSTRAINT `FK_buildrevisionbatch_1` FOREIGN KEY (`Batch`) REFERENCES `batchinvariant` (`Batch`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_buildrevisionbatch_2` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `buildrevisionparameters` (");
SQLS.append(" `ID` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Build` varchar(10) DEFAULT NULL,");
SQLS.append(" `Revision` varchar(20) DEFAULT NULL,");
SQLS.append(" `Release` varchar(40) DEFAULT NULL,");
SQLS.append(" `Application` varchar(45) DEFAULT NULL,");
SQLS.append(" `Project` varchar(45) DEFAULT '',");
SQLS.append(" `TicketIDFixed` varchar(45) DEFAULT '',");
SQLS.append(" `BugIDFixed` varchar(45) DEFAULT '',");
SQLS.append(" `Link` varchar(300) DEFAULT '',");
SQLS.append(" `ReleaseOwner` varchar(100) NOT NULL DEFAULT '',");
SQLS.append(" `Subject` varchar(1000) DEFAULT '',");
SQLS.append(" `datecre` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" `jenkinsbuildid` varchar(200) DEFAULT '',");
SQLS.append(" `mavengroupid` varchar(200) DEFAULT '',");
SQLS.append(" `mavenartifactid` varchar(200) DEFAULT '',");
SQLS.append(" `mavenversion` varchar(200) DEFAULT '',");
SQLS.append(" PRIMARY KEY (`ID`),");
SQLS.append(" KEY `FK1` (`Application`),");
SQLS.append(" CONSTRAINT `FK1` FOREIGN KEY (`Application`) REFERENCES `application` (`Application`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `logevent` (");
SQLS.append(" `LogEventID` int(10) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `UserID` int(10) unsigned NOT NULL,");
SQLS.append(" `Time` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,");
SQLS.append(" `Page` varchar(25) DEFAULT NULL,");
SQLS.append(" `Action` varchar(50) DEFAULT NULL,");
SQLS.append(" `Log` varchar(500) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`LogEventID`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `logeventchange` (");
SQLS.append(" `LogEventChangeID` int(10) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `LogEventID` int(10) unsigned NOT NULL,");
SQLS.append(" `LogTable` varchar(50) DEFAULT NULL,");
SQLS.append(" `LogBefore` varchar(5000) DEFAULT NULL,");
SQLS.append(" `LogAfter` varchar(5000) DEFAULT NULL,");
SQLS.append(" `datecre` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" PRIMARY KEY (`LogEventChangeID`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcaseexecution` (");
SQLS.append(" `ID` bigint(20) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Test` varchar(45) NOT NULL,");
SQLS.append(" `TestCase` varchar(45) NOT NULL,");
SQLS.append(" `Build` varchar(10) DEFAULT NULL,");
SQLS.append(" `Revision` varchar(5) DEFAULT NULL,");
SQLS.append(" `Environment` varchar(45) DEFAULT NULL,");
SQLS.append(" `Country` varchar(2) DEFAULT NULL,");
SQLS.append(" `Browser` varchar(20) DEFAULT NULL,");
SQLS.append(" `Start` timestamp NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" `End` timestamp NULL DEFAULT '0000-00-00 00:00:00',");
SQLS.append(" `ControlStatus` varchar(2) DEFAULT NULL,");
SQLS.append(" `Application` varchar(45) DEFAULT NULL,");
SQLS.append(" `IP` varchar(45) DEFAULT NULL,");
SQLS.append(" `URL` varchar(150) DEFAULT NULL,");
SQLS.append(" `Port` varchar(45) DEFAULT NULL,");
SQLS.append(" `Tag` varchar(50) DEFAULT NULL,");
SQLS.append(" `Finished` varchar(1) DEFAULT NULL,");
SQLS.append(" `Verbose` varchar(1) DEFAULT NULL,");
SQLS.append(" `Status` varchar(25) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`),");
SQLS.append(" KEY `FK_TestCaseExecution_1` (`Test`,`TestCase`),");
SQLS.append(" KEY `fk_testcaseexecution_2` (`Tag`),");
SQLS.append(" KEY `index_1` (`Start`),");
SQLS.append(" KEY `IX_test_testcase_country` (`Test`,`TestCase`,`Country`,`Start`,`ControlStatus`),");
SQLS.append(" KEY `index_buildrev` (`Build`,`Revision`),");
SQLS.append(" KEY `FK_testcaseexecution_3` (`Application`),");
SQLS.append(" KEY `fk_test` (`Test`),");
SQLS.append(" KEY `ix_TestcaseExecution` (`Test`,`TestCase`,`Build`,`Revision`,`Environment`,`Country`,`ID`),");
SQLS.append(" CONSTRAINT `FK_testcaseexecution_1` FOREIGN KEY (`Test`, `TestCase`) REFERENCES `testcase` (`Test`, `TestCase`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_testcaseexecution_3` FOREIGN KEY (`Application`) REFERENCES `application` (`Application`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcaseexecutiondata` (");
SQLS.append(" `ID` bigint(20) unsigned NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Property` varchar(150) NOT NULL,");
SQLS.append(" `Value` varchar(150) NOT NULL,");
SQLS.append(" `Type` varchar(200) DEFAULT NULL,");
SQLS.append(" `Object` varchar(2500) DEFAULT NULL,");
SQLS.append(" `RC` varchar(10) DEFAULT NULL,");
SQLS.append(" `Start` timestamp NULL DEFAULT NULL,");
SQLS.append(" `End` timestamp NULL DEFAULT NULL,");
SQLS.append(" `StartLong` bigint(20) DEFAULT NULL,");
SQLS.append(" `EndLong` bigint(20) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`,`Property`),");
SQLS.append(" KEY `propertystart` (`Property`,`Start`),");
SQLS.append(" KEY `index_1` (`Start`),");
SQLS.append(" CONSTRAINT `FK_TestCaseExecutionData_1` FOREIGN KEY (`ID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcaseexecutionwwwdet` (");
SQLS.append(" `ID` bigint(20) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `ExecID` bigint(20) unsigned NOT NULL,");
SQLS.append(" `Start` varchar(45) DEFAULT NULL,");
SQLS.append(" `url` varchar(500) DEFAULT NULL,");
SQLS.append(" `End` varchar(45) DEFAULT NULL,");
SQLS.append(" `ext` varchar(10) DEFAULT NULL,");
SQLS.append(" `statusCode` int(11) DEFAULT NULL,");
SQLS.append(" `method` varchar(10) DEFAULT NULL,");
SQLS.append(" `bytes` int(11) DEFAULT NULL,");
SQLS.append(" `timeInMillis` int(11) DEFAULT NULL,");
SQLS.append(" `ReqHeader_Host` varchar(45) DEFAULT NULL,");
SQLS.append(" `ResHeader_ContentType` varchar(45) DEFAULT NULL,");
SQLS.append(" `ReqPage` varchar(500) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`),");
SQLS.append(" KEY `FK_testcaseexecutionwwwdet_1` (`ExecID`),");
SQLS.append(" CONSTRAINT `FK_testcaseexecutionwwwdet_1` FOREIGN KEY (`ExecID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcaseexecutionwwwsum` (");
SQLS.append(" `ID` bigint(20) unsigned NOT NULL,");
SQLS.append(" `tot_nbhits` int(11) DEFAULT NULL,");
SQLS.append(" `tot_tps` int(11) DEFAULT NULL,");
SQLS.append(" `tot_size` int(11) DEFAULT NULL,");
SQLS.append(" `nb_rc2xx` int(11) DEFAULT NULL,");
SQLS.append(" `nb_rc3xx` int(11) DEFAULT NULL,");
SQLS.append(" `nb_rc4xx` int(11) DEFAULT NULL,");
SQLS.append(" `nb_rc5xx` int(11) DEFAULT NULL,");
SQLS.append(" `img_nb` int(11) DEFAULT NULL,");
SQLS.append(" `img_tps` int(11) DEFAULT NULL,");
SQLS.append(" `img_size_tot` int(11) DEFAULT NULL,");
SQLS.append(" `img_size_max` int(11) DEFAULT NULL,");
SQLS.append(" `js_nb` int(11) DEFAULT NULL,");
SQLS.append(" `js_tps` int(11) DEFAULT NULL,");
SQLS.append(" `js_size_tot` int(11) DEFAULT NULL,");
SQLS.append(" `js_size_max` int(11) DEFAULT NULL,");
SQLS.append(" `css_nb` int(11) DEFAULT NULL,");
SQLS.append(" `css_tps` int(11) DEFAULT NULL,");
SQLS.append(" `css_size_tot` int(11) DEFAULT NULL,");
SQLS.append(" `css_size_max` int(11) DEFAULT NULL,");
SQLS.append(" `img_size_max_url` varchar(500) DEFAULT NULL,");
SQLS.append(" `js_size_max_url` varchar(500) DEFAULT NULL,");
SQLS.append(" `css_size_max_url` varchar(500) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`),");
SQLS.append(" KEY `FK_testcaseexecutionwwwsum_1` (`ID`),");
SQLS.append(" CONSTRAINT `FK_testcaseexecutionwwwsum_1` FOREIGN KEY (`ID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepactionexecution` (");
SQLS.append(" `ID` bigint(20) NOT NULL,");
SQLS.append(" `Step` int(10) NOT NULL,");
SQLS.append(" `Sequence` int(10) NOT NULL,");
SQLS.append(" `Action` varchar(45) NOT NULL,");
SQLS.append(" `Object` varchar(200) DEFAULT NULL,");
SQLS.append(" `Property` varchar(45) DEFAULT NULL,");
SQLS.append(" `Start` timestamp NULL DEFAULT NULL,");
SQLS.append(" `End` timestamp NULL DEFAULT NULL,");
SQLS.append(" `StartLong` bigint(20) DEFAULT NULL,");
SQLS.append(" `EndLong` bigint(20) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`,`Step`,`Sequence`,`Action`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepexecution` (");
SQLS.append(" `ID` bigint(20) unsigned NOT NULL,");
SQLS.append(" `Step` int(10) unsigned NOT NULL,");
SQLS.append(" `BatNumExe` varchar(45) DEFAULT NULL,");
SQLS.append(" `Start` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,");
SQLS.append(" `End` timestamp NOT NULL DEFAULT '0000-00-00 00:00:00',");
SQLS.append(" `FullStart` bigint(20) unsigned DEFAULT NULL,");
SQLS.append(" `FullEnd` bigint(20) unsigned DEFAULT NULL,");
SQLS.append(" `TimeElapsed` decimal(10,3) DEFAULT NULL,");
SQLS.append(" `ReturnCode` varchar(2) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`,`Step`),");
SQLS.append(" CONSTRAINT `FK_testcasestepexecution_1` FOREIGN KEY (`ID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `testcasestepactioncontrolexecution` (");
SQLS.append(" `ID` bigint(20) unsigned NOT NULL,");
SQLS.append(" `Step` int(10) unsigned NOT NULL,");
SQLS.append(" `Sequence` int(10) unsigned NOT NULL,");
SQLS.append(" `Control` int(10) unsigned NOT NULL,");
SQLS.append(" `ReturnCode` varchar(2) NOT NULL,");
SQLS.append(" `ControlType` varchar(200) DEFAULT NULL,");
SQLS.append(" `ControlProperty` varchar(2500) DEFAULT NULL,");
SQLS.append(" `ControlValue` varchar(200) DEFAULT NULL,");
SQLS.append(" `Fatal` varchar(1) DEFAULT NULL,");
SQLS.append(" `Start` timestamp NULL DEFAULT NULL,");
SQLS.append(" `End` timestamp NULL DEFAULT NULL,");
SQLS.append(" `StartLong` bigint(20) DEFAULT NULL,");
SQLS.append(" `EndLong` bigint(20) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`ID`,`Step`,`Sequence`,`Control`) USING BTREE,");
SQLS.append(" CONSTRAINT `FK_testcasestepcontrolexecution_1` FOREIGN KEY (`ID`, `Step`) REFERENCES `testcasestepexecution` (`ID`, `Step`) ON DELETE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `comparisonstatusdata` (");
SQLS.append(" `idcomparisonstatusdata` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Execution_ID` bigint(20) unsigned DEFAULT NULL,");
SQLS.append(" `Property` varchar(45) DEFAULT NULL,");
SQLS.append(" `Property_A` varchar(45) DEFAULT NULL,");
SQLS.append(" `Property_B` varchar(45) DEFAULT NULL,");
SQLS.append(" `Property_C` varchar(45) DEFAULT NULL,");
SQLS.append(" `Status` varchar(45) DEFAULT NULL,");
SQLS.append(" `Comments` varchar(1000) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idcomparisonstatusdata`),");
SQLS.append(" KEY `FK_comparisonstatusdata_1` (`Execution_ID`),");
SQLS.append(" CONSTRAINT `FK_comparisonstatusdata_1` FOREIGN KEY (`Execution_ID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `comparisonstatus` (");
SQLS.append(" `idcomparisonstatus` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Execution_ID` bigint(20) unsigned DEFAULT NULL,");
SQLS.append(" `Country` varchar(2) DEFAULT NULL,");
SQLS.append(" `Environment` varchar(45) DEFAULT NULL,");
SQLS.append(" `InvoicingDate` varchar(45) DEFAULT NULL,");
SQLS.append(" `TestedChain` varchar(45) DEFAULT NULL,");
SQLS.append(" `Start` varchar(45) DEFAULT NULL,");
SQLS.append(" `End` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idcomparisonstatus`),");
SQLS.append(" KEY `FK_comparisonstatus_1` (`Execution_ID`),");
SQLS.append(" CONSTRAINT `FK_comparisonstatus_1` FOREIGN KEY (`Execution_ID`) REFERENCES `testcaseexecution` (`ID`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `project` (`idproject`, `VCCode`, `Description`, `active`) VALUES (' ', ' ', 'None', 'N');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcase` VALUES ('Examples','0001A','Google',' ','','Search for Cerberus Website','','Y',NULL,1,'WORKING','Y','INTERACTIVE','RX','','','','2012-06-19 09:56:40','','','','','','','','cerberus','cerberus','cerberus',NULL,'Y','Y','Y')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcasecountry` VALUES ('Examples','0001A','RX')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcasestep` VALUES ('Examples','0001A',1,'Search')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcasecountryproperties` VALUES ('Examples','0001A','RX','MYTEXT','text','VC','cerberus automated testing',0,0,'STATIC')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcasestepaction` VALUES ('Examples','0001A',1,10,'openUrlLogin','','')");
SQLS.append(",('Examples','0001A',1,20,'type','id=gbqfq','MYTEXT')");
SQLS.append(",('Examples','0001A',1,30,'clickAndWait','id=gbqfb','')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `testcasestepactioncontrol` VALUES ('Examples','0001A',1,30,1,'verifyTextInPage','','Welcome to Cerberus Website','Y')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` VALUES ('application','Application','','Application','')");
SQLS.append(",('application','deploytype','','Deploy Type','This correspond to the name of the Jenkins script used to deploy the application.')");
SQLS.append(",('Application','Description','','Description','Short Description of the Application')");
SQLS.append(",('Application','internal','','Internal','Define if the Application is developped internaly by CDI Team.<br>\r\nIt also define if the Application appear in the Build/Release process.<br>\r\nBuild Content can be feeded only on \\'Y\\' application.<br>\r\n\\'Y\\' Application also use host table for Access URL definition (if IP information at the application level not defined).\r\n')");
SQLS.append(",('application','mavengroupid','','Maven Group ID','')");
SQLS.append(",('application','system',' ','System','A system is a group of application for which all changes sometimes require to be done all together.<br> Most of the time those applications all connect to a database that share the same structure.')");
SQLS.append(",('Application','type','','Type','The Type of the application define whether the application is a GUI or Service or Batch.')");
SQLS.append(",('buildrevisionparameters','BugIDFixed','','BugID','This is the bug ID which has been solved with the release')");
SQLS.append(",('buildrevisionparameters','Link','','Link','This is the link to the detailed content of the release.')");
SQLS.append(",('buildrevisionparameters','Release','','Release','A Release is a single change done on VC system. It can be a new version of a JAVA Application or a set of COBOL Programs on the AS400.')");
SQLS.append(",('buildrevisionparameters','ReleaseOwner','','Owner','This is the name of the one which is responsible for the release.')");
SQLS.append(",('buildrevisionparameters','TicketIDFixed','','Ticket','This is the Ticket ID which has been delivered with the release')");
SQLS.append(",('countryenvironmentdatabase','ConnectionPoolName',' ','ConnectionPoolName','This is the name of the coonection pool used to connect to the corresponding database on thein the country en/ environment.')");
SQLS.append(",('countryenvironmentdatabase','Database',' ','Database','This is the name the database system.')");
SQLS.append(",('countryenvironmentparameters','ComEMail','',NULL,'This is the message body that is sent when an application Build/Revision update is done.\r\nThis is used together with DistribList that define the associated distribution list')");
SQLS.append(",('countryenvironmentparameters','DistribList','',NULL,'This is the list of email that receive a notification when an application Build/Revision update is done.\r\nThis is used together with ComEMail that define the associated message body')");
SQLS.append(",('countryenvironmentparameters','IP','','IP','IP and Port information used to access the application.')");
SQLS.append(",('countryenvironmentparameters','URL','','URL','Root URL used to access the application. Equivalent to context root.')");
SQLS.append(",('countryenvironmentparameters','URLLOGIN','','URLLOGIN','Path to login page.')");
SQLS.append(",('countryenvparam','active','','Active','Define if the environment is Active<br>\\'Y\\' means that the environment is active and fully available for testing.<br> \\'N\\' Means that it cannot be used.')");
SQLS.append(",('countryenvparam','chain','','Chain','Chain')");
SQLS.append(",('countryenvparam','DistribList','','Recipent list of Notification Email','This is the list of email adresses that will receive the notification on any environment event.<br><br>In case that value is not feeded, the following parameters are used (depending on the related event) :<br>integration_notification_disableenvironment_to<br>integration_notification_newbuildrevision_to<br>integration_notification_newchain_to')");
SQLS.append(",('countryenvparam','EMailBodyChain','','EMail Body on New Chain Executed Event','This is the Body of the mail that will be generated when a new Treatment has been executed on the Environment.<br><br>The following variable can be used :<br>%COUNTRY% : will be replaced by the country.<br>%ENV% : will be replaced by the environment.<br>%BUILD% : will be replaced by the Build.<br>%REVISION% : will be replaced by the Revision.<br>%CHAIN% : Will be replaced by Chain executed.<br><br>In case that value is not feeded, the following parameter is used :<br>integration_notification_newchain_body')");
SQLS.append(",('countryenvparam','EMailBodyDisableEnvironment','','EMail Body on Disable Environment Event','This is the Body of the mail that will be generated when Environment is disabled for installation purpose.<br><br>The following variable can be used :<br>%COUNTRY% : will be replaced by the country.<br>%ENV% : will be replaced by the environment.<br>%BUILD% : will be replaced by the Build.<br>%REVISION% : will be replaced by the Revision.<br><br>In case that value is not feeded, the following parameter is used :<br>integration_notification_disableenvironment_body')");
SQLS.append(",('countryenvparam','EMailBodyRevision','','EMail Body on New Build/Revision Event','This is the Body of the mail that will be generated when a new Sprint/Revision is installed on the Environment.<br><br>The following variable can be used :<br>%COUNTRY% : will be replaced by the country.<br>%ENV% : will be replaced by the environment.<br>%BUILD% : will be replaced by the Sprint.<br>%REVISION% : will be replaced by the Revision.<br>%CHAIN% : Will be replaced by Chain executed.<br>%BUILDCONTENT% : Will be replaced by the detailed content of the sprint/revision. That include the list of release of every application.<br>%TESTRECAP% : Will be replaced by a summary of tests executed for that build revision for the country<br>%TESTRECAPALL% : Will be replaced by a summary of tests executed for that build revision for all the countries<br><br>In case that value is not feeded, the following parameter is used :<br>integration_notification_newbuildrevision_body')");
SQLS.append(",('countryenvparam','Environment','','Environment','It is a list of environment on which you can run the test.<br><br>This list is automatically refreshed when choosing a testcase or a country.<br><br><b> WARNING : THE TEST FLAGGED YES CAN BE RUNNED IN PRODUCTION. </b><br><br>')");
SQLS.append(",('countryenvparam','maintenanceact','','Maintenance Activation','This is the activation flag of the daily maintenance period.<br>N --> there are no maintenance period.<br>Y --> maintenance period does exist and will be controled. Start and end times needs to be specified in that case.')");
SQLS.append(",('countryenvparam','maintenanceend','','Maintenance End Time','This is the time when the daily maintenance period end.<br>If str is before end then, any test execution request submitted between str and end will be discarded with an explicit error message that will report the maintenance period and time of the submission.<br>If str is after end then any test execution request submitted between end and str will be possible. All the overs will be discarded with an explicit error message that will report the maintenance period and time of the submission.')");
SQLS.append(",('countryenvparam','maintenancestr','','Maintenance Start Time','This is the time when the daily maintenance period start.<br>If str is before end then, any test execution request submitted between str and end will be discarded with an explicit error message that will report the maintenance period and time of the submission.<br>If str is after end then any test execution request submitted between end and str will be possible. All the overs will be discarded with an explicit error message that will report the maintenance period and time of the submission.')");
SQLS.append(",('countryenvparam','Type','','Type','The Type of the Environment Define what is the environment used for.<br>\\'STD\\' Standard Testing is allowed in the environment. \\'COMPARISON\\' Only Comparison testing is allowed. No other testing is allowed to avoid modify some data and not beeing able to analyse easilly the differences between 2 Build/Revision.')");
SQLS.append(",('countryenvparam_log','datecre','','Date & Time','')");
SQLS.append(",('countryenvparam_log','Description','','Description','')");
SQLS.append(",('homepage','Days','','Days','Number of days with this revision for this build.')");
SQLS.append(",('homepage','InProgress','','InProgress','The test is being implemented.')");
SQLS.append(",('homepage','NbAPP','','Nb Appli','Number of distinct application that has been tested.')");
SQLS.append(",('homepage','NbExecution','','Exec','Number of tests execution.')");
SQLS.append(",('homepage','NbKO','','KO','Number of execution with a result KO')");
SQLS.append(",('homepage','NbOK','','OK','Number of execution OK')");
SQLS.append(",('homepage','NbTC','','Nb TC','Number of distinct testsases executed')");
SQLS.append(",('homepage','NbTest','','Number','Number of tests recorded in the Database')");
SQLS.append(",('homepage','nb_exe_per_tc','','Exec/TC','Average number of execution per TestCase')");
SQLS.append(",('homepage','nb_tc_per_day','','Exec/TC/Day','Number of execution per testcase and per day')");
SQLS.append(",('homepage','OK_percentage','','%OK','Number of OK/ number of execution')");
SQLS.append(",('homepage','Standby','','StandBy','The test is in the database but need to be analysed to know if we have to implement it or delete it.')");
SQLS.append(",('homepage','TBI','','ToImplement','It was decided to implement this test, but nobody work on that yet.')");
SQLS.append(",('homepage','TBV','','ToValidate','The test is correctly implemented but need to be validated by the Test committee.')");
SQLS.append(",('homepage','Working','','Working','The test has been validated by the Test Committee.')");
SQLS.append(",('host','active','','active','')");
SQLS.append(",('host','host','','Host','')");
SQLS.append(",('host','port','','port','')");
SQLS.append(",('host','secure','','secure','')");
SQLS.append(",('host','Server','','Server','Either PRIMARY, BACKUP1 or BACKUP2.')");
SQLS.append(",('host','Session','','Session','')");
SQLS.append(",('invariant','build','','Sprint','Sprint')");
SQLS.append(",('invariant','environment','','Env','Environment')");
SQLS.append(",('invariant','environmentgp',' ','Env Gp','')");
SQLS.append(",('invariant','FILTERNBDAYS','','Nb Days','Number of days to Filter the history table in the integration homepage.')");
SQLS.append(",('invariant','revision','','Rev','Revision')");
SQLS.append(",('myversion','key','','Key','This is the reference of the component inside Cerberus that we want to keep track of the version.')");
SQLS.append(",('myversion','value','','Value','This is the version that correspond to the key.')");
SQLS.append(",('pagetestcase','DeleteAction','','Dlt','<b>Delete :</b>This box allow to delete an action already recorded. If you select this box, the line will be removed by clicking on save changes button.')");
SQLS.append(",('pagetestcase','DeleteControl','','Dlt','<b>Delete</b><br><br>To delete a control from the testcasestepactioncontrol table select this box and then save changes.')");
SQLS.append(",('page_buildcontent','delete','','Del','')");
SQLS.append(",('page_integrationhomepage','BuildRevision','','Last Revision','')");
SQLS.append(",('page_integrationhomepage','DEV','','DEV','Nb of DEV active Country Environment on that Specific Version.')");
SQLS.append(",('page_integrationhomepage','Jenkins','','Jenkins','Link to Jenkins Pipeline Page.')");
SQLS.append(",('page_integrationhomepage','LatestRelease','','Latest Release','')");
SQLS.append(",('page_integrationhomepage','PROD','','PROD','Nb of PROD active Country Environment on that Specific Version.')");
SQLS.append(",('page_integrationhomepage','QA','','QA','Nb of QA active Country Environment on that Specific Version.')");
SQLS.append(",('page_integrationhomepage','Sonar','','Sonar','Link to Sonar Dashboard Page.')");
SQLS.append(",('page_integrationhomepage','SVN',' ','SVN',' ')");
SQLS.append(",('page_integrationhomepage','UAT','','UAT','Nb of UAT active Country Environment on that Specific Version.')");
SQLS.append(",('page_Notification','Body','','Body','')");
SQLS.append(",('page_Notification','Cc','','Copy','')");
SQLS.append(",('page_Notification','Subject','','Subject','')");
SQLS.append(",('page_Notification','To','','To','')");
SQLS.append(",('page_testcase','BugIDLink','','Link','')");
SQLS.append(",('page_testcase','laststatus','','Last Execution Status','')");
SQLS.append(",('page_testcasesearch','text','','Text','Insert here the text that will search against the following Fields of every test case :<br>- Short Description,<br>- Detailed description / Value Expected,<br>- HowTo<br>- comment<br><br>NB : Search is case insensitive.')");
SQLS.append(",('runnerpage','Application','','Application','Application is ')");
SQLS.append(",('runnerpage','BrowserPath','','Browser Path','<b>Browser Path</b><br><br>It is the link to the browser which will be used to run the tests.<br><br><i>You can copy/paste the links bellow:</i><br><br><b>Firefox :</b>*firefox3 C:\\\\Program Files\\\\Mozilla Firefox\\\\firefox.exe<br><b>Internet Explorer :</b><br><br>')");
SQLS.append(",('runnerpage','Build','','Sprint','Name of the Build/sprint in the Format : 4 digit for the year, 1 character (S or B) and 1 digit with the number of the build/sprint')");
SQLS.append(",('runnerpage','BuildRef','','SprintRef','')");
SQLS.append(",('runnerpage','Chain','','Chain','The tests flagged chain=yes are tests which need to run a daily chain to be completed')");
SQLS.append(",('runnerpage','Country','','Country','This is the name of the country on which the property is calculated.<br> It is a 2 digit code <br><b>ES</b> : Spain <br><b>AT</b> : Austria <br><b>PT</b> : Portugal<br><b>...</b>')");
SQLS.append(",('runnerpage','Environment','','Environment','It is a list of environment on which you can run the test.<br><br>This list is automatically refreshed when choosing a testcase or a country.<br><br><b> WARNING : THE TEST FLAGGED YES CAN BE RUNNED IN PRODUCTION. </b><br><br>')");
SQLS.append(",('runnerpage','Filter','','Filter','This option enables filters or disable filters used on searching Tests / TestCases / Countries.')");
SQLS.append(",('runnerpage','LogPath','','Log Path','It is the way to the folder where the logs will be recorded.<br><br>')");
SQLS.append(",('runnerpage','outputformat','','Output Format','This is the format of the output.<br><br><b>gui</b> : output is a web page. If test can be executed, the output will redirect to the test execution detail page.<br><b>compact</b> : output is plain text in a single line. This is more convenient when the test case is executed in batch mode.<br><b>verbose-txt</b> : output is a plain text with key=value format. This is also for batch mode but when the output needs to be parsed to get detailed information.')");
SQLS.append(",('runnerpage','Priority','','Priority','Select the tests for this priority')");
SQLS.append(",('runnerpage','Project','','Project','Select a project\r\nnull : The test come from ....\r\nP.0000 : The test was created in a specific project\r\nT.00000 : The test was created linked in a ticket Number\r\n')");
SQLS.append(",('runnerpage','Read Only','','Read Only','The tests flagged -ReadOnly = No- are the tests which change something or create values into the tables.\r\nSo, the tests -ReadOnly=No- can\\'t be runned in production environment.')");
SQLS.append(",('runnerpage','Revision','','Revision','Number of the Revision')");
SQLS.append(",('runnerpage','RevisionRef','','RevisionRef','')");
SQLS.append(",('runnerpage','SeleniumServerIP','','Selenium Server IP','Selenium Server IP is the IP of the computer where the selenium server is running.<br>This also correspond to the IP where the brower will execute the test case.')");
SQLS.append(",('runnerpage','SeleniumServerPort','','Selenium Server Port','Selenium Server Port is the port which will be used to run the test. It could be between 5555 and 5575')");
SQLS.append(",('runnerpage','Tag','','Tag','The Tag is just a string that will be recorded with the test case execution and will help to find it back.')");
SQLS.append(",('runnerpage','Test','','Test','A <b><i>test</i></b> is a family of <i><b>testcases</i></b>. The <i><b>test</i></b> groups all <i><b>test cases</i></b> by functionnality.<br><br>')");
SQLS.append(",('runnerpage','TestCase','','Test Case','A test case is a scenario of test.')");
SQLS.append(",('runnerpage','TestCaseActive','','TCActive','Tc Active = yes means the test case can be executed.')");
SQLS.append(",('runnerpage','TestParameters','','Test Parameters','Select the parameters to filter the test you want to run.\r\nAfter you have selected all the parameters, click on the filtre button.')");
SQLS.append(",('runnerpage','Tests','','Tests','Select one test, test case and country')");
SQLS.append(",('runnerpage','ToolParameters','','Tool Parameters','Configuration of Selenium Server')");
SQLS.append(",('runnerpage','verbose','','Verbose Level','This correspond to the level if information that Cerberus will keep when performing the test.<br><b>0</b> : The test will keep minimum login information in order to preserve the response times. This is to be used when a massive amout of tests are performed. No snapshot and no details on action will be taken.<br><b>1</b> : This is the standard level of log. Snapshots will be taken and detailed action execution will also be stored.<br><b>2</b> : This is the highest level of detailed information that can be chosen. Detailed web traffic information will be stored. This is to be used only on very specific cases where all hits information of an execution are required.')");
SQLS.append(",('shared','Delete','','Del','Delete this')");
SQLS.append(",('test','Active','','Active','Active Test')");
SQLS.append(",('test','Active1','','Active1','Active If test is active or not')");
SQLS.append(",('test','Automated','','Automated','<b> Automated Test </b> If the test is automated or not.')");
SQLS.append(",('test','Delete','','Dlt','')");
SQLS.append(",('test','Description','','Test Description','<b>Test Description</b><br><br>It is the description of the family of tests.<br><br>')");
SQLS.append(",('test','Test','','Test','<b>Test</b><br><br>A <i>test</i> is a family of <i>testcases</i>. The <i>test</i> groups all <i>test cases</i> by functionnality.<br><br>')");
SQLS.append(",('testcase','activePROD','','Active PROD','Whether the test case can be executed in PROD environments.')");
SQLS.append(",('testcase','activeQA','','Active QA','Whether the test case can be executed in QA environments.')");
SQLS.append(",('testcase','activeUAT','','Active UAT','Whether the test case can be executed in UAT environments.')");
SQLS.append(",('testcase','Application','','Application','<b>Application</b><br><br>This field will define the <i>application</i> where the testcase will run. \r\nIt could be :\r\nVCCRM\r\nMLNA_RDT\r\nMEMO_RDT\r\nMEMO_VBA\r\nMEMO_DAX\r\nTHES_OSP\r\nTHES_ELL<br><br>')");
SQLS.append(",('testcase','BehaviorOrValueExpected','','Detailed Description / Value Expected','<b>Behavior</b><br><br>It is a synthetic description of what we expect from the test.<br><br>')");
SQLS.append(",('testcase','BugID','','Bug ID','This is the ID of the bug in ticketing tool that will fix the pending KO.')");
SQLS.append(",('testcase','chain','','Chain','The tests flagged chain=yes are tests which need to run a daily chain to be completed')");
SQLS.append(",('testcase','Comment','','Comment','Place to add any interesting comment about the test')");
SQLS.append(",('testcase','country','','Country','This is the name of the country on which the property is calculated.<br> It is a 2 digit code <br><b>ES</b> : Spain <br><b>AT</b> : Austria <br><b>PT</b> : Portugal<br><b>...</b>')");
SQLS.append(",('testcase','Creator','','Creator','This is the name of the people which created the testcase.')");
SQLS.append(",('testcase','Description','','TestCase Short Description','<b>Test Case Description</b><br><br>It is a synthetic description of what the test do.<br><br>')");
SQLS.append(",('testcase','FromBuild',' ','From Sprint',' ')");
SQLS.append(",('testcase','FromRev',' ','From Rev',' ')");
SQLS.append(",('testcase','Group','','Group','<b>Group</b><br><br>The <i>group</i> is a property of a test case and is composed of :\r\n<b>PRIVATE :</b> The test case exist for technical reason and will never appear on the reporting area. ie systematic login testcases for one application.\r\n<b>PROCESS :</b> The testcase is realited to specific process and needs some intermediat batch treatment to be fully executed.\r\n<b>INTERACTIVE : </b>Unit Interactive test that can be performed at once.\r\n<b>DATACOMPARAISON : </b>Tests that compare the results of 2 batch executions.<br><br>')");
SQLS.append(",('testcase','HowTo','','How To','How to use this test ( please fix me )')");
SQLS.append(",('testcase','Implementer','','Implementer','This is the name of the people which implemented the testcase.')");
SQLS.append(",('testcase','LastModifier','','LastModifier','This is the name of the people which made the last change on the testcase.')");
SQLS.append(",('testcase','Origine',' ','Origin','This is the country or the team which iddentified the scenario of the testcase.')");
SQLS.append(",('testcase','Priority','','Prio','<b>Priority</b><br><br>It is the <i>priority</i> of the functionnality which is tested. It go from 1 for a critical functionality to 4 for a functionality less important')");
SQLS.append(",('testcase','Project','','Prj','<b>Project</b><br><br>the <i>project </i> field is the number of the project or the ticket which provided the implementation a the test. This field is formated like this: \r\n<b>null </b>: The test don\\'t come from a project nor a ticket\r\n<b>P.1234</b> : The test was created linked in the project 1234\r\n<b>T.12345 </b>: The test was created linked in the ticket 12345<br><br>')");
SQLS.append(",('testcase','ReadOnly','','R.O','<b>Read Only</b><br><br>The <i>ReadOnly</i> field differenciate the tests which only consults tables from the tests which create values into the tables.\r\nPut -Yes- only if the test only consults table and -No- if the test write something into the database.\r\n<b> WARNING : THE TEST FLAGGED YES CAN BE RUNNED IN PRODUCTION. </b><br><br>')");
SQLS.append(",('testcase','RefOrigine',' ','RefOrigin','This is the external reference of the test when coming from outside.')");
SQLS.append(",('testcase','RunPROD','runprod','Run PROD','Can the Test run in PROD environment?')");
SQLS.append(",('testcase','RunQA','runqa','Run QA','Can the Test run in QA environment?')");
SQLS.append(",('testcase','RunUAT','runuat','Run UAT','Can the Test run in UAT environment?')");
SQLS.append(",('testcase','Status','','Status','<b>Status</b><br><br>It is the workflow used to follow the implementation of the tests. It could be :<br><b>STANDBY</b>: The test is in the database but need to be analysed to know if we have to implement it or delete it.<br><b>TO BE IMPLEMENTED</b>: We decide to implement this test, but nobody work on that yet.<br><b>IN PROGRESS</b>: The test is being implemented.<br><b>TO BE VALIDATED</b>: The test is correctly implemented but need to be validated by the Test committee.<br><b>WORKING</b>: The test has been validated by the Test Committee.<br><b>CANCELED</b>The test have been canceled because it is useless for the moment.<br><b>TO BE DELETED</b>: The test will be deleted after the validation of test committee.<br><br>')");
SQLS.append(",('testcase','TargetBuild','','Target Sprint','This is the Target Sprint that should fix the bug. Until we reach that Sprint, the test execution will be discarded.')");
SQLS.append(",('testcase','TargetRev','','Target Rev','This is the Revision that should fix the bug. Until we reach that Revision, the test execution will be discarded.')");
SQLS.append(",('testcase','TcActive','','Act','Tc Active is a field which define if the test can be considerate as activated or not.')");
SQLS.append(",('testcase','Test','','Test','A <b><i>test</i></b> is a family of <i><b>testcases</i></b>. The <i><b>test</i></b> groups all <i><b>test cases</i></b> by functionnality.<br><br>')");
SQLS.append(",('testcase','TestCase','','Testcase','Subdivision of a test that represent a specific scenario.\r\nStandard to apply : \r\nXXXA.A\r\nWhere\r\nXXX : TestCase Number.\r\nA : Same TestCase but differents input/controls\r\nA : Application letter follwing the list :\r\n\r\nA - VCCRM\r\nB - MLNA RDT\r\nC - MEMO RDT\r\nD - MEMO VBA\r\nE - MEMO DAX\r\nF - THES OSP\r\nG - THES ELL')");
SQLS.append(",('testcase','ticket','','Ticket','The is the Ticket Number that provided the implementation of the test.')");
SQLS.append(",('testcase','ToBuild',' ','To Sprint',' ')");
SQLS.append(",('testcase','ToRev',' ','To Rev',' ')");
SQLS.append(",('testcase','ValueExpected','','Detailed Description / Value Expected','The Value that this test should return. The results that this test should produce')");
SQLS.append(",('testcasecountryproperties','Country','','Country','This is the name of the country on which the property is calculated.<br> It is a 2 digit code <br><b>ES</b> : Spain <br><b>AT</b> : Austria <br><b>PT</b> : Portugal<br><b>...</b>')");
SQLS.append(",('testcasecountryproperties','Database','','DTB','Database where the SQL will be executed')");
SQLS.append(",('testcasecountryproperties','Delete','','Dlt','<b>Delete</b><br><br> To delete a property, select this box and then save changes.<br><br>')");
SQLS.append(",('testcasecountryproperties','Length','','Length','<b>Lenght</b><br><br> It is the length of a generated random text. <br><br>This field will be used only with the type TEXT and the nature RANDOM or RANDOMNEW.<br><br>')");
SQLS.append(",('testcasecountryproperties','Nature','','Nature','Nature is the parameter which define the unicity of the property for this testcase in this environment for this build<br><br>It could be :<br><br><param>STATIC :</param> When the property used could/must be the same for all the executions<br><br><dd><u><i>For example:</i></u> <br><br><dd><u>- A strong text : </u><br><dd><i>Type =</i> TEXT, <i>Value =</i> Strong text and <i>Nature =</i> STATIC<br><br><dd><u>- A SQL which return only one value :</u><br><dd><i>Type =</i> SQL, <i>Value =</i> SELECT pass FROM mytable WHERE login = <q>%LOGIN%</q> ...and <i>Nature =</i> STATIC<br><br><dd><u>- A value stored from the web application:</u><br><dd><i>Type =</i> HTML, <i>Value =</i> Disponibilidade:infoSubview:tableArtigos:0:mensagemErro and <i>Nature =</i> STATIC<br><br><br><b>RANDOM :</b> When the property used should be different.<br><br><dd><u><i>For example:</i></u> <br><br><dd><u>- A random text generated : </u><br><dd><i>Type =</i> TEXT, <i>Value =</i> and <i>Nature =</i> RANDOM<br><br><dd><u>- A SQL which return a random value :</u><br><dd><i>Type =</i> SQL, <i>Value =</i> SELECT login FROM mytable ...and <i>Nature =</i> RANDOM<br><br><br><b>RANDOMNEW : </b>When the property must be unique for each execution.<br><br><dd><u><i>For example:</i></u> <br><br><dd><u>- A random and unique text generated : </u><br><dd><i>Type =</i> TEXT, <i>Value =</i> and <i>Nature =</i> RANDOMNEW<br><br><dd><u>- A SQL which return a random value which have to be new in each execution:</u><br><dd><i>Type =</i> SQL, <i>Value =</i> SELECT login FROM mytable FETCH FIRST 10 ROWS ONLY, <i>RowLimit =</i> 10 and <i>Nature =</i> RANDOMNEW<br><br><br><i>Remarks : The RANDOMNEW will guarantee the unicity during a Build. </i><br><br>\r\n')");
SQLS.append(",('testcasecountryproperties','Nature','RANDOM',NULL,'<b>Nature = RANDOM</b><br><br> ')");
SQLS.append(",('testcasecountryproperties','Nature','RANDOMNEW',NULL,'<b>Nature = RANDOMNEW</b><br><br>')");
SQLS.append(",('testcasecountryproperties','Nature','STATIC',NULL,'<b>Nature = STATIC</b><br><br>Could be used for : <br><br>- A strong text : <br>Type = TEXT, Value = Strong text and Nature = STATIC<br><br>- A SQL which return only one value :<br>Type = SQL, Value = SELECT pass FROM mytable WHERE login = ...and Nature = STATIC<br><br>- A value stored from the web application:<br>Type = HTML, Value = Disponibilidade:infoSubview:tableArtigos:0:mensagemErro and Nature = STATIC<br><br>')");
SQLS.append(",('testcasecountryproperties','Property','','Property','This is the id key of the property to be used in one action.')");
SQLS.append(",('testcasecountryproperties','RowLimit','','RowLimit','The limit of rows that that will be used for random purposes. If a value is specified in this field, a random value will be selected using this number to limit the possible random values. So if for example, in 100 possible random values if rowLimit is 50, only the 50 first values will be accounted for random. Specify the maximum number of values return by an SQL. If the number is bigger than 0, will add </br> Fetch first %RowLimit% only </br> to the SQL.Specify the maximum number of values return by an SQL. If the number is bigger than 0, will add </br> Fetch first %RowLimit% only</br>to the SQL.')");
SQLS.append(",('testcasecountryproperties','Type','','Type','<b>Type</b><br><br>It is the type of command which will be used to calculate the property. <br><br>It could be : <br><b>SQL :</b> SQL Query on the DB2 Database. <br><br><i>Example</i> : SELECT login FROM mytable WHERE codsoc=1....FETCH FIRST 10 ROWS ONLY.<br></t>Length : NA <br><TAB>Row Limit : 10 <br> Nature : STATIC or RANDOM or RANDOMNEW')");
SQLS.append(",('testcasecountryproperties','Type','HTML','','Function : </br> Use HTML to take a value from webpage. </br> Value : the html ID that has the value to be fetched </br> Length : NA </br> Row Limit : NA </br> Nature : STATIC')");
SQLS.append(",('testcasecountryproperties','Type','SQL','','Function : Run an SQL Query on the DB2 Database. <br> Value : The SQL to be executed on the DB2 Database. </br> Length : NA </br> Row Limit : Number of values to fetch from the SQL query. </br>Nature : STATIC or RANDOM or RANDOMNEW')");
SQLS.append(",('testcasecountryproperties','Type','TEXT','','Function : Use TEXT to use the text specified. </br> Value : Text specified in this field. </br> Length : Size of the generated text by random ( to be used with RANDOM or RANDOMNEW ). </br> Row Limit : NA </br> Nature : RANDOM or RANDOMNEW or STATIC')");
SQLS.append(",('testcasecountryproperties','Value','','Value','Function : The value of the property')");
SQLS.append(",('testcaseexecution','Browser','','Browser','The browser used to run the test, if it was a Selenium Test')");
SQLS.append(",('testcaseexecution','Build','','Sprint','Name of the Build/sprint in the Format : 4 digit for the year, 1 character (S or B) and 1 digit with the number of the build/sprint')");
SQLS.append(",('testcaseexecution','controlstatus','','RC','This is the return code of the Execution.<br><br>It can take the following values :<br><b>OK</b> : The test has been executed and everything happened as expected.<br><b>KO</b> : The test has been executed and reported an error that will create a bug<br><b>NA</b> : The test has been executed but some data to perform the test could not be collected (SQL returning empty resultset) or there were an error inside the test such as an SQL error.<br><b>PE</b> : The execution is still running and not finished yet or has been interupted.')");
SQLS.append(",('testcaseexecution','end',' ','End',' ')");
SQLS.append(",('testcaseexecution','id',' ','Execution ID',' ')");
SQLS.append(",('testcaseexecution','IP','','IP','This is the ip of the machine of the Selenium Server where the test executed.')");
SQLS.append(",('testcaseexecution','Port','','Port','This is the port used to contact the Selenium Server where the test executed.')");
SQLS.append(",('testcaseexecution','Revision','','Revision','Number of the Revision')");
SQLS.append(",('testcaseexecution','start',' ','Start',' ')");
SQLS.append(",('testcaseexecution','URL',' ','URL',' ')");
SQLS.append(",('testcaseexecutiondata','Value',' ','Property Value','This is the Value of the calculated Property.')");
SQLS.append(",('testcaseexecutionwwwsum','css_nb','','Css_nb','Number of css downloaded for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','css_size_max','','Css_size_max','Size of the biggest css dowloaded during the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','css_size_tot','','Css_size_tot','Total size of the css for the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','css_tps','','Css_tps','Cumulated time for download css for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','img_nb','','Img_nb','Number of pictures downloaded for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','img_size_max','','Img_size_max','Size of the biggest Picture dowloaded during the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','img_size_tot','','Img_size_tot','Total size of the Pictures for the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','img_tps','','Img_tps','Cumulated time for download pictures for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','js_nb','','Js_nb','Number of javascript downloaded for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','js_size_max','','Js_size_max','Size of the biggest javascript dowloaded during the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','js_size_tot','','Js_size_tot','Total size of the javascript for the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','js_tps','','Js_tps','Cumulated time for download javascripts for all the scenario')");
SQLS.append(",('testcaseexecutionwwwsum','nb_rc2xx','','Nb_rc2xx','Number of return code between 200 and 300')");
SQLS.append(",('testcaseexecutionwwwsum','nb_rc3xx','','Nb_rc3xx','Number of return code between 300 and 400')");
SQLS.append(",('testcaseexecutionwwwsum','nb_rc4xx','','Nb_rc4xx','Number of return code between 400 and 500')");
SQLS.append(",('testcaseexecutionwwwsum','nb_rc5xx','','Nb_rc5xx','Number of return codeup to 500')");
SQLS.append(",('testcaseexecutionwwwsum','tot_nbhits','','Tot_nbhits','Total number of hits of a scenario')");
SQLS.append(",('testcaseexecutionwwwsum','tot_size','','Tot_size','Total size of all the elements')");
SQLS.append(",('testcaseexecutionwwwsum','tot_tps','','Tot_tps','Total time cumulated for the download of all the elements')");
SQLS.append(",('testcasestep','Chain','','chain','')");
SQLS.append(",('testcasestep','step',' ','Step',' ')");
SQLS.append(",('testcasestepaction','Action','','Action','<b>Action</b><br><br>It is the actions which can be executed by the framework.<br><br>It could be :<br><br><b>calculateProperty :</b> When the action expected is to calculate an HTML property, or calculate a property which should not be used with another action like <i>type</i><br><br><dd><u><i>How to feed it :</i></u><br><br><dd><i>Action =</i> calculateProperty, <i>Value =</i> null and <i>Property =</i> The name of the property which should be calculated<br><br><br><br><b>click :</b> When the action expected is to click on a link or a button.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> click, <i>Value =</i> the <i>id</i> of the link or the button which should be kicked. and <i>Property =</i> null<br><br><br><b>clickAndWait :</b> When the action expected is to click on a link or a button which open a new URL.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> clickAndWait, <i>Value =</i> the <i>id</i> of the link or the button which should be kicked. and <i>Property =</i> null<br><br><br><b>enter :</b> When the action expected is to emulate a keypress on the enter button.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> enter, <i>Value =</i> null. and <i>Property =</i> null<br><br>WARNING: The action is performed on the active window.<br><br><br><b>openUrlWithBase :</b> When the action expected is to open an URL.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> openUrlWithBase, <i>Value =</i> The second part of the URL. and <i>Property =</i> null<br><dd><i>Action =</i> openUrlWithBase, <i>Value =</i> null and <i>Property =</i> The name of the property with a second part of the URL<br><br><br><b>select :</b> When the action expected is to select a value from a select box.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> select, <i>Value =</i> the <i>id</i> of the select box. and <i>Property =</i> the property containing the value to select.<br>It could be label=TheExactNameOfTheValue or value=the first letter or the place number of the value expected in the select box<br>For example : label=WEB , value=W , value=3 if the WEB is the third value in the selectbox<br><br><br><b>selectAndWait :</b> When the action expected is to select a value in a select box and wait for a new URL opened.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> selectAndWait, <i>Value =</i> the <i>id</i> of the select box. and <i>Property =</i> the property containing the value to select.<br>It could be label=TheExactNameOfTheValue or value=the first letter or the place number of the value expected in the select box<br>For example : label=WEB , value=W , value=3 if the WEB is the third value in the selectbox. <br><br><br><b>type :</b> When the action expected is to type something into a field.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> type, <i>Value =</i> the <i>id</i> of the field and <i>Property =</i> the property containing the value to type.<br><br><br><b>wait :</b> When the action expected is to wait 5 seconds.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> wait, <i>Value =</i> null and <i>Property =</i> null.<br><br><br><b>waitForPage :</b> When the action expected is to wait for the opening of a new page.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> waitForPage, <i>Value =</i> null and <i>Property =</i>null.<br><br>')");
SQLS.append(",('testcasestepaction','Action','calculateProperty',NULL,'<b>calculateProperty :</b> When the action expected is to calculate an HTML property, or calculate a property which should not be used with another action like <i>type</i><br><br><dd><u><i>How to feed it :</i></u><br><br><dd><i>Action =</i> calculateProperty, <i>Value =</i> null and <i>Property =</i> The name of the property which should be calculated<br><br><br><br>')");
SQLS.append(",('testcasestepaction','Action','click',NULL,'<b>click :</b> When the action expected is to click on a link or a button.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> click, <i>Value =</i> the <i>id</i> of the link or the button which should be kicked. and <i>Property =</i> null<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','clickAndWait',NULL,'<b>clickAndWait :</b> When the action expected is to click on a link or a button which open a new URL.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> clickAndWait, <i>Value =</i> the <i>id</i> of the link or the button which should be kicked. and <i>Property =</i> null<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','enter',NULL,'<b>enter :</b> When the action expected is to emulate a keypress on the enter button.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> enter, <i>Value =</i> null. and <i>Property =</i> null<br><br>WARNING: The action is performed on the active window.<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','keypress',NULL,'<b>keypress :</b> When the action expected is to emulate a keypress of any key.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> keypress, <i>Value =</i> The keycode of the key to press. and <i>Property =</i> null<br><br>WARNING: The action is performed on the active window.<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','openUrlWithBase',NULL,'<b>openUrlWithBase :</b> When the action expected is to open an URL.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> openUrlWithBase, <i>Value =</i> The second part of the URL. and <i>Property =</i> null<br><dd><i>Action =</i> openUrlWithBase, <i>Value =</i> null and <i>Property =</i> The name of the property with a second part of the URL<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','select',NULL,'<b>select :</b> When the action expected is to select a value from a select box.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> select, <i>Value =</i> the <i>id</i> of the select box. and <i>Property =</i> the property containing the value to select.<br>It could be label=TheExactNameOfTheValue or value=the first letter or the place number of the value expected in the select box<br>For example : label=WEB , value=W , value=3 if the WEB is the third value in the selectbox<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','selectAndWait',NULL,'<b>selectAndWait :</b> When the action expected is to select a value in a select box and wait for a new URL opened.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> selectAndWait, <i>Value =</i> the <i>id</i> of the select box. and <i>Property =</i> the property containing the value to select.<br>It could be label=TheExactNameOfTheValue or value=the first letter or the place number of the value expected in the select box<br>For example : label=WEB , value=W , value=3 if the WEB is the third value in the selectbox. <br><br><br>')");
SQLS.append(",('testcasestepaction','Action','type',NULL,'<b>type :</b> When the action expected is to type something into a field.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> type, <i>Value =</i> the <i>id</i> of the field and <i>Property =</i> the property containing the value to type.<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','wait',NULL,'<b>wait :</b> When the action expected is to wait 5 seconds.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> wait, <i>Value =</i> null and <i>Property =</i> null.<br><br><br>')");
SQLS.append(",('testcasestepaction','Action','waitForPage',NULL,'<b>waitForPage :</b> When the action expected is to wait for the opening of a new page.<br><br><dd><u><i>How to feed it :</i></u> <br><br><dd><i>Action =</i> waitForPage, <i>Value =</i> null and <i>Property =</i>null.<br><br>')");
SQLS.append(",('testcasestepaction','image',' ','Picture','')");
SQLS.append(",('testcasestepaction','Object','','Object','<b>Object :</b>It is the object which are used to perform the action. The feeding of this field depend on the action selected .<br><br>To have example of use, please click on the action question mark.')");
SQLS.append(",('testcasestepaction','Property','','Property','It is the name of the property which will be used to perform the action defined.<br><br>WARNING : YOU MUST PUT THE NAME OF A PROPERTY. YOU CANNOT PUT A VALUE HERE.<br><br>To have example of use, please click on the action question mark.')");
SQLS.append(",('testcasestepaction','Sequence','','Sequence',' ')");
SQLS.append(",('testcasestepactioncontrol','Control','','CtrlNum','<b>Control</b><br><br>It is the number of <i>control</i>.<br> If you have more than one control, use this value to number them and sort their execution<br><br>')");
SQLS.append(",('testcasestepactioncontrol','ControleProperty','','CtrlProp','<b>Control Property</b><br><br>Property that is going to be tested to control. Exemple : The HTML tag of the object we want to test<br><br>')");
SQLS.append(",('testcasestepactioncontrol','ControleValue','','CtrlValue','<b>Control Value</b><br><br>Value that the Control Property should have. <br />If the Control Property and this Value are equal then Control is OK<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Fatal','','Fatal','Fatal Control. <br /> If this option is \"N\" then it means that even if this control fails, the test will continue to run. It will, never the less, result on a KO.')");
SQLS.append(",('testcasestepactioncontrol','Sequence','','Sequence','<b>Sequence</b><br><br>It is the number of the <i>sequence</i> in which the control will be performed.<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Step','','Step','<b>Step</b><br><br>It is the number of the <i>step</i> containing the sequence in which the control will be performed.<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','','Type','<b>Type</b><br><br>It is the name of the <i>control</i> expected. It could be :<br>')");
SQLS.append(",('testcasestepactioncontrol','Type','selectOptions',NULL,'<b>selectOption</b><br><br> Verify if a given option is available for selection in the HTML object given.<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifyComboValue',NULL,'<b>selectComboValue</b><br><br>Verify if the value specified is available for selection (based on html value of the selection, not label)<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifyElementPresent',NULL,'<b>verifyElementPresent</b><br><br>Verify if an specific element is present on the web page <br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifyElementVisible',NULL,'<b>verifyElementVisible</b><br><br>Verify if the HTML element specified is exists, is visible and has text on it<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifytext',NULL,'<b>verifytext</b><br><br>Verify if the text on the HTML tag is the same than the value specified<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifytitle',NULL,'<b>verifytitle</b><br><br>Verify if the title of the webpage is the same than the value specified<br><br>')");
SQLS.append(",('testcasestepactioncontrol','Type','verifyurl',NULL,'<b>verifyurl</b><br><br>Verify if the URL of the webpage is the same than the value specified<br><br><i>Control Value :</i>should be null<br><br><i>Control Property :</i> URL expected (without the base)<br><br>')");
SQLS.append(",('testcasestepactioncontrolexecution','ReturnCode',' ','Return Code','Return Code of the Control')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `abonnement` (");
SQLS.append(" `idabonnement` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `email` varchar(45) DEFAULT NULL,");
SQLS.append(" `notification` varchar(1000) DEFAULT NULL,");
SQLS.append(" `frequency` varchar(45) DEFAULT NULL,");
SQLS.append(" `LastNotification` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idabonnement`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `countryenvdeploytype` (");
SQLS.append(" `Country` varchar(2) NOT NULL,");
SQLS.append(" `Environment` varchar(45) NOT NULL,");
SQLS.append(" `deploytype` varchar(50) NOT NULL,");
SQLS.append(" `JenkinsAgent` varchar(50) NOT NULL DEFAULT '',");
SQLS.append(" PRIMARY KEY (`Country`,`Environment`,`deploytype`,`JenkinsAgent`),");
SQLS.append(" KEY `FK_countryenvdeploytype_1` (`Country`,`Environment`),");
SQLS.append(" KEY `FK_countryenvdeploytype_2` (`deploytype`),");
SQLS.append(" CONSTRAINT `FK_countryenvdeploytype_1` FOREIGN KEY (`deploytype`) REFERENCES `deploytype` (`deploytype`) ON DELETE CASCADE ON UPDATE CASCADE,");
SQLS.append(" CONSTRAINT `FK_countryenvdeploytype_2` FOREIGN KEY (`Country`, `Environment`) REFERENCES `countryenvparam` (`Country`, `Environment`) ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `logglassfish` (");
SQLS.append(" `idlogglassfish` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `TIMESTAMP` varchar(45) DEFAULT 'CURRENT_TIMESTAMP',");
SQLS.append(" `PARAMETER` varchar(2000) DEFAULT NULL,");
SQLS.append(" `VALUE` varchar(2000) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idlogglassfish`)");
SQLS.append(") ENGINE=InnoDB DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `qualitynonconformities` (");
SQLS.append(" `idqualitynonconformities` int(11) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `Country` varchar(45) DEFAULT NULL,");
SQLS.append(" `Application` varchar(45) DEFAULT NULL,");
SQLS.append(" `ProblemCategory` varchar(100) DEFAULT NULL,");
SQLS.append(" `ProblemDescription` varchar(2500) DEFAULT NULL,");
SQLS.append(" `StartDate` varchar(45) DEFAULT NULL,");
SQLS.append(" `StartTime` varchar(45) DEFAULT NULL,");
SQLS.append(" `EndDate` varchar(45) DEFAULT NULL,");
SQLS.append(" `EndTime` varchar(45) DEFAULT NULL,");
SQLS.append(" `TeamContacted` varchar(250) DEFAULT NULL,");
SQLS.append(" `Actions` varchar(2500) DEFAULT NULL,");
SQLS.append(" `RootCauseCategory` varchar(100) DEFAULT NULL,");
SQLS.append(" `RootCauseDescription` varchar(2500) DEFAULT NULL,");
SQLS.append(" `ImpactOrCost` varchar(45) DEFAULT NULL,");
SQLS.append(" `Responsabilities` varchar(250) DEFAULT NULL,");
SQLS.append(" `Status` varchar(45) DEFAULT NULL,");
SQLS.append(" `Comments` varchar(1000) DEFAULT NULL,");
SQLS.append(" `Severity` varchar(45) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idqualitynonconformities`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("CREATE TABLE `qualitynonconformitiesimpact` (");
SQLS.append(" `idqualitynonconformitiesimpact` bigint(20) NOT NULL AUTO_INCREMENT,");
SQLS.append(" `idqualitynonconformities` int(11) DEFAULT NULL,");
SQLS.append(" `Country` varchar(45) DEFAULT NULL,");
SQLS.append(" `Application` varchar(45) DEFAULT NULL,");
SQLS.append(" `StartDate` varchar(45) DEFAULT NULL,");
SQLS.append(" `StartTime` varchar(45) DEFAULT NULL,");
SQLS.append(" `EndDate` varchar(45) DEFAULT NULL,");
SQLS.append(" `EndTime` varchar(45) DEFAULT NULL,");
SQLS.append(" `ImpactOrCost` varchar(250) DEFAULT NULL,");
SQLS.append(" PRIMARY KEY (`idqualitynonconformitiesimpact`)");
SQLS.append(") ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8");
SQLInstruction.add(SQLS.toString());
//-- Adding subsystem column
//--------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` CHANGE COLUMN `System` `System` VARCHAR(45) NOT NULL DEFAULT 'DEFAULT' ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` ADD COLUMN `SubSystem` VARCHAR(45) NOT NULL DEFAULT '' AFTER `System` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE application SET subsystem=system;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE application SET system='DEFAULT';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO .`documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('application', 'subsystem', '', 'Subsystem', 'A Subsystem define a group of application inside a system.');");
SQLInstruction.add(SQLS.toString());
//-- dropping tag table
//--------------------------
SQLS = new StringBuilder();
SQLS.append("DROP TABLE `tag`;");
SQLInstruction.add(SQLS.toString());
//-- Cerberus Engine Version inside execution table.
//--------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` ADD COLUMN `CrbVersion` VARCHAR(45) NULL DEFAULT NULL AFTER `Status` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('testcaseexecution', 'crbversion', '', 'Cerberus Version', 'This is the version of the Cerberus Engine that executed the testcase.<br>This data has been created for tracability purpose as the behavious of Cerberus could varry from one version to another.');");
SQLInstruction.add(SQLS.toString());
//-- Screenshot filename stored inside execution table. That allow to determine if screenshot is taken or not.
//--------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` ADD COLUMN `ScreenshotFilename` VARCHAR(45) NULL DEFAULT NULL AFTER `EndLong` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` ADD COLUMN `ScreenshotFilename` VARCHAR(45) NULL DEFAULT NULL AFTER `EndLong` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('testcasestepactionexecution', 'screenshotfilename', '', 'Screenshot Filename', 'This is the filename of the screenshot.<br>It is null if no screenshots were taken.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('testcasestepactioncontrolexecution', 'screenshotfilename', '', 'Screenshot Filename', 'This is the filename of the screenshot.<br>It is null if no screenshots were taken.');");
SQLInstruction.add(SQLS.toString());
//-- Test and TestCase information inside the execution tables. That will allow to have the full tracability on the pretestcase executed.
//--------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` ADD COLUMN `Test` VARCHAR(45) NULL DEFAULT NULL AFTER `Step` , ADD COLUMN `TestCase` VARCHAR(45) NULL DEFAULT NULL AFTER `Test` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` CHANGE COLUMN `Step` `Step` INT(10) UNSIGNED NOT NULL AFTER `TestCase` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` ADD COLUMN `Test` VARCHAR(45) NULL DEFAULT NULL AFTER `ID` , ADD COLUMN `TestCase` VARCHAR(45) NULL DEFAULT NULL AFTER `Test` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` ADD COLUMN `Test` VARCHAR(45) NULL DEFAULT NULL AFTER `ID` , ADD COLUMN `TestCase` VARCHAR(45) NULL DEFAULT NULL AFTER `Test` ;");
SQLInstruction.add(SQLS.toString());
//-- Cleaning Index names and Foreign Key contrains
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` DROP INDEX `FK_application` , ADD INDEX `FK_application_01` (`deploytype` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` DROP FOREIGN KEY `FK_application` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` ADD CONSTRAINT `FK_application_01` FOREIGN KEY (`deploytype` ) REFERENCES `deploytype` (`deploytype` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` DROP INDEX `FK_buildrevisionbatch_1` , ADD INDEX `FK_buildrevisionbatch_01` (`Batch` ASC) , DROP INDEX `FK_buildrevisionbatch_2` , ADD INDEX `FK_buildrevisionbatch_02` (`Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` DROP FOREIGN KEY `FK_buildrevisionbatch_1` , DROP FOREIGN KEY `FK_buildrevisionbatch_2` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` ADD CONSTRAINT `FK_buildrevisionbatch_01` FOREIGN KEY (`Batch` ) REFERENCES `batchinvariant` (`Batch` ) ON DELETE CASCADE ON UPDATE CASCADE, ADD CONSTRAINT `FK_buildrevisionbatch_02` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionparameters` DROP INDEX `FK1` , ADD INDEX `FK_buildrevisionparameters_01` (`Application` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionparameters` DROP FOREIGN KEY `FK1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionparameters` ADD CONSTRAINT `FK_buildrevisionparameters_01` FOREIGN KEY (`Application` ) REFERENCES `application` (`Application` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `comparisonstatus` DROP FOREIGN KEY `FK_comparisonstatus_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `comparisonstatus` ADD CONSTRAINT `FK_comparisonstatus_01` FOREIGN KEY (`Execution_ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_comparisonstatus_1` , ADD INDEX `FK_comparisonstatus_01` (`Execution_ID` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `comparisonstatusdata` DROP FOREIGN KEY `FK_comparisonstatusdata_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `comparisonstatusdata` ADD CONSTRAINT `FK_comparisonstatusdata_01` FOREIGN KEY (`Execution_ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_comparisonstatusdata_1` , ADD INDEX `FK_comparisonstatusdata_01` (`Execution_ID` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` DROP FOREIGN KEY `FK_countryenvdeploytype_1` , DROP FOREIGN KEY `FK_countryenvdeploytype_2` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` ADD CONSTRAINT `FK_countryenvdeploytype_01` FOREIGN KEY (`deploytype` ) REFERENCES `deploytype` (`deploytype` ) ON DELETE CASCADE ON UPDATE CASCADE, ADD CONSTRAINT `FK_countryenvdeploytype_02` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_countryenvdeploytype_1` , ADD INDEX `FK_countryenvdeploytype_01` (`Country` ASC, `Environment` ASC) , DROP INDEX `FK_countryenvdeploytype_2` , ADD INDEX `FK_countryenvdeploytype_02` (`deploytype` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` DROP FOREIGN KEY `FK_countryenvironmentdatabase_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` ADD CONSTRAINT `FK_countryenvironmentdatabase_01` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_countryenvironmentdatabase_1` , ADD INDEX `FK_countryenvironmentdatabase_01` (`Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` DROP FOREIGN KEY `FK_countryenvironmentparameters_1` , DROP FOREIGN KEY `FK_countryenvironmentparameters_3` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` ADD CONSTRAINT `FK_countryenvironmentparameters_01` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE, ADD CONSTRAINT `FK_countryenvironmentparameters_02` FOREIGN KEY (`Application` ) REFERENCES `application` (`Application` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_countryenvironmentparameters_1` , ADD INDEX `FK_countryenvironmentparameters_01` (`Country` ASC, `Environment` ASC) , DROP INDEX `FK_countryenvironmentparameters_3` , ADD INDEX `FK_countryenvironmentparameters_02` (`Application` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` DROP FOREIGN KEY `FK_countryenvparam_log_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` ADD CONSTRAINT `FK_countryenvparam_log_01` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_countryenvparam_log_1` , ADD INDEX `FK_countryenvparam_log_01` (`Country` ASC, `Environment` ASC) , DROP INDEX `ID1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` DROP FOREIGN KEY `FK_host_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ADD CONSTRAINT `FK_host_01` FOREIGN KEY (`Country` , `Environment` ) REFERENCES `countryenvparam` (`Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_host_1` , ADD INDEX `FK_host_01` (`Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `log` DROP INDEX `datecre` , ADD INDEX `IX_log_01` (`datecre` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `test` DROP INDEX `ix_Test_Active` , ADD INDEX `IX_test_01` (`Test` ASC, `Active` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP INDEX `Index_2` , ADD INDEX `IX_testcase_01` (`Group` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP INDEX `Index_3` , ADD INDEX `IX_testcase_02` (`Test` ASC, `TestCase` ASC, `Application` ASC, `TcActive` ASC, `Group` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP INDEX `FK_testcase_2` , ADD INDEX `IX_testcase_03` (`Application` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP INDEX `FK_testcase_3` , ADD INDEX `IX_testcase_04` (`Project` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP FOREIGN KEY `FK_testcase_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` ADD CONSTRAINT `FK_testcase_01` FOREIGN KEY (`Test` ) REFERENCES `test` (`Test` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcase SET Application=null where Application='';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP FOREIGN KEY `FK_testcase_2` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` ADD CONSTRAINT `FK_testcase_02` FOREIGN KEY (`Application` ) REFERENCES `application` (`Application` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` DROP FOREIGN KEY `FK_testcase_3` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` ADD CONSTRAINT `FK_testcase_03` FOREIGN KEY (`Project` ) REFERENCES `project` (`idproject` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM testcase USING testcase left outer join test ON testcase.test = test.test where test.test is null;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasecountry` DROP FOREIGN KEY `FK_testcasecountry_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasecountry` ADD CONSTRAINT `FK_testcasecountry_01` FOREIGN KEY (`Test` , `TestCase` ) REFERENCES `testcase` (`Test` , `TestCase` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasecountryproperties` DROP FOREIGN KEY `FK_testcasecountryproperties_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasecountryproperties` ADD CONSTRAINT `FK_testcasecountryproperties_01` FOREIGN KEY (`Test` , `TestCase` , `Country` ) REFERENCES `testcasecountry` (`Test` , `TestCase` , `Country` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` DROP FOREIGN KEY `FK_testcaseexecution_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` ADD CONSTRAINT `FK_testcaseexecution_01` FOREIGN KEY (`Test` , `TestCase` ) REFERENCES `testcase` (`Test` , `TestCase` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` DROP FOREIGN KEY `FK_testcaseexecution_3` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` ADD CONSTRAINT `FK_testcaseexecution_02` FOREIGN KEY (`application`) REFERENCES `application` (`application`) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` DROP INDEX `FK_TestCaseExecution_1` , ADD INDEX `IX_testcaseexecution_01` (`Test` ASC, `TestCase` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` DROP INDEX `fk_testcaseexecution_2` , ADD INDEX `IX_testcaseexecution_02` (`Tag` ASC) , DROP INDEX `index_1` , ADD INDEX `IX_testcaseexecution_03` (`Start` ASC) , DROP INDEX `IX_test_testcase_country` , ADD INDEX `IX_testcaseexecution_04` (`Test` ASC, `TestCase` ASC, `Country` ASC, `Start` ASC, `ControlStatus` ASC) , DROP INDEX `index_buildrev` , ADD INDEX `IX_testcaseexecution_05` (`Build` ASC, `Revision` ASC) , DROP INDEX `fk_test` , ADD INDEX `IX_testcaseexecution_06` (`Test` ASC) , DROP INDEX `ix_TestcaseExecution` , ADD INDEX `IX_testcaseexecution_07` (`Test` ASC, `TestCase` ASC, `Build` ASC, `Revision` ASC, `Environment` ASC, `Country` ASC, `ID` ASC) , DROP INDEX `FK_testcaseexecution_3` , ADD INDEX `IX_testcaseexecution_08` (`Application` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutiondata` DROP INDEX `propertystart` , ADD INDEX `IX_testcaseexecutiondata_01` (`Property` ASC, `Start` ASC) , DROP INDEX `index_1` , ADD INDEX `IX_testcaseexecutiondata_02` (`Start` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutiondata` DROP FOREIGN KEY `FK_TestCaseExecutionData_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutiondata` ADD CONSTRAINT `FK_testcaseexecutiondata_01` FOREIGN KEY (`ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutionwwwdet` DROP FOREIGN KEY `FK_testcaseexecutionwwwdet_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutionwwwdet` ADD CONSTRAINT `FK_testcaseexecutionwwwdet_01` FOREIGN KEY (`ExecID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutionwwwdet` DROP INDEX `FK_testcaseexecutionwwwdet_1` , ADD INDEX `FK_testcaseexecutionwwwdet_01` (`ExecID` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutionwwwsum` DROP FOREIGN KEY `FK_testcaseexecutionwwwsum_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutionwwwsum` ADD CONSTRAINT `FK_testcaseexecutionwwwsum_01` FOREIGN KEY (`ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_testcaseexecutionwwwsum_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestep` DROP FOREIGN KEY `FK_testcasestep_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestep` ADD CONSTRAINT `FK_testcasestep_01` FOREIGN KEY (`Test` , `TestCase` ) REFERENCES `testcase` (`Test` , `TestCase` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append(" ALTER TABLE `testcasestepaction` DROP FOREIGN KEY `FK_testcasestepaction_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepaction` ADD CONSTRAINT `FK_testcasestepaction_01` FOREIGN KEY (`Test` , `TestCase` , `Step` ) REFERENCES `testcasestep` (`Test` , `TestCase` , `Step` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrol` DROP FOREIGN KEY `FK_testcasestepcontrol_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrol` ADD CONSTRAINT `FK_testcasestepactioncontrol_01` FOREIGN KEY (`Test` , `TestCase` , `Step` , `Sequence` ) REFERENCES `testcasestepaction` (`Test` , `TestCase` , `Step` , `Sequence` ) ON DELETE CASCADE ON UPDATE CASCADE, DROP INDEX `FK_testcasestepcontrol_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` DROP FOREIGN KEY `FK_testcasestepcontrolexecution_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` ADD CONSTRAINT `FK_testcasestepactioncontrolexecution_01` FOREIGN KEY (`ID` , `Step` ) REFERENCES `testcasestepexecution` (`ID` , `Step` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` DROP FOREIGN KEY `FK_testcasestepbatchl_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` ADD CONSTRAINT `FK_testcasestepbatch_01` FOREIGN KEY (`Test` , `TestCase` ) REFERENCES `testcase` (`Test` , `TestCase` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` DROP FOREIGN KEY `FK_testcasestepbatch_2` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` ADD CONSTRAINT `FK_testcasestepbatch_02` FOREIGN KEY (`Batch` ) REFERENCES `batchinvariant` (`Batch` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` DROP INDEX `fk_testcasestepbatch_1` , ADD INDEX `FK_testcasestepbatch_02` (`Batch` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepbatch` DROP INDEX `FK_testcasestepbatch_02` , ADD INDEX `IX_testcasestepbatch_01` (`Batch` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM testcasestepexecution, testcaseexecution USING testcasestepexecution left outer join testcaseexecution ON testcasestepexecution.ID = testcaseexecution.ID where testcaseexecution.ID is null;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` DROP FOREIGN KEY `FK_testcasestepexecution_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` ADD CONSTRAINT `FK_testcasestepexecution_01` FOREIGN KEY (`ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE; ");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `user` DROP INDEX `ID1` , ADD UNIQUE INDEX `IX_user_01` (`Login` ASC) ;");
SQLInstruction.add(SQLS.toString());
//-- New CA Status in invariant and documentation table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('TCESTATUS', 'CA', 6, 35, 'Test could not be done because of technical issues.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `documentation` SET `DocDesc`='This is the return code of the Execution.<br><br>It can take the following values :<br><b>OK</b> : The test has been executed and everything happened as expected.<br><b>KO</b> : The test has been executed and reported an error that will create a bug<br><b>NA</b> : The test has been executed but some data to perform the test could not be collected (SQL returning empty resultset).<br><b>FA</b> : The testcase failed to execute because there were an error inside the test such as an SQL error. The testcase needs to be corrected.<br><b>CA</b> : The testcase has been cancelled. It failed during the execution because of technical issues (ex. Lost of connection issue to selenium during the execution)<br><b>PE</b> : The execution is still running and not finished yet or has been interupted.' WHERE `DocTable`='testcaseexecution' and`DocField`='controlstatus' and`DocValue`='';");
SQLInstruction.add(SQLS.toString());
//-- New Cerberus Message store at the level of the execution - Header, Action and Control Level.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecution` ADD COLUMN `ControlMessage` VARCHAR(500) NULL DEFAULT NULL AFTER `ControlStatus` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` ADD COLUMN `ReturnMessage` VARCHAR(500) NULL DEFAULT NULL AFTER `ReturnCode` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` ADD COLUMN `ReturnCode` VARCHAR(2) NULL DEFAULT NULL AFTER `Sequence` , ADD COLUMN `ReturnMessage` VARCHAR(500) NULL DEFAULT NULL AFTER `ReturnCode` ;");
SQLInstruction.add(SQLS.toString());
//-- New Integrity Link inside between User Group and User table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `usergroup` ADD CONSTRAINT `FK_usergroup_01` FOREIGN KEY (`Login` ) REFERENCES `user` (`Login` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
//-- New Parameter for Performance Monitoring Servlet.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `parameter` (`param`, `value`, `description`) VALUES ('cerberus_performancemonitor_nbminutes', '5', 'Integer that correspond to the number of minutes where the number of executions are collected on the servlet that manage the monitoring of the executions.');");
SQLInstruction.add(SQLS.toString());
//-- New Parameter for link to selenium extensions firebug and netexport.
//-- -------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `parameter` (`param`, `value`, `description`) VALUES ('cerberus_selenium_firefoxextension_firebug', 'D:\\\\CerberusDocuments\\\\firebug-fx.xpi', 'Link to the firefox extension FIREBUG file needed to track network traffic')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `parameter` (`param`, `value`, `description`) VALUES ('cerberus_selenium_firefoxextension_netexport', 'D:\\\\CerberusDocuments\\\\netExport.xpi', 'Link to the firefox extension NETEXPORT file needed to export network traffic')");
SQLInstruction.add(SQLS.toString());
//-- New Invariant Browser to feed combobox.
//-- -------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('BROWSER', 'FIREFOX', 1, 37, 'Firefox Browser')");
SQLInstruction.add(SQLS.toString());
//-- Removing Performance Monitoring Servlet Parameter as it has been moved to the call of the URL. The number of minutes cannot be the same accross all requests.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `parameter` WHERE `param`='cerberus_performancemonitor_nbminutes';");
SQLInstruction.add(SQLS.toString());
//-- Cleaning invariant table in idname STATUS idname was used twice on 2 invariant group 1 and 33.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='1';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='2';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='3';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='4';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='5';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='TCSTATUS' WHERE `id`='1' and`sort`='6';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='NCONFSTATUS' WHERE `id`='33' and`sort`='1';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `idname`='NCONFSTATUS' WHERE `id`='33' and`sort`='2';");
SQLInstruction.add(SQLS.toString());
//-- New invariant for execution detail list page.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '5', 10, 38, '5 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '10', 20, 38, '10 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '15', 30, 38, '15 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '20', 40, 38, '20 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '30', 50, 38, '30 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '45', 60, 38, '45 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '60', 70, 38, '1 Hour');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '90', 80, 38, '1 Hour 30 Minutes');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '120', 90, 38, '2 Hours');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '180', 100, 38, '3 Hours');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('EXECNBMIN', '0', 1, 38, 'No Limit');");
SQLInstruction.add(SQLS.toString());
//-- New Cerberus Message store at the level of the execution - Header, Action and Control Level.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` VALUES ");
SQLS.append("('testcaseexecution','ControlMessage','','ControlMessage','This is the message reported by Cerberus on the execution of the testcase.')");
SQLS.append(",('testcasestepactioncontrolexecution','ReturnMessage','','Return Message','This is the return message on that specific control.')");
SQLS.append(",('testcasestepactionexecution','ReturnCode','','CtrlNum','This is the return code of the action.')");
SQLS.append(",('testcaseexecution','tag','','Tag','The Tag is just a string that will be recorded with the test case execution and will help to find it back.')");
SQLInstruction.add(SQLS.toString());
//-- New Cerberus Action mouseOver and mouseOverAndWait and remove of URLLOGIN, verifyTextPresent verifyTitle, verifyValue
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `invariant` WHERE `id`='12' and`sort`='120'");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `invariant` WHERE `id`='12' and`sort`='130'");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `invariant` WHERE `id`='12' and`sort`='140'");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `invariant` WHERE `id`='12' and`sort`='150'");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('ACTION', 'mouseOver', 57, 12, 'mouseOver')");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('ACTION', 'mouseOverAndWait', 58, 12, 'mouseOverAndWait')");
SQLInstruction.add(SQLS.toString());
//-- New Documentation for verbose and status on the execution table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('testcaseexecution', 'verbose', '', 'Verbose', 'This is the verbose level of the execution. 0 correspond to limited logs, 1 is standard and 2 is maximum tracability.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('testcaseexecution', 'status', '', 'TC Status', 'This correspond to the status of the Test Cases when the test was executed.');");
SQLInstruction.add(SQLS.toString());
//-- New DefaultSystem and Team inside User table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `user` ADD COLUMN `Team` VARCHAR(45) NULL AFTER `Name` , ADD COLUMN `DefaultSystem` VARCHAR(45) NULL AFTER `DefaultIP` , CHANGE COLUMN `Request` `Request` VARCHAR(5) NULL DEFAULT NULL AFTER `Password` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) ");
SQLS.append(" VALUES ('user', 'Team', '', 'Team', 'This is the Team whose the user belong.') ");
SQLS.append(" ,('user', 'DefaultSystem', '', 'Default System', 'This is the Default System the user works on the most. It is used to default the perimeter of testcases or applications displayed on some pages.');");
SQLInstruction.add(SQLS.toString());
//-- Documentation updated on verbose and added on screenshot option.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `documentation` SET `DocDesc`='This correspond to the level if information that Cerberus will keep when performing the test.<br><b>0</b> : The test will keep minimum login information in order to preserve the response times. This is to be used when a massive amout of tests are performed. No details on action will be saved.<br><b>1</b> : This is the standard level of log. Detailed action execution information will also be stored.<br><b>2</b> : This is the highest level of detailed information that can be chosen. Detailed web traffic information will be stored. This is to be used only on very specific cases where all hits information of an execution are required.' WHERE `DocTable`='runnerpage' and`DocField`='verbose' and`DocValue`='';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) VALUES ('runnerpage', 'screenshot', '', 'Screenshot', 'This define whether screenshots will be taken during the execution of the test.<br><b>0</b> : No screenshots are taken. This is to be used when a massive amout of tests are performed.<br><b>1</b> : Screenshots are taken only when action or control provide unexpected result.<br><b>2</b> : Screenshots are always taken on every selenium action. This is to be used only on very specific cases where all actions needs a screenshot.');");
SQLInstruction.add(SQLS.toString());
//-- Screenshot invariant values.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`)");
SQLS.append(" VALUES ('SCREENSHOT', '0', 10, 39, 'No Screenshot')");
SQLS.append(",('SCREENSHOT', '1', 20, 39, 'Screenshot on error')");
SQLS.append(",('SCREENSHOT', '2', 30, 39, 'Screenshot on every action');");
SQLInstruction.add(SQLS.toString());
//-- Added Test and testcase columns to Action/control/step Execution tables.
//-- Added RC and RCMessage to all execution tables + Property Data table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutiondata` ADD COLUMN `RMessage` VARCHAR(500) NULL DEFAULT '' AFTER `RC` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` DROP FOREIGN KEY `FK_testcasestepactioncontrolexecution_01`;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` CHANGE COLUMN `Test` `Test` VARCHAR(45) NOT NULL DEFAULT '' , CHANGE COLUMN `TestCase` `TestCase` VARCHAR(45) NOT NULL DEFAULT '' ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` CHANGE COLUMN `ID` `ID` BIGINT(20) UNSIGNED NOT NULL , CHANGE COLUMN `Step` `Step` INT(10) UNSIGNED NOT NULL ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` DROP FOREIGN KEY `FK_testcasestepexecution_01`;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` ADD CONSTRAINT `FK_testcasestepexecution_01` FOREIGN KEY (`ID` ) REFERENCES `testcaseexecution` (`ID` ) ON DELETE CASCADE ON UPDATE CASCADE ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepexecution` DROP PRIMARY KEY , ADD PRIMARY KEY (`ID`, `Test`, `TestCase`, `Step`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` CHANGE COLUMN `Test` `Test` VARCHAR(45) NOT NULL DEFAULT '' , CHANGE COLUMN `TestCase` `TestCase` VARCHAR(45) NOT NULL DEFAULT '' ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` DROP PRIMARY KEY , ADD PRIMARY KEY (`ID`, `Test`, `TestCase`, `Step`, `Sequence`, `Control`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` ADD CONSTRAINT `FK_testcasestepactioncontrolexecution_01` FOREIGN KEY (`ID` , `Test` , `TestCase` , `Step` ) REFERENCES `testcasestepexecution` (`ID` , `Test` , `TestCase` , `Step` ) ON DELETE CASCADE ON UPDATE CASCADE ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` CHANGE COLUMN `ID` `ID` BIGINT(20) UNSIGNED NOT NULL , CHANGE COLUMN `Test` `Test` VARCHAR(45) NOT NULL DEFAULT '' , CHANGE COLUMN `TestCase` `TestCase` VARCHAR(45) NOT NULL DEFAULT '' , CHANGE COLUMN `Step` `Step` INT(10) UNSIGNED NOT NULL ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `testcasestepactionexecution` SET Sequence=51 WHERE Step=0 and Sequence=50 and Action='Wait';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` DROP PRIMARY KEY , ADD PRIMARY KEY (`ID`, `Test`, `TestCase`, `Step`, `Sequence`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM testcasestepactionexecution WHERE ID in ( SELECT ID FROM ( SELECT a.ID FROM testcasestepactionexecution a LEFT OUTER JOIN testcasestepexecution b ON a.ID=b.ID and a.Test=b.Test and a.TestCase=b.TestCase and a.Step=b.Step WHERE b.ID is null) as toto);");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` ADD CONSTRAINT `FK_testcasestepactionexecution_01` FOREIGN KEY (`ID` , `Test` , `TestCase` , `Step` ) REFERENCES `testcasestepexecution` (`ID` , `Test` , `TestCase` , `Step` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
//-- Resizing Screenshot filename to biggest possible value.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactioncontrolexecution` CHANGE COLUMN `ScreenshotFilename` `ScreenshotFilename` VARCHAR(150) NULL DEFAULT NULL ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcasestepactionexecution` CHANGE COLUMN `ScreenshotFilename` `ScreenshotFilename` VARCHAR(150) NULL DEFAULT NULL ;");
SQLInstruction.add(SQLS.toString());
//-- Correcting verifyurl to verifyURL and verifytitle to VerifyTitle in controls.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyUrl' where type='verifyurl';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyTitle' where type='verifytitle';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value='verifyUrl', description ='verifyUrl' where value='verifyurl' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value='verifyTitle', description ='verifyTitle' where value='verifytitle' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
//-- Making controls standard.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyPropertyEqual', description = 'verifyPropertyEqual' where value='PropertyIsEqualTo' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyPropertyEqual' where type='PropertyIsEqualTo';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyPropertyGreater', description = 'verifyPropertyGreater' where value='PropertyIsGreaterThan' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyPropertyGreater' where type='PropertyIsGreaterThan';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyPropertyMinor', description = 'verifyPropertyMinor' where value='PropertyIsMinorThan' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyPropertyMinor' where type='PropertyIsMinorThan';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('CONTROL', 'verifyPropertyDifferent', 11, 13, 'verifyPropertyDifferent');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('CONTROL', 'verifyElementNotPresent', 21, 13, 'verifyElementNotPresent');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('ACTION', 'openUrlLogin', 61, 12, 'openUrlLogin');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepaction SET action='openUrlLogin' where action='URLLOGIN';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `value`='firefox' WHERE `id`='37' and`sort`='1';");
SQLInstruction.add(SQLS.toString());
//-- New parameter used by netexport.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `parameter` (`param`, `value`, `description`) VALUES ('cerberus_url', 'http://localhost:8080/GuiCerberusV2-2.0.0-SNAPSHOT', 'URL to Cerberus used in order to call back cerberus from NetExport plugin. This parameter is mandatory for saving the firebug detail information back to cerberus. ex : http://host:port/contextroot');");
SQLInstruction.add(SQLS.toString());
//-- Making controls standard.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyStringEqual', description = 'verifyStringEqual' where value='verifyPropertyEqual' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyStringEqual' where type='verifyPropertyEqual';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyStringDifferent', description = 'verifyStringDifferent' where value='verifyPropertyDifferent' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyStringDifferent' where type='verifyPropertyDifferent';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyIntegerGreater', description = 'verifyIntegerGreater' where value='verifyPropertyGreater' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyIntegerGreater' where type='verifyPropertyGreater';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'verifyIntegerMinor', description = 'verifyIntegerMinor' where value='verifyPropertyMinor' and idname='CONTROL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasestepactioncontrol SET type='verifyIntegerMinor' where type='verifyPropertyMinor';");
SQLInstruction.add(SQLS.toString());
//-- Making Properties standard.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'executeSql', sort=20 where value='SQL' and idname='PROPERTYTYPE';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'executeSqlFromLib', sort=25 where value='LIB_SQL' and idname='PROPERTYTYPE';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'getFromHtmlVisible', sort=35, description='Getting from an HTML visible field in the current page.' where value='HTML' and idname='PROPERTYTYPE';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE invariant SET value = 'text', sort=40 where value='TEXT' and idname='PROPERTYTYPE';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('PROPERTYTYPE', 'getFromHtml', 30, 19, 'Getting from an html field in the current page.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasecountryproperties SET type='text' where type='TEXT';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasecountryproperties SET type='executeSqlFromLib' where type='LIB_SQL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasecountryproperties SET type='executeSql' where type='SQL';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE testcasecountryproperties SET type='getFromHtmlVisible' where type='HTML';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('PROPERTYNATURE', 'NOTINUSE', 4, 20, 'Not In Use');");
SQLInstruction.add(SQLS.toString());
//-- New Control.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ('CONTROL', 'verifyTextNotPresent', 51, 13, 'verifyTextNotPresent');");
SQLInstruction.add(SQLS.toString());
//-- Team and system invariant initialisation.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) ");
SQLS.append(" VALUES ('TEAM', 'France', 10, 40, 'France Team'),");
SQLS.append(" ('TEAM', 'Portugal', 20, 40, 'Portugal Team'),");
SQLS.append(" ('SYSTEM', 'DEFAULT', 10, 41, 'System1 System'),");
SQLS.append(" ('SYSTEM', 'SYS2', 20, 41, 'System2 System')");
SQLInstruction.add(SQLS.toString());
//-- Changing Request column inside user table to fit boolean management standard.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `user` SET Request='Y' where Request='true';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `user` SET Request='N' where Request='false';");
SQLInstruction.add(SQLS.toString());
//-- Cleaning comparaison status tables.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("DROP TABLE `comparisonstatusdata`;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DROP TABLE `comparisonstatus`;");
SQLInstruction.add(SQLS.toString());
//-- Documentation on application table.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) ");
SQLS.append(" VALUES ('application', 'sort', '', 'Sort', 'Sorting criteria for various combo box.'), ");
SQLS.append(" ('application', 'svnurl', '', 'SVN Url', 'URL to the svn repository of the application.') ;");
SQLInstruction.add(SQLS.toString());
//-- Log Event table redesign.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("DROP TABLE `logeventchange`; ");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `logevent` ADD COLUMN `Login` VARCHAR(30) NOT NULL DEFAULT '' AFTER `UserID`, CHANGE COLUMN `Time` `Time` TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP, ADD COLUMN `remoteIP` VARCHAR(20) NULL DEFAULT NULL AFTER `Log` , ADD COLUMN `localIP` VARCHAR(20) NULL DEFAULT NULL AFTER `remoteIP`;");
SQLInstruction.add(SQLS.toString());
//-- User group definition
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`, `gp1`, `gp2`, `gp3`) VALUES ");
SQLS.append("('USERGROUP', 'Visitor', 5, 42, 'Visitor', null, null, null),");
SQLS.append("('USERGROUP', 'Integrator', 10, 42, 'Integrator', null, null, null),");
SQLS.append("('USERGROUP', 'User', 15, 42, 'User', null, null, null),");
SQLS.append("('USERGROUP', 'Admin', 20, 42, 'Admin', null, null, null)");
SQLInstruction.add(SQLS.toString());
//-- New Column for Bug Tracking.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `application` ADD COLUMN `BugTrackerUrl` VARCHAR(300) NULL DEFAULT '' AFTER `svnurl` , ADD COLUMN `BugTrackerNewUrl` VARCHAR(300) NULL DEFAULT '' AFTER `BugTrackerUrl` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `documentation` (`DocTable`, `DocField`, `DocValue`, `DocLabel`, `DocDesc`) ");
SQLS.append(" VALUES ('application', 'bugtrackerurl', '', 'Bug Tracker URL', 'URL to Bug reporting system. The following variable can be used : %bugid%.'),");
SQLS.append(" ('application', 'bugtrackernewurl', '', 'New Bug URL', 'URL to Bug system new bug creation page.');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`, `gp1`, `gp2`, `gp3`) VALUES ");
SQLS.append("('APPLITYPE', 'GUI', 5, 43, 'GUI application', null, null, null),");
SQLS.append("('APPLITYPE', 'BAT', 10, 43, 'Batch Application', null, null, null),");
SQLS.append("('APPLITYPE', 'SRV', 15, 43, 'Service Application', null, null, null),");
SQLS.append("('APPLITYPE', 'NONE', 20, 43, 'Any Other Type of application', null, null, null)");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE application SET deploytype=null where deploytype is null;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `parameter` WHERE `param`='sitdmoss_bugtracking_url';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `parameter` WHERE `param`='sitdmoss_newbugtracking_url';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `parameter` WHERE `param`='cerberus_selenium_plugins_path';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `parameter` WHERE `param`='svn_application_url';");
SQLInstruction.add(SQLS.toString());
//-- New Controls for string comparaison.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `sort`=16 WHERE `id`='13' and`sort`='12';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `sort`=17 WHERE `id`='13' and`sort`='14';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ");
SQLS.append(" ('CONTROL', 'verifyStringGreater', 12, 13, 'verifyStringGreater')");
SQLS.append(" ,('CONTROL', 'verifyStringMinor', 13, 13, 'verifyStringMinor');");
SQLInstruction.add(SQLS.toString());
//-- Cleaning on TextInPage control.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `value`='verifyTextInPage', `description`='verifyTextInPage' WHERE `id`='13' and`sort`='50';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `testcasestepactioncontrol` SET `type`='verifyTextInPage' WHERE `type`='verifyTextPresent';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `value`='verifyTextNotInPage', `description`='verifyTextNotInPage' WHERE `id`='13' and`sort`='51';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `testcasestepactioncontrol` SET `type`='verifyTextNotInPage' WHERE `type`='verifyTextNotPresent';");
SQLInstruction.add(SQLS.toString());
//-- Cleaning on VerifyText --> VerifyTextInElement control.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `value`='verifyTextInElement', `description`='verifyTextInElement' WHERE `id`='13' and`sort`='40';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `testcasestepactioncontrol` SET `type`='verifyTextInElement' WHERE `type`='VerifyText';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET `value`='verifyRegexInElement', `description`='verifyRegexInElement', sort='43' WHERE `id`='13' and`sort`='80';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `testcasestepactioncontrol` SET `type`='verifyRegexInElement' WHERE `type`='verifyContainText';");
SQLInstruction.add(SQLS.toString());
//-- Enlarging BehaviorOrValueExpected and HowTo columns to TEXT (64K).
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcase` CHANGE COLUMN `BehaviorOrValueExpected` `BehaviorOrValueExpected` TEXT NULL , CHANGE COLUMN `HowTo` `HowTo` TEXT NULL ;");
SQLInstruction.add(SQLS.toString());
//-- Change length of Property column of TestCaseStepActionExecution from 45 to 200
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE testcasestepactionexecution CHANGE Property Property varchar(200);");
SQLInstruction.add(SQLS.toString());
//-- Add invariant LANGUAGE
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`, `gp1`) VALUES ");
SQLS.append(" ('LANGUAGE', '', 1, 44, 'Default language', 'en')");
SQLS.append(" ,('LANGUAGE', 'BE', 5, 44, 'Belgium language', 'fr-be')");
SQLS.append(" ,('LANGUAGE', 'CH', 10, 44, 'Switzerland language', 'fr-ch')");
SQLS.append(" ,('LANGUAGE', 'ES', 15, 44, 'Spain language', 'es')");
SQLS.append(" ,('LANGUAGE', 'FR', 20, 44, 'France language', 'fr')");
SQLS.append(" ,('LANGUAGE', 'IT', 25, 44, 'Italy language', 'it')");
SQLS.append(" ,('LANGUAGE', 'PT', 30, 44, 'Portugal language', 'pt')");
SQLS.append(" ,('LANGUAGE', 'RU', 35, 44, 'Russia language', 'ru')");
SQLS.append(" ,('LANGUAGE', 'UK', 40, 44, 'Great Britain language', 'gb')");
SQLS.append(" ,('LANGUAGE', 'VI', 45, 44, 'Generic language', 'en');");
SQLInstruction.add(SQLS.toString());
//-- Cerberus can't find elements inside iframe
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `invariant` (`idname`, `value`, `sort`, `id`, `description`) VALUES ");
SQLS.append("('ACTION','focusToIframe',52,12,'focusToIframe'),");
SQLS.append("('ACTION','focusDefaultIframe',53,12,'focusDefaultIframe');");
SQLInstruction.add(SQLS.toString());
//-- Documentation on new Bug URL
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `documentation` SET `DocDesc`='URL to Bug system new bug creation page.<br> The following variables can be used :<br>%TEST%<br>%TESTCASE%<br>%TESTCASEDESC%<br>%EXEID%<br>%ENV%<br>%COUNTRY%<br>%BUILD%<br>%REV%' WHERE `DocTable`='application' and`DocField`='bugtrackernewurl' and`DocValue`='';");
SQLInstruction.add(SQLS.toString());
//-- Harmonize the column order of Country/Environment.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` ");
SQLS.append(" CHANGE COLUMN `Country` `Country` VARCHAR(2) NOT NULL FIRST , ");
SQLS.append(" CHANGE COLUMN `Environment` `Environment` VARCHAR(45) NOT NULL AFTER `Country` , ");
SQLS.append(" DROP PRIMARY KEY , ADD PRIMARY KEY (`Country`, `Environment`, `Database`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ");
SQLS.append(" CHANGE COLUMN `Environment` `Environment` VARCHAR(45) NOT NULL AFTER `Country` , ");
SQLS.append(" DROP PRIMARY KEY , ADD PRIMARY KEY USING BTREE (`Country`, `Environment`, `Session`, `Server`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` ");
SQLS.append(" CHANGE COLUMN `Environment` `Environment` VARCHAR(45) NULL DEFAULT NULL AFTER `Country` ;");
SQLInstruction.add(SQLS.toString());
//-- Change invariant LANGUAGE to GP2 of invariant COUNTRY
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'fr-be' WHERE idname = 'COUNTRY' and value = 'BE';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'fr-ch' WHERE idname = 'COUNTRY' and value = 'CH';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'es' WHERE idname = 'COUNTRY' and value = 'ES';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'it' WHERE idname = 'COUNTRY' and value = 'IT';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'pt-pt' WHERE idname = 'COUNTRY' and value = 'PT';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'ru' WHERE idname = 'COUNTRY' and value = 'RU';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'en-gb' WHERE idname = 'COUNTRY' and value = 'UK';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'en-gb' WHERE idname = 'COUNTRY' and value = 'VI';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'ru' WHERE idname = 'COUNTRY' and value = 'RU';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'fr' WHERE idname = 'COUNTRY' and value = 'FR';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("UPDATE `invariant` SET gp2 = 'en-gb' WHERE idname = 'COUNTRY' and value = 'RX';");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("DELETE FROM `invariant` WHERE idname = 'LANGUAGE'");
SQLInstruction.add(SQLS.toString());
//-- Cleaning countryenvironmentparameters table with useless columns
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` DROP COLUMN `as400LIB` , DROP COLUMN `JdbcPort` , DROP COLUMN `JdbcIP` , DROP COLUMN `JdbcPass` , DROP COLUMN `JdbcUser` ;");
SQLInstruction.add(SQLS.toString());
//-- Adding System level in database model.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' FIRST ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' FIRST ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` DROP FOREIGN KEY `FK_countryenvdeploytype_02` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' FIRST ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` DROP FOREIGN KEY `FK_countryenvironmentparameters_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' FIRST ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` DROP FOREIGN KEY `FK_countryenvironmentdatabase_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' FIRST ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` DROP FOREIGN KEY `FK_host_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' AFTER `id` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` DROP FOREIGN KEY `FK_countryenvparam_log_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` DROP INDEX `FK_countryenvparam_log_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` ADD COLUMN `system` VARCHAR(45) NOT NULL DEFAULT '' AFTER `Batch` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` DROP FOREIGN KEY `FK_buildrevisionbatch_02` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` DROP INDEX `FK_buildrevisionbatch_02` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam` DROP PRIMARY KEY , ADD PRIMARY KEY (`system`, `Country`, `Environment`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` DROP PRIMARY KEY , ADD PRIMARY KEY (`system`, `Country`, `Environment`, `deploytype`, `JenkinsAgent`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype`");
SQLS.append(" ADD CONSTRAINT `FK_countryenvdeploytype_1` FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` ");
SQLS.append(" DROP INDEX `FK_countryenvdeploytype_01` , ADD INDEX `FK_countryenvdeploytype_01` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` DROP FOREIGN KEY `FK_countryenvdeploytype_01` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` ");
SQLS.append(" ADD CONSTRAINT `FK_countryenvdeploytype_02`");
SQLS.append(" FOREIGN KEY (`deploytype` )");
SQLS.append(" REFERENCES `deploytype` (`deploytype` )");
SQLS.append(" ON DELETE CASCADE");
SQLS.append(" ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` DROP FOREIGN KEY `FK_countryenvdeploytype_1` ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvdeploytype` ");
SQLS.append(" ADD CONSTRAINT `FK_countryenvdeploytype_01`");
SQLS.append(" FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` )");
SQLS.append(" ON DELETE CASCADE");
SQLS.append(" ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` DROP PRIMARY KEY , ADD PRIMARY KEY (`system`, `Country`, `Environment`, `Application`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` ");
SQLS.append(" ADD CONSTRAINT `FK_countryenvironmentparameters_01` FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` ) ON DELETE CASCADE ON UPDATE CASCADE;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentparameters` ");
SQLS.append("DROP INDEX `FK_countryenvironmentparameters_01` , ADD INDEX `FK_countryenvironmentparameters_01` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `buildrevisionbatch` ");
SQLS.append(" ADD CONSTRAINT `FK_buildrevisionbatch_02`");
SQLS.append(" FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` )");
SQLS.append(" ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(", ADD INDEX `FK_buildrevisionbatch_02` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` ");
SQLS.append("DROP PRIMARY KEY , ADD PRIMARY KEY (`system`, `Country`, `Environment`, `Database`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvironmentdatabase` ");
SQLS.append(" ADD CONSTRAINT `FK_countryenvironmentdatabase_01`");
SQLS.append(" FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` )");
SQLS.append(" ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(", DROP INDEX `FK_countryenvironmentdatabase_01` , ADD INDEX `FK_countryenvironmentdatabase_01` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ");
SQLS.append("DROP PRIMARY KEY , ADD PRIMARY KEY (`system`, `Country`, `Environment`, `Session`, `Server`) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ");
SQLS.append("DROP INDEX `FK_host_01` , ADD INDEX `FK_host_01` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `host` ");
SQLS.append(" ADD CONSTRAINT `FK_host_01`");
SQLS.append(" FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` )");
SQLS.append(" ON DELETE CASCADE ON UPDATE CASCADE ;");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `countryenvparam_log` ");
SQLS.append(" ADD CONSTRAINT `FK_countryenvparam_log_01`");
SQLS.append(" FOREIGN KEY (`system` , `Country` , `Environment` )");
SQLS.append(" REFERENCES `countryenvparam` (`system` , `Country` , `Environment` )");
SQLS.append(" ON DELETE CASCADE ON UPDATE CASCADE");
SQLS.append(", ADD INDEX `FK_countryenvparam_log_01` (`system` ASC, `Country` ASC, `Environment` ASC) ;");
SQLInstruction.add(SQLS.toString());
//-- Enlarge data execution column in order to keep track of full SQL executed.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("ALTER TABLE `testcaseexecutiondata` CHANGE COLUMN `Value` `Value` VARCHAR(3000) NOT NULL , CHANGE COLUMN `RMessage` `RMessage` VARCHAR(3000) NULL DEFAULT '' ;");
SQLInstruction.add(SQLS.toString());
//-- Insert default environment in order to get examples running.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `countryenvparam` (`system`, `Country`, `Environment`, `Build`, `Revision`, `Chain`, `DistribList`, `EMailBodyRevision`, `Type`, `EMailBodyChain`, `EMailBodyDisableEnvironment`, `active`, `maintenanceact`) VALUES ('DEFAULT', 'RX', 'PROD', '', '', '', '', '', 'STD', '', '', 'Y', 'N');");
SQLInstruction.add(SQLS.toString());
SQLS = new StringBuilder();
SQLS.append("INSERT INTO `countryenvironmentparameters` (`system`, `Country`, `Environment`, `Application`, `IP`, `URL`, `URLLOGIN`) VALUES ('DEFAULT', 'RX', 'PROD', 'Google', 'www.google.com', '/', '');");
SQLInstruction.add(SQLS.toString());
//-- Force default system to DEFAULT.
//-- ------------------------
SQLS = new StringBuilder();
SQLS.append("UPDATE `user` SET DefaultSystem='DEFAULT' where DefaultSystem is null;");
SQLInstruction.add(SQLS.toString());
return SQLInstruction;
}
|
diff --git a/src/gwt/src/org/rstudio/studio/client/workbench/prefs/views/GeneralPreferencesPane.java b/src/gwt/src/org/rstudio/studio/client/workbench/prefs/views/GeneralPreferencesPane.java
index 23773af8ae..fc1464a924 100644
--- a/src/gwt/src/org/rstudio/studio/client/workbench/prefs/views/GeneralPreferencesPane.java
+++ b/src/gwt/src/org/rstudio/studio/client/workbench/prefs/views/GeneralPreferencesPane.java
@@ -1,344 +1,344 @@
/*
* GeneralPreferencesPane.java
*
* Copyright (C) 2009-12 by RStudio, Inc.
*
* Unless you have received this program directly from RStudio pursuant
* to the terms of a commercial license agreement with RStudio, then
* this program is licensed to you under the terms of version 3 of the
* GNU Affero General Public License. This program is distributed WITHOUT
* ANY EXPRESS OR IMPLIED WARRANTY, INCLUDING THOSE OF NON-INFRINGEMENT,
* MERCHANTABILITY OR FITNESS FOR A PARTICULAR PURPOSE. Please refer to the
* AGPL (http://www.gnu.org/licenses/agpl-3.0.txt) for more details.
*
*/
package org.rstudio.studio.client.workbench.prefs.views;
import com.google.gwt.dom.client.Style.Unit;
import com.google.gwt.event.dom.client.ClickEvent;
import com.google.gwt.event.dom.client.ClickHandler;
import com.google.gwt.resources.client.ImageResource;
import com.google.gwt.user.client.ui.CheckBox;
import com.google.gwt.user.client.ui.Label;
import com.google.inject.Inject;
import org.rstudio.core.client.StringUtil;
import org.rstudio.core.client.files.FileSystemContext;
import org.rstudio.core.client.prefs.PreferencesDialogBaseResources;
import org.rstudio.core.client.widget.DirectoryChooserTextBox;
import org.rstudio.core.client.widget.MessageDialog;
import org.rstudio.core.client.widget.OperationWithInput;
import org.rstudio.core.client.widget.SelectWidget;
import org.rstudio.core.client.widget.TextBoxWithButton;
import org.rstudio.studio.client.application.Desktop;
import org.rstudio.studio.client.application.model.SaveAction;
import org.rstudio.studio.client.common.FileDialogs;
import org.rstudio.studio.client.common.GlobalDisplay;
import org.rstudio.studio.client.common.SimpleRequestCallback;
import org.rstudio.studio.client.workbench.model.RemoteFileSystemContext;
import org.rstudio.studio.client.workbench.model.Session;
import org.rstudio.studio.client.workbench.prefs.model.GeneralPrefs;
import org.rstudio.studio.client.workbench.prefs.model.HistoryPrefs;
import org.rstudio.studio.client.workbench.prefs.model.ProjectsPrefs;
import org.rstudio.studio.client.workbench.prefs.model.RPrefs;
import org.rstudio.studio.client.workbench.prefs.model.UIPrefs;
import org.rstudio.studio.client.workbench.views.source.editors.text.IconvListResult;
import org.rstudio.studio.client.workbench.views.source.editors.text.ui.ChooseEncodingDialog;
import org.rstudio.studio.client.workbench.views.source.model.SourceServerOperations;
public class GeneralPreferencesPane extends PreferencesPane
{
@Inject
public GeneralPreferencesPane(RemoteFileSystemContext fsContext,
FileDialogs fileDialogs,
UIPrefs prefs,
Session session,
final GlobalDisplay globalDisplay,
SourceServerOperations server)
{
fsContext_ = fsContext;
fileDialogs_ = fileDialogs;
prefs_ = prefs;
server_ = server;
session_ = session;
if (Desktop.isDesktop())
{
if (Desktop.getFrame().canChooseRVersion())
{
rVersion_ = new TextBoxWithButton(
"R version:",
"Change...",
new ClickHandler()
{
public void onClick(ClickEvent event)
{
String ver = Desktop.getFrame().chooseRVersion();
if (!StringUtil.isNullOrEmpty(ver))
{
rVersion_.setText(ver);
globalDisplay.showMessage(MessageDialog.INFO,
"Change R Version",
"You need to quit and re-open RStudio " +
"in order for this change to take effect.");
}
}
});
rVersion_.setWidth("100%");
rVersion_.setText(Desktop.getFrame().getRVersion());
spaced(rVersion_);
add(rVersion_);
}
}
Label defaultLabel = new Label("Default working directory (when not in a project):");
nudgeRight(defaultLabel);
add(tight(defaultLabel));
add(dirChooser_ = new DirectoryChooserTextBox(null,
null,
fileDialogs_,
fsContext_));
spaced(dirChooser_);
nudgeRight(dirChooser_);
textBoxWithChooser(dirChooser_);
restoreLastProject_ = new CheckBox("Restore most recently opened project at startup");
lessSpaced(restoreLastProject_);
add(restoreLastProject_);
add(checkboxPref("Restore previously open source documents at startup", prefs_.restoreSourceDocuments()));
add(loadRData_ = new CheckBox("Restore .RData into workspace at startup"));
lessSpaced(loadRData_);
saveWorkspace_ = new SelectWidget(
"Save workspace to .RData on exit:",
new String[] {
"Always",
"Never",
"Ask"
});
spaced(saveWorkspace_);
add(saveWorkspace_);
alwaysSaveHistory_ = new CheckBox(
"Always save history (even when not saving .RData)");
lessSpaced(alwaysSaveHistory_);
add(alwaysSaveHistory_);
removeHistoryDuplicates_ = new CheckBox(
"Remove duplicate entries in history");
spaced(removeHistoryDuplicates_);
add(removeHistoryDuplicates_);
rProfileOnResume_ = new CheckBox("Run Rprofile when resuming suspended session");
spaced(rProfileOnResume_);
if (!Desktop.isDesktop())
add(rProfileOnResume_);
// The error handler features require source references; if this R
// version doesn't support them, don't show these options.
if (session_.getSessionInfo().getHaveSrcrefAttribute())
{
add(checkboxPref(
- "Use debug error handler only when errors contain my code",
+ "Use debug error handler only when my code contains errors",
prefs_.handleErrorsInUserCodeOnly()));
CheckBox chkTracebacks = checkboxPref(
"Automatically expand tracebacks in error inspector",
prefs_.autoExpandErrorTracebacks());
chkTracebacks.getElement().getStyle().setMarginBottom(15, Unit.PX);
add(chkTracebacks);
}
encodingValue_ = prefs_.defaultEncoding().getGlobalValue();
add(encoding_ = new TextBoxWithButton(
"Default text encoding:",
"Change...",
new ClickHandler()
{
public void onClick(ClickEvent event)
{
server_.iconvlist(new SimpleRequestCallback<IconvListResult>()
{
@Override
public void onResponseReceived(IconvListResult response)
{
new ChooseEncodingDialog(
response.getCommon(),
response.getAll(),
encodingValue_,
true,
false,
new OperationWithInput<String>()
{
public void execute(String encoding)
{
if (encoding == null)
return;
setEncoding(encoding);
}
}).showModal();
}
});
}
}));
nudgeRight(encoding_);
textBoxWithChooser(encoding_);
spaced(encoding_);
setEncoding(prefs.defaultEncoding().getGlobalValue());
// provide check for updates option in desktop mode when not
// already globally disabled
if (Desktop.isDesktop() &&
!session.getSessionInfo().getDisableCheckForUpdates())
{
add(checkboxPref("Automatically notify me of updates to RStudio",
prefs_.checkForUpdates()));
}
saveWorkspace_.setEnabled(false);
loadRData_.setEnabled(false);
dirChooser_.setEnabled(false);
alwaysSaveHistory_.setEnabled(false);
removeHistoryDuplicates_.setEnabled(false);
rProfileOnResume_.setEnabled(false);
restoreLastProject_.setEnabled(false);
}
@Override
protected void initialize(RPrefs rPrefs)
{
// general prefs
GeneralPrefs generalPrefs = rPrefs.getGeneralPrefs();
saveWorkspace_.setEnabled(true);
loadRData_.setEnabled(true);
dirChooser_.setEnabled(true);
int saveWorkspaceIndex;
switch (generalPrefs.getSaveAction())
{
case SaveAction.NOSAVE:
saveWorkspaceIndex = 1;
break;
case SaveAction.SAVE:
saveWorkspaceIndex = 0;
break;
case SaveAction.SAVEASK:
default:
saveWorkspaceIndex = 2;
break;
}
saveWorkspace_.getListBox().setSelectedIndex(saveWorkspaceIndex);
loadRData_.setValue(generalPrefs.getLoadRData());
dirChooser_.setText(generalPrefs.getInitialWorkingDirectory());
// history prefs
HistoryPrefs historyPrefs = rPrefs.getHistoryPrefs();
alwaysSaveHistory_.setEnabled(true);
removeHistoryDuplicates_.setEnabled(true);
alwaysSaveHistory_.setValue(historyPrefs.getAlwaysSave());
removeHistoryDuplicates_.setValue(historyPrefs.getRemoveDuplicates());
rProfileOnResume_.setValue(generalPrefs.getRprofileOnResume());
rProfileOnResume_.setEnabled(true);
// projects prefs
ProjectsPrefs projectsPrefs = rPrefs.getProjectsPrefs();
restoreLastProject_.setEnabled(true);
restoreLastProject_.setValue(projectsPrefs.getRestoreLastProject());
}
@Override
public ImageResource getIcon()
{
return PreferencesDialogBaseResources.INSTANCE.iconR();
}
@Override
public boolean onApply(RPrefs rPrefs)
{
boolean restartRequired = super.onApply(rPrefs);
prefs_.defaultEncoding().setGlobalValue(encodingValue_);
if (saveWorkspace_.isEnabled())
{
int saveAction;
switch (saveWorkspace_.getListBox().getSelectedIndex())
{
case 0:
saveAction = SaveAction.SAVE;
break;
case 1:
saveAction = SaveAction.NOSAVE;
break;
case 2:
default:
saveAction = SaveAction.SAVEASK;
break;
}
// set general prefs
GeneralPrefs generalPrefs = GeneralPrefs.create(saveAction,
loadRData_.getValue(),
rProfileOnResume_.getValue(),
dirChooser_.getText());
rPrefs.setGeneralPrefs(generalPrefs);
// set history prefs
HistoryPrefs historyPrefs = HistoryPrefs.create(
alwaysSaveHistory_.getValue(),
removeHistoryDuplicates_.getValue());
rPrefs.setHistoryPrefs(historyPrefs);
// set projects prefs
ProjectsPrefs projectsPrefs = ProjectsPrefs.create(
restoreLastProject_.getValue());
rPrefs.setProjectsPrefs(projectsPrefs);
}
return restartRequired;
}
@Override
public String getName()
{
return "General";
}
private void setEncoding(String encoding)
{
encodingValue_ = encoding;
if (StringUtil.isNullOrEmpty(encoding))
encoding_.setText(ChooseEncodingDialog.ASK_LABEL);
else
encoding_.setText(encoding);
}
private final FileSystemContext fsContext_;
private final FileDialogs fileDialogs_;
private SelectWidget saveWorkspace_;
private TextBoxWithButton rVersion_;
private TextBoxWithButton dirChooser_;
private CheckBox loadRData_;
private final CheckBox alwaysSaveHistory_;
private final CheckBox removeHistoryDuplicates_;
private CheckBox restoreLastProject_;
private CheckBox rProfileOnResume_;
private final SourceServerOperations server_;
private final UIPrefs prefs_;
private final TextBoxWithButton encoding_;
private String encodingValue_;
private final Session session_;
}
| true | true | public GeneralPreferencesPane(RemoteFileSystemContext fsContext,
FileDialogs fileDialogs,
UIPrefs prefs,
Session session,
final GlobalDisplay globalDisplay,
SourceServerOperations server)
{
fsContext_ = fsContext;
fileDialogs_ = fileDialogs;
prefs_ = prefs;
server_ = server;
session_ = session;
if (Desktop.isDesktop())
{
if (Desktop.getFrame().canChooseRVersion())
{
rVersion_ = new TextBoxWithButton(
"R version:",
"Change...",
new ClickHandler()
{
public void onClick(ClickEvent event)
{
String ver = Desktop.getFrame().chooseRVersion();
if (!StringUtil.isNullOrEmpty(ver))
{
rVersion_.setText(ver);
globalDisplay.showMessage(MessageDialog.INFO,
"Change R Version",
"You need to quit and re-open RStudio " +
"in order for this change to take effect.");
}
}
});
rVersion_.setWidth("100%");
rVersion_.setText(Desktop.getFrame().getRVersion());
spaced(rVersion_);
add(rVersion_);
}
}
Label defaultLabel = new Label("Default working directory (when not in a project):");
nudgeRight(defaultLabel);
add(tight(defaultLabel));
add(dirChooser_ = new DirectoryChooserTextBox(null,
null,
fileDialogs_,
fsContext_));
spaced(dirChooser_);
nudgeRight(dirChooser_);
textBoxWithChooser(dirChooser_);
restoreLastProject_ = new CheckBox("Restore most recently opened project at startup");
lessSpaced(restoreLastProject_);
add(restoreLastProject_);
add(checkboxPref("Restore previously open source documents at startup", prefs_.restoreSourceDocuments()));
add(loadRData_ = new CheckBox("Restore .RData into workspace at startup"));
lessSpaced(loadRData_);
saveWorkspace_ = new SelectWidget(
"Save workspace to .RData on exit:",
new String[] {
"Always",
"Never",
"Ask"
});
spaced(saveWorkspace_);
add(saveWorkspace_);
alwaysSaveHistory_ = new CheckBox(
"Always save history (even when not saving .RData)");
lessSpaced(alwaysSaveHistory_);
add(alwaysSaveHistory_);
removeHistoryDuplicates_ = new CheckBox(
"Remove duplicate entries in history");
spaced(removeHistoryDuplicates_);
add(removeHistoryDuplicates_);
rProfileOnResume_ = new CheckBox("Run Rprofile when resuming suspended session");
spaced(rProfileOnResume_);
if (!Desktop.isDesktop())
add(rProfileOnResume_);
// The error handler features require source references; if this R
// version doesn't support them, don't show these options.
if (session_.getSessionInfo().getHaveSrcrefAttribute())
{
add(checkboxPref(
"Use debug error handler only when errors contain my code",
prefs_.handleErrorsInUserCodeOnly()));
CheckBox chkTracebacks = checkboxPref(
"Automatically expand tracebacks in error inspector",
prefs_.autoExpandErrorTracebacks());
chkTracebacks.getElement().getStyle().setMarginBottom(15, Unit.PX);
add(chkTracebacks);
}
encodingValue_ = prefs_.defaultEncoding().getGlobalValue();
add(encoding_ = new TextBoxWithButton(
"Default text encoding:",
"Change...",
new ClickHandler()
{
public void onClick(ClickEvent event)
{
server_.iconvlist(new SimpleRequestCallback<IconvListResult>()
{
@Override
public void onResponseReceived(IconvListResult response)
{
new ChooseEncodingDialog(
response.getCommon(),
response.getAll(),
encodingValue_,
true,
false,
new OperationWithInput<String>()
{
public void execute(String encoding)
{
if (encoding == null)
return;
setEncoding(encoding);
}
}).showModal();
}
});
}
}));
nudgeRight(encoding_);
textBoxWithChooser(encoding_);
spaced(encoding_);
setEncoding(prefs.defaultEncoding().getGlobalValue());
// provide check for updates option in desktop mode when not
// already globally disabled
if (Desktop.isDesktop() &&
!session.getSessionInfo().getDisableCheckForUpdates())
{
add(checkboxPref("Automatically notify me of updates to RStudio",
prefs_.checkForUpdates()));
}
saveWorkspace_.setEnabled(false);
loadRData_.setEnabled(false);
dirChooser_.setEnabled(false);
alwaysSaveHistory_.setEnabled(false);
removeHistoryDuplicates_.setEnabled(false);
rProfileOnResume_.setEnabled(false);
restoreLastProject_.setEnabled(false);
}
| public GeneralPreferencesPane(RemoteFileSystemContext fsContext,
FileDialogs fileDialogs,
UIPrefs prefs,
Session session,
final GlobalDisplay globalDisplay,
SourceServerOperations server)
{
fsContext_ = fsContext;
fileDialogs_ = fileDialogs;
prefs_ = prefs;
server_ = server;
session_ = session;
if (Desktop.isDesktop())
{
if (Desktop.getFrame().canChooseRVersion())
{
rVersion_ = new TextBoxWithButton(
"R version:",
"Change...",
new ClickHandler()
{
public void onClick(ClickEvent event)
{
String ver = Desktop.getFrame().chooseRVersion();
if (!StringUtil.isNullOrEmpty(ver))
{
rVersion_.setText(ver);
globalDisplay.showMessage(MessageDialog.INFO,
"Change R Version",
"You need to quit and re-open RStudio " +
"in order for this change to take effect.");
}
}
});
rVersion_.setWidth("100%");
rVersion_.setText(Desktop.getFrame().getRVersion());
spaced(rVersion_);
add(rVersion_);
}
}
Label defaultLabel = new Label("Default working directory (when not in a project):");
nudgeRight(defaultLabel);
add(tight(defaultLabel));
add(dirChooser_ = new DirectoryChooserTextBox(null,
null,
fileDialogs_,
fsContext_));
spaced(dirChooser_);
nudgeRight(dirChooser_);
textBoxWithChooser(dirChooser_);
restoreLastProject_ = new CheckBox("Restore most recently opened project at startup");
lessSpaced(restoreLastProject_);
add(restoreLastProject_);
add(checkboxPref("Restore previously open source documents at startup", prefs_.restoreSourceDocuments()));
add(loadRData_ = new CheckBox("Restore .RData into workspace at startup"));
lessSpaced(loadRData_);
saveWorkspace_ = new SelectWidget(
"Save workspace to .RData on exit:",
new String[] {
"Always",
"Never",
"Ask"
});
spaced(saveWorkspace_);
add(saveWorkspace_);
alwaysSaveHistory_ = new CheckBox(
"Always save history (even when not saving .RData)");
lessSpaced(alwaysSaveHistory_);
add(alwaysSaveHistory_);
removeHistoryDuplicates_ = new CheckBox(
"Remove duplicate entries in history");
spaced(removeHistoryDuplicates_);
add(removeHistoryDuplicates_);
rProfileOnResume_ = new CheckBox("Run Rprofile when resuming suspended session");
spaced(rProfileOnResume_);
if (!Desktop.isDesktop())
add(rProfileOnResume_);
// The error handler features require source references; if this R
// version doesn't support them, don't show these options.
if (session_.getSessionInfo().getHaveSrcrefAttribute())
{
add(checkboxPref(
"Use debug error handler only when my code contains errors",
prefs_.handleErrorsInUserCodeOnly()));
CheckBox chkTracebacks = checkboxPref(
"Automatically expand tracebacks in error inspector",
prefs_.autoExpandErrorTracebacks());
chkTracebacks.getElement().getStyle().setMarginBottom(15, Unit.PX);
add(chkTracebacks);
}
encodingValue_ = prefs_.defaultEncoding().getGlobalValue();
add(encoding_ = new TextBoxWithButton(
"Default text encoding:",
"Change...",
new ClickHandler()
{
public void onClick(ClickEvent event)
{
server_.iconvlist(new SimpleRequestCallback<IconvListResult>()
{
@Override
public void onResponseReceived(IconvListResult response)
{
new ChooseEncodingDialog(
response.getCommon(),
response.getAll(),
encodingValue_,
true,
false,
new OperationWithInput<String>()
{
public void execute(String encoding)
{
if (encoding == null)
return;
setEncoding(encoding);
}
}).showModal();
}
});
}
}));
nudgeRight(encoding_);
textBoxWithChooser(encoding_);
spaced(encoding_);
setEncoding(prefs.defaultEncoding().getGlobalValue());
// provide check for updates option in desktop mode when not
// already globally disabled
if (Desktop.isDesktop() &&
!session.getSessionInfo().getDisableCheckForUpdates())
{
add(checkboxPref("Automatically notify me of updates to RStudio",
prefs_.checkForUpdates()));
}
saveWorkspace_.setEnabled(false);
loadRData_.setEnabled(false);
dirChooser_.setEnabled(false);
alwaysSaveHistory_.setEnabled(false);
removeHistoryDuplicates_.setEnabled(false);
rProfileOnResume_.setEnabled(false);
restoreLastProject_.setEnabled(false);
}
|
Subsets and Splits