This page describes the rules that we use when writing source-code.
In addition to the license header, all source code files have to bear the following copyright header:
1.
/*
2.
* © /Vorname und Name des Studenten/, Freie Universität Berlin /Jahr/
3.
*/
ext-src
de.fu_berlin.inf.#project#
for instance de.fu_berlin.inf.wikidoc
or de.fu_berlin.inf.ecg
. This follows Suns suggestions of how to choose a package name.
readme.txt
which contains instructions for how to run the application and gives a short overview of the code-base.
I
IProject
, IPreferenceStore
Listener
to it MouseListener
Adapter
instead of Listener
to it MouseAdapter
events
, relative to their corresponding class Foo
resides in package de.fu_berlin.inf.bar
, then FooListener
and FooAdapter
have to reside in de.fu_berlin.inf.bar.events
protected
or public
to indicate whether this attribute is part of the public signature (then public
) or not (then protected
).
private
) you need to explain the reason for this in the JavaDoc comment, because a private
attribute should make anybody stop and think "Uh-Oh. I better don't mess with this.". If we use private
for everything then we would not need protected
at all. protected
instead) as it restricts the possibilities of others.
protected
, or define an interface)
1.
public
class
A
implements
B, C, D {
2.
…
01.
public
class
A
implements
D {
02.
03.
B b =
new
B(){
04.
…
05.
};
06.
07.
C c =
new
C(){
08.
09.
};
10.
…
1.
public
void
… {
2.
…
3.
if
(condition){
4.
// long block of code
5.
}
6.
}
1.
public
void
… {
2.
3.
…
4.
if
(!condition)
5.
return
6.
7.
// long block of code
8.
}
01.
/**
02.
* Get positions of slashes in the filename.
03.
* @param filename may be null
04.
* @return Null-based indices into the string pointing to the slash positions.
05.
*/
06.
public
int
[] findAllSlashes(String filename) {
07.
if
(filename ==
null
)
08.
return
new
int
[];
09.
…
@ui
or @swing
or @swt
- This method needs to be called from the UI thread, otherwise an exception might occur.
@nonBlocking
- This method does return before finishing its activities. If there is at least one method is a class which is non-blocking it is highly recommended to put @blocking
to all other methods to help users recognize that blocking behavior is important for this class
@blocking
- This method is potentially long-running and blocks until it is done. This is the default for all method, which are unmarked.
@valueObject
- The objects of this class are immutable. All methods are side effect free.
@nonReentrant
- This method cannot be called twice at the same time.
@threadsafe
- This method can safely be called twice at the same time.
@caching
- If possible, this method uses a cache to calculate the return value.
Whenever a method is long-running, i.e. there is a chance that it will take longer than 100ms or involves any external factors such as the user or input/output, the software engineer is responsible to provide a way to track progress of the operation and provide to the caller the possibility to cancel the operation.
If the software engineer does not provide such opportunity the user experience might be reduced. For instance in Saros, there used to be no possibility to cancel a file transfer from one user to the other but just to cancel in between the files. This behavior seems okay, but once we started to see archive files of 10 MB and more, which could only be canceled by disconnecting from the Jabber-Server, the undesireability of the behavior becomes pretty clear.
Fortunately enough there is a straight-forward and simple solution, which also improves the general threading behavior of the application: The class to use is calledSubMonitor
which implements the IProgressMonitor
interface.
Now all methods which are long running, need to be changed to take a SubMonitor
as a last parameter (this is our convention):
1.
public
Result computeSomething(List<Something> input, …, SubMonitor progress){
ProgressMonitor
with the name of the task and the number of steps this task will take (if the number of steps is unknown we set it to a large integer, 10000 is our convention):
progress.beginTask("Computing Something", input.size());
Now whenever we have made some progress towards this task, we can report this to the monitor:1.
for
(Something some : input){
2.
… process input
3.
progress.worked(
1
)
4.
}
At the end of the task, we should report, that we are done with the task:
1.
progress.done()
beginTask()
, worked()
, and done()
is sufficient to achieve the basic uses of progress monitoring.
01.
public
void
computeInTwoSteps(SubMonitor progress){
02.
03.
progress.beginTask(
"Compute in two steps"
,
2
);
04.
05.
computeFirstStep(progress.newChild(
1
));
06.
07.
computeSecondStep(progress.newChild(
1
));
08.
09.
progress.done();
10.
}
This code will pass two =SubMonitor=s to the two methods, which then are free to use them just as the parent method did:
1.
public
void
computeFirstStep(SubMonitor progress){
2.
3.
progress.beginTask(
"Compute the first step"
,
140
);
4.
…
5.
progress.worked(
5
);
// etc.
6.
…
7.
progress.done();
8.
}
A progress monitor provides 3 ways to report information from a long running operation to the user
worked()
beginTask(String)
and setTaskName(String)
subTask(String)
This information is typically presented to the user as a Dialog with a message being equal to the taskname of the top level progress monitor, a progress bar showing the growing amount of work already done and a label for the current sub-task which switches everytime the sub-task is being set.
Since the taskName is fixed (by default), only the top level task name is shown to the user. The task name of the nested operations are never shown to the user. To report status messages from nested operations, the sub-task needs to be used:
01.
public
void
computeInTwoSteps(SubMonitor progress){
02.
03.
progress.beginTask(
"Compute in two steps"
,
2
);
04.
05.
progress.subTask(
"Two Step Computation: Step 1"
);
06.
computeFirstStep(progress.newChild(
1
));
07.
08.
progress.subTask(
"Two Step Computation: Step 2"
);
09.
computeSecondStep(progress.newChild(
1
));
10.
11.
progress.done();
12.
}
To have a progress dialog on operations for which the amount of steps are unknown, the following solution is recommended:
1.
while
(!done()){
2.
…
do
work
3.
4.
progress.setWorkRemaining(
1000
);
5.
progress.worked(
1
);
6.
}
This code will advance the progress bar 0,1% of the remaining total of the progress monitor and thus logarithmically approach 100% worked. The percentage 0,1% should be adjusted to achieve 50% progress on the expected number of work steps.
1.
for
(Something some : input){
2.
if
(progress.isCanceled())
3.
return
;
4.
… process input
5.
progress.worked(
1
)
6.
}
CancellationException
so that a caller can recognize that the operation was canceled:
01.
/**
02.
* @cancelable This long-running can be canceled via the given
03.
* progress monitor and will throw an CancellationException
04.
* in this case.
05.
*/
06.
public
BigInteger factorial(
int
n, SubMonitor progress){
07.
08.
progress.beginTask(
"Computing Factorial of "
+ n, n);
09.
10.
BigInteger result = BigInteger.ONE;
11.
12.
for
(
int
i =
1
; i < n; i++){
13.
if
(progress.isCanceled())
14.
throw
new
CancellationException();
15.
16.
result = result.multiply(BigInteger.valueOf(i));
17.
progress.worked(
1
);
18.
}
19.
20.
progress.done();
21.
return
result;
22.
}
InterruptedException
for this, because it is a checked exception and thus cumbersome for the caller. To maintain this convention, a method MUST specify whether it is cancelable, by providing the demonstrated JavaDoc tag.
container.addComponent(A.class)
container.getComponent(A.class)
@Inject
) and AFTER the constructor has been called will fill those fields with the dependencies. This type of injection, provides the code with the best readability (constructors with many parameters are difficult to read) but is more difficult to manage, because dependencies are not available in the constructor.
To avoid repeated code blocks in an Observable like
01.
class
Observable {
02.
03.
List<Listener> listeners =
new
…
04.
public
void
addListener(Listener listener){listeners.add(listener)}
05.
public
void
removeListener(Listener listener){...}
06.
07.
public
void
someMethod() {
08.
…
09.
// notify all listeners
10.
for
(Listener l : listeners) {
11.
l.notify();
12.
}
13.
}
14.
15.
public
void
someMethod2() {
16.
…
17.
// notify all listeners again
18.
for
(Listener l : listeners) {
19.
l.notify();
20.
}
21.
}
22.
23.
}
BroadcastListener
that
provides a method to notify all its registered listeners. The
BroadcastListener
should be a singleton managed by PicoContainer
.
01.
public
class
BroadcastListener
implements
Listener {
02.
03.
List<Listener> listeners =
new
…
04.
public
void
add(Listener listener){listeners.add(listener)}
05.
public
void
remove(Listener listener){...}
06.
07.
public
void
notify() {
08.
for
(Listener l : listeners) {
09.
l.notify();
10.
}
11.
}
12.
13.
}
BroadcastListener
and can easily notify all registered
listeners at once.
01.
class
Observable {
02.
03.
BroadcastListener listener =
new
BroadcastListener();
04.
05.
public
void
someMethod(){
06.
…
07.
listener.notify();
08.
}
09.
10.
public
void
someMethod2(){
11.
…
12.
listener.notify();
13.
}
14.
}
01.
public
void
setSharedProject(SharedProject newSharedProject) {
02.
03.
if
(sharedProject == newSharedProject)
04.
return
;
05.
06.
// Unregister from old project
07.
if
(sharedProject !=
null
) {
08.
sharedProject.removeListener(
this
);
09.
}
10.
11.
sharedProject = newSharedProject;
12.
13.
// Register to new project
14.
if
(sharedProject !=
null
) {
15.
sharedProject.addListener(
this
);
16.
}
17.
}
All source documents are expected to be documented and written in English.
1.
/*
2.
* one comment that takes up at least
3.
* two lines
4.
*/
There are six categories of comments:
A counter-example:
01.
/**
02.
* return a stack of String,
03.
* @param text
04.
* @return Stack
05.
*/
06.
public
Stack getFormatJavadocLine(String text) {
07.
StringTokenizer st =
new
StringTokenizer(text,
"\n"
);
08.
Stack stack =
new
Stack();
09.
while
(st.hasMoreTokens()) {
10.
stack.add(st.nextToken());
11.
}
12.
return
stack;
13.
}
The documentation is absolutely useless as it just repeats the signature and even fails to explain the method name. Furthermore the method name is wrong for the task that is actually performed. The important question whether this method returns a stack of the individual lines in text from top to bottom or bottom to top remains unanswered.
1.
/*
2.
* TODO FIX: Our caller should be able to distinguish whether the
3.
* query failed or it is an IM client which sends back the message
4.
*/
1.
/*
2.
* move all chess pieces to start position
3.
*/
1.
/*
2.
* initialize a new chess game
3.
*/
Acceptable code comments are summary comments, intent comments and information that cannot be expressed in code. Markers are acceptable during development but should be removed before release. Try to avoid comments that repeat or explain the code.
[NOP]
This commit did not have any effect and only affects whitespace, removing unused methods, fixing documentation typos, etc.
[DOCU]
Improves JavaDocs or comments
[TASK]
Adds things that need to be done
[API]
Affects the interface or dependencies of a component without creating any new functionality or fixing an existing bug
[INTERNAL]
Only affects the details of the implementation without any effects to users of the component.
[REFACTOR]
API
or INTERNAL
changes, which are done using automated tool support. So while REFACTOR
changes usually result in large diffs, they are not very error prone. Caution: A refactoring should always be a separate patch, because refactorings are very hard to read.
[FIX] #Number: Bug description from SF
Fixes a bug, if possible attach the SourceForge Bug #ID
[FEATURE]
Improves the functionality of the software
[LOG]
Improves Logging with Log4j
[UI]
Improvements to the user interface
1.
[auto-props]
2.
*.java = svn:eol-style=LF
3.
*.txt = svn:eol-style=LF
We expect that all source code used in thesis to deal gracefully with errors. The goals to aim for should be:
RuntimeException
that might have slipped up.
Use the following method for this (you might want to pass up =RuntimeException=s up the stack as well):
01.
/**
02.
* Return a new Runnable which runs the given runnable but catches all
03.
* RuntimeExceptions and logs them to the given logger.
04.
*
05.
* Errors are logged and rethrown.
06.
*
07.
* This method does NOT actually run the given runnable, but only wraps it.
08.
*/
09.
public
static
Runnable wrapSafe(
final
Logger log,
final
Runnable runnable) {
10.
return
new
Runnable() {
11.
public
void
run() {
12.
try
{
13.
runnable.run();
14.
}
catch
(RuntimeException e) {
15.
log.error(
"Internal Error:"
, e);
16.
}
catch
(Error e) {
17.
log.error(
"Internal Fatal Error:"
, e);
18.
19.
// Rethrow errors (such as an OutOfMemoryError)
20.
throw
e;
21.
}
22.
}
23.
};
24.
}
When developing in Eclipse the following code-snippets might help:
1.
Display.getDefault().syncExec(
new
Runnable() {
2.
public
void
run() {
3.
MessageDialog.openError(Display.getDefault().getActiveShell(),
4.
"Dialog Title"
,
"Error message"
);
5.
}
6.
});
1.
YourPlugin.getDefault().getLog().log(
2.
new
Status(IStatus.ERROR,
"Plug-In ID goes here"
, IStatus.ERROR, message, e));
Anti-example:
01.
public
Javadoc updateJavadoc(String filename, String name,
02.
String newJavadocText,
int
isType) {
03.
Javadoc jd =
null
;
04.
try
{
05.
… Try to update Javadoc …
06.
}
catch
(Exception e) {
// No, no, no!
07.
e.printStackTrace();
08.
}
09.
System.out.println(
"The new javadoc-------\n"
+ jd);
10.
return
jd;
11.
}
01.
public
Javadoc updateJavadoc(String filename, String name,
02.
String newJavadocText,
int
isType) {
03.
Javadoc jd =
null
;
04.
try
{
05.
… Try to update Javadoc …
06.
}
catch
(IOException e){
// Catch the checked exceptions that occur
07.
// Transform to runtime exception if you don't know what to do with it.
08.
throw
new
RuntimeException(e);
09.
}
// let all runtime exceptions go up the stack
10.
System.out.println(
"The new javadoc-------\n"
+ jd);
11.
return
jd;
12.
}
How to do it right:
01.
public
Javadoc updateJavadoc(String filename, String name,
02.
String newJavadocText,
int
isType)
throws
IOException{
03.
Javadoc jd =
null
;
04.
try
{
05.
… Try to update Javadoc …
06.
}
catch
(IOException e){
// Catch the checked exceptions that occur
07.
// bring the internal logic back to a stable state (if you can)
08.
throw
e;
// let the caller handle this exception
09.
}
10.
System.out.println(
"The new javadoc-------\n"
+ jd);
11.
return
jd;
12.
}
1.
private
static
final
Logger log = Logger.getLogger(${enclosing_type}.
class
);
ERROR
An error should be printed if something occurred which is the fault of the developer and which will cause unexpected behavior for the user.
WARN
A warning should be printed if something occurred which is the fault of the developer but which while not expected to occur should be handled gracefully by the application.
INFO
Any information that is of interest to the user may be printed using INFO.
DEBUG
Any information which might be useful for the developer when figuring out what the application did may be printed as DEBUG. The amount of information printed should not cause the performance of the application to suffer (use TRACE
for this).
TRACE
Detailed information about the program execution should use the TRACE level. This information usually is so detailed that the application runs slower and thus should never be enabled in a production version.
1.
try
{
2.
Thread.sleep(
500
);
3.
}
catch
(InterruptedException e){
4.
Thread.currentThread().interrupt();
// The code will continue after after the catch
5.
}
01.
boolean
interrupted =
false
;
02.
try
{
03.
while
(looping){
04.
// do stuff
05.
try
{
06.
Thread.sleep(
500
);
07.
}
catch
(InterruptedException e){
08.
interrupted =
true
;
09.
}
10.
}
11.
}
finally
{
12.
if
(interrupted)
13.
Thread.currentThread().interrupt();
// The code will continue after after the catch
14.
}
1.
/**
2.
* @nonInterruptable This method does not support being interrupted
3.
*/
IOUtils.closeQuitely()
for closing streams, as it handles all cases (null, exceptions) in one line
1.
if
(…){
2.
return
null
;
3.
}
else
{
4.
// do a lot of things...
5.
// nested very...
6.
// …deeply
7.
}
1.
if
(…){
2.
return
null
;
3.
}
4.
// do a lot of things...
5.
// nested only...
6.
// …deeply now (you saved a level of nesting)
-ea
and use asserts to let people understand what you were assuming in your code.
IPath
to a String
use IPath.toPortableString()
to convert from a String
to an IPath
use Path.fromPortableString()
(one could also use toString()
and new Path(String)
, but we prefer the from/toPortable
version).
enum
instead of a bunch of static final int
fields. Then you have type safety for related constants and more readable debugging output is possible because you get meaningful names instead of "magic" numbers.