In the How IT of today we create a SVN pre-commit’ hook coded in Java language 🙂

Why we need this
From small teams to really big teams counting more than 100 heads, the source control is almost mandatory. Apache Subversion (SVN) is one of most popular solution for software versioning and release control. Despite that as standard installation the application has no way to validate anything committed by users, SVN is very flexible to accept externals applications which are referred as hooks. Each hook will be executed in a specific step of the process; start-commit, pre-commit, pre-lock, pre-unlock, post-commit, etc.
SVN hooks can be used for almost everything, but commonly they do notification, validation, or replication over each operation. So, this could be the source of power over all bad artefacts submitted by users and prevent the lack of documentation in your application source code.
What we need
Development
- JDK 1.7+
- Log4J 1.2.16
- SVNKit 1.8.12
- Maven 3.0.5+
Execution – server
- VisualSVN Server 3.7.1 (including SVN 1.9.7)
- Microsoft Windows (just because of shell scripts)
Execution – client
- TortoiseSVN 1.9.7+ (or your favourite SVN clients flavour)
How to
Let’s create a hypothetical scenario where we need to validate the name of files submitted by the team. Also, we need to be sure that no unacceptable word is going to be used in our artefacts contents. In this case, we want to stop the commit before the bad file turns part of the repository.
To achieve this goal we must create two hooks (could be only one, but for educational purposes will be two), which will be executed in pre-commit step. therefore, in case of break of rules, the commit will not be concluded.
A pattern to make it easy
First things first, we need to prepare the following dependencies in pom.xml
:
<!-- Log4J -->
<dependency>
<groupId>log4j</groupId>
<artifactId>log4j</artifactId>
<version>1.2.16</version>
</dependency>
<!-- SVN -->
<dependency>
<groupId>org.tmatesoft.svnkit</groupId>
<artifactId>svnkit</artifactId>
<version>1.8.12</version>
</dependency>
The first validation will check if the file name contains only letters and number. It’s not a big challenge, right? Indeed! To do this task we coded the file TickingClockHook.java
:
@Override
public void validate(String[] args) throws PreCommitException
{
//Isolate the file name
String fileName = args[4];
log.debug("File name: " + fileName);
if (fileName.contains("/"))
{
fileName = fileName.substring((fileName.lastIndexOf("/") + 1), fileName.length());
}
fileName = fileName.substring(0, fileName.indexOf("."));
//Pattern to accept only letters and numbers
Pattern pattern = Pattern.compile("^[a-zA-Z0-9]+$");
if (!pattern.matcher(fileName).matches())
{
throw new PreCommitException("The file name must use only letters and numbers; " + fileName + " is not valid.");
}
}
That was easy! As you can see, nothing in this method is exotic or hard to understand. Please, take a look at:
- Line 51: we are reading the file name in method’s argument
- Lines 53-57: isolate the file name from path and extension
- Line 60: the regular expression to accept only letters and numbers is created
- Line 62: verify if the file name matches to the pattern
- Line 64: when the file name contains any non-alphabetic characters or numerics, the validation fails
Ok, but… is it works? Sure! See this output when trying to commit the file test-123.java
:
Error: Commit failed (details follow):
Error: Commit blocked by pre-commit hook (exit code 1) with output:
Error: ==============================================================
Error:
Error: Your commit is blocked since the file name is not accepted.
Error: File: trunk/test-123.java
Error: Reason: The file name must use only letters and numbers; test-123 is not
Error: valid.
Error: You should fix it to try again.
Error:
Error: ==============================================================
Error: If you want to break the lock, use the 'Check For Modifications' dialog or the repository browser.
What about the validation of contents? Let’s see what is coded in BadLanguageHook.java
:
@Override
public void validate(String[] args) throws PreCommitException
{
String contents = loadFileContents(args[1], getUsername(), getPassword(), args[2], args[4]).toUpperCase();
for (String word : bannedWords)
{
log.debug("Looking for: " + word);
if (contents.contains((word.toUpperCase())))
{
throw new PreCommitException("Is not acceptable the use of " + word + " in contents of files.");
}
}
}
Less lines and nothing difficult:
- Line 54: the file contents are read
- Line 56: check for each banned word on the list
- Line 59: look in contents for the forbidden word
- Line 61: if the word is there, the validation fails
When we try to commit a dirty file:
Error: Commit failed (details follow):
Error: Commit blocked by pre-commit hook (exit code 1) with output:
Error: ==============================================================
Error:
Error: Your commit is blocked since something in file contents is not
Error: allowed.
Error: File: trunk/JollyRoger.java
Error: Reason: Is not acceptable the use of peter pan in contents of files.
Error: You should fix it to try again.
Error:
Error: ==============================================================
Error: If you want to break the lock, use the 'Check For Modifications' dialog or the repository browser.
After to behold the magic, we can check inside of the top hat.
I created a set of three classes as a pattern to make easy the creation of any hook of pre-commit to SVN.
The complete source code, compiling and shinning is available in my GitHub.
Let’s see the first and “core” of this pattern, the PreCommitInterdiction.java
class:
public final static void main(String args[])
{
//Checking for valid entries
if (!hasValidArguments(args))
{
defineAsInternalError("This execution is invalid. Please, check for pre-commit script and useful messages in your log file " + LOG4J_LOG_FILE);
}
else
{
//Instantiate the hook
PreCommitHook hook = createHook(args[0]);
//Executes the validation using the hook
try
{
if (hook != null)
{
hook.validate(args);
printSuccess();
}
}
catch (PreCommitException ex)
{
log.error("Could not validate because a pre-commit exception happened: " + ex.getMessage(), ex);
printFail(ex.getMessage());
}
catch (Exception ex)
{
log.error("Could not validate because a general exception happened: " + ex.getMessage(), ex);
defineAsInternalError(ex.getMessage());
}
}
log.debug("...end!");
}
The method main
is responsible to validate its arguments and call for the hook:
- Line 146: check if calling arguments are valid
- Line 153: instantiate the implementation of pre-commit hook
- Line 160: execute the validation implemented by the hook
- Line 167: when the validation fails, a message is printed explaining it
- Line 172: if an unexpected error occurs, a message explaining it is printed
As you may notice, the highlighted line 160 is the point of interest in this map. The program calls the method validate
of hook’s class, it comes from the interface PreCommitHook.java
:
public interface PreCommitHook
{
/**
* Performs the validation of commit.
*
* @param args Array of parameters to execute the hook.
* @throws PreCommitException Happens when any or all implemented rules are broken.
*/
public void validate(String[] args) throws PreCommitException;
}
This interface has to be implemented by all pre-commit hook classes and has only one method to override, it is validate
.
The third class is our specific implementation of Exception
, the PreCommitException.java
:
public class PreCommitException extends Exception
{
/**
* New friendly pre-commit exception.
*
* @param message Explanation of the exception
*/
public PreCommitException(String message)
{
super(message);
}
}
There is nothing special in this exception besides it is being used to thrown specific issues in the validation process.
Back to hook which is responsible to validate the file contents, in line 54 of file BadLanguageHook.java
, what is the method loadFileContents
? It comes from its superclass. All pre-commit hook have to extend PreCommitInterdiction
, so this method is available. Take a look:
protected String loadFileContents(String repositoryPath, String username, String password, String transaction, String filePath) throws PreCommitException
{
File repo = null;
SVNLookClient svnLook = null;
String contents = null;
try
{
repo = new File(repositoryPath);
ISVNAuthenticationManager authenticationManager = BasicAuthenticationManager.newInstance(username, password.toCharArray());
ISVNOptions svnOptions = new DefaultSVNOptions();
svnLook = new SVNLookClient(authenticationManager, svnOptions);
}
catch (Exception ex)
{
log.error("Fail while connecting to SVN using \"" + username + ": " + ex.getMessage(), ex);
throw new PreCommitException("Unable to connect to SVN: " + ex.getMessage());
}
try
{
ByteArrayOutputStream baos = new ByteArrayOutputStream();
svnLook.doCat(repo, filePath, transaction, baos);
contents = baos.toString();
}
catch (SVNException ex)
{
log.error("Fail while loading contents of \"" + filePath + "\": " + ex.getMessage(), ex);
throw new PreCommitException("Unable to load contents of submitted file: " + ex.getMessage());
}
if (contents == null)
{
throw new PreCommitException("Contents loaded from file is invalid.");
}
return contents;
}
- Line 286-289: connect to SVN repository
- Line 298-300: read the contents of submitted file
If the instance is unable to connect to SVN or the file contents is unreachable or invalid, a PreCommitException
is thrown.
At this point, we have walked for all Java implementation. The pattern is flexible and functional in any Operating System, I guess (I have not tested others than Windows). The source code is available on my GitHub as well entire solution including configurations files and scripts.
However, the Java application (hook) will not work without a little help. The SVN server doesn’t execute applications itself but shell scripts. Therefore, when using Windows as host of the SVN server (not as client) you need to write a couple of .bat or .cmd files to call your hooks.
To accomplish our current scenario are needed three scripts:
- pre-commit.bat: responsible to call other scripts, in fact, everything could be written here
- TickingClockHook.bat: call the hook responsible to validate filenames
- BadLanguageHook.bat: call the hook responsible to validate each file’s contents
These scripts will work only in a Windows host. If you are running your SVN Server on Linux, you need to write bash scripts to do what they do above -it is not a big deal.
Finally, there are two files used to configure the execution:
- log4j.xml: configuration of log messages
- svn.properties: authentication parameters used by the hook to connect to SVN
Here we are! I hope this pattern help you to make things a little more organized in your projects.
Download the complete and functional project from my GitHub.