The ANT build script I have does the following:
net use
<mkdir>
to create a directory on the mounted drive (P:) Below is my code for mkdir
<echo>Creating ${buildRequesterUserId} folder at mirroring site starts</echo>
<mkdir dir="P:\build_output\${buildRequesterUserId}"/>
<echo>Creating ${buildRequesterUserId} folder at mirroring site ends</echo>
Some time the creation of folder works and some time it fails with below error
creation was not successful for an unknown reason
and makes the build fail
This error happens randomly. The Mkdir works some time. I am not sure why it fails and not sure if its because of network lag
also the directory i am trying to create may or may not exist already. I read that the mkdir does not do anything if directory exists already
I checked and there is no failonerror
for mkdir. I don't want the build to fail because of this.
I have handled the error in copy
part but not sure how to handle this mkdir
How can I achieve this? Any help would be appreciated
Regards
Karthik
Apache Ant Mkdir
task is calling File.mkdirs()
method which is vulnerable to race conditions.
File.mkdirs()
is not an atomic operation - I guess it is implemented as a sequence of mkdir
calls.
In case of a remote filsystem there's a good chance that your host gets aware of filesystem changes in the middle of File.mkdirs()
operation and it fails.
Ant seemed to try to fix it as Mkdir
code changed from this in 1.8.0
boolean result = mkdirs(dir);
if (!result) {
String msg = "Directory " + dir.getAbsolutePath()
+ " creation was not successful for an unknown reason";
throw new BuildException(msg, getLocation());
}
to this in 1.8.2
boolean result = mkdirs(dir);
if (!result) {
if (dir.exists()) {
log("A different process or task has already created "
+ "dir " + dir.getAbsolutePath(),
Project.MSG_VERBOSE);
return;
}
String msg = "Directory " + dir.getAbsolutePath()
+ " creation was not successful for an unknown reason";
throw new BuildException(msg, getLocation());
}
so maybe upgrading to the latest Ant could help?
If not - some brute force Mkdir
task extension could be created with your own execute()
method implementation.
If not - Trycatch task from Ant Contrib will work.