230

I am creating a quick backup script that will dump some databases into a nice/neat directory structure and I realized that I need to test to make sure that the directories exist before I create them. The code I have works, but is there a better way to do it?

[ -d "$BACKUP_DIR" ] || mkdir "$BACKUP_DIR"
[ -d "$BACKUP_DIR/$client" ] || mkdir "$BACKUP_DIR/$client"
[ -d "$BACKUP_DIR/$client/$year" ] || mkdir "$BACKUP_DIR/$client/$year"
[ -d "$BACKUP_DIR/$client/$year/$month" ] || mkdir "$BACKUP_DIR/$client/$year/$month"
[ -d "$BACKUP_DIR/$client/$year/$month/$day" ] || mkdir "$BACKUP_DIR/$client/$year/$month/$day"
Peter Mortensen
  • 30,738
  • 21
  • 105
  • 131
Topher Fangio
  • 20,372
  • 15
  • 61
  • 94

4 Answers4

510

You can use the -p parameter, which is documented as:

-p, --parents

no error if existing, make parent directories as needed

So:

mkdir -p "$BACKUP_DIR/$client/$year/$month/$day"
Community
  • 1
  • 1
bmargulies
  • 97,814
  • 39
  • 186
  • 310
73
mkdir -p "$BACKUP_DIR/$client/$year/$month/$day"
Peter Mortensen
  • 30,738
  • 21
  • 105
  • 131
Jonathan Feinberg
  • 44,698
  • 7
  • 80
  • 103
26

While existing answers definitely solve the purpose, if you’re looking to replicate a nested directory structure under two different subdirectories, then you can do this:

mkdir -p {main,test}/{resources,scala/com/company}

It will create the following directory structure under the directory from where it is invoked:

├── main
│   ├── resources
│   └── scala
│       └── com
│           └── company
└── test
    ├── resources
    └── scala
        └── com
            └── company

The example was taken from this link for creating an SBT directory structure.

Peter Mortensen
  • 30,738
  • 21
  • 105
  • 131
y2k-shubham
  • 10,183
  • 11
  • 55
  • 131
  • 11
    You may want to explain what `{...,...}` is in bash and why what your doing makes sense. A short explanation of the *brace expansion* would be beneficial to other users. A "you can do this" and get "this" leaves a bit to the imagination. – David C. Rankin Dec 22 '17 at 05:43
  • I agree with @DavidC.Rankin. This answer is perfect IMHO, but it needs explaining what the bracket notation actually does. – Delali Dec 09 '18 at 15:44
0
mkdir -p newDir/subdir{1..8}
ls newDir/
subdir1 subdir2 subdir3 subdir4 subdir5 subdir6 subdir7 subdir8
Das_Geek
  • 2,775
  • 7
  • 20
  • 26