artem
artem

Reputation: 16808

File.mkdir() and mkdirs() are creating file instead of directory

I use the following code:

final File newFile = new File("/mnt/sdcard/test/");
newFile.mkdir(); // if I use mkdirs() result is the same

And it creates an empty file! Why?

Upvotes: 11

Views: 48461

Answers (4)

colin-higgins
colin-higgins

Reputation: 1117

You wouldn't use mkdirs() unless you wanted each of those folders in the structure to be created. Try not adding the extra slash on the end of your string and see if that works.

For example

final File newFile = new File("/mnt/sdcard/test");
newFile.mkdir();

Upvotes: 20

Der Zinger
Der Zinger

Reputation: 555

When I need to ensure that all dirs for a file exist, but I have only filepath - i do

   new File(FileName.substring(0,FileName.lastIndexOf("/"))).mkdirs();

Upvotes: 7

Max
Max

Reputation: 572

First of all you shouldn't use a file path with "/mnt/sdcard/test", this may cause some problems with some android phones. Use instead:

public final static String APP_PATH_SD_CARD = "/Test";

String fullPath = Environment.getExternalStorageDirectory().getAbsolutePath() + APP_PATH_SD_CARD;

It creates an empty file since you added the dash.

Now that you have your path use the following code:

try {
    File dir = new File(fullPath);
    if (!dir.exists()) {
         dir.mkdirs();
    }
}
catch(Exception e){
    Log.w("creating file error", e.toString());
}

Upvotes: 2

No_Rulz
No_Rulz

Reputation: 2719

Try to use

    String rootPath=Environment.getExternalStorageDirectory().getAbsolutePath()+"/test/";
            File file=new File(rootPath);
if(!file.exists()){
file.mkdirs();
}

Upvotes: 1

Related Questions