free_disk.py 1.5 KB

12345678910111213141516171819202122232425262728293031323334353637
  1. import argparse
  2. import logging
  3. import os
  4. import shutil
  5. def main():
  6. argparser = argparse.ArgumentParser(
  7. description='Delete files with earliest modification date'
  8. ' until a minimum of --free-bytes are available on the respective disk')
  9. argparser.add_argument('-d', '--debug', action='store_true')
  10. argparser.add_argument('--free-bytes', type=int, required=True)
  11. argparser.add_argument('root_dir_path', metavar='ROOT_DIR')
  12. args = argparser.parse_args()
  13. logging.basicConfig(level=logging.DEBUG if args.debug else logging.INFO,
  14. format='%(asctime)s:%(levelname)s:%(message)s',
  15. datefmt='%Y-%m-%dT%H:%M:%S%z')
  16. disk_usage = shutil.disk_usage(args.root_dir_path)
  17. logging.debug(disk_usage)
  18. if disk_usage.free >= args.free_bytes:
  19. logging.debug('Requirement already fulfilled')
  20. return
  21. file_paths = [os.path.join(dirpath, filename)
  22. for dirpath, _, filenames in os.walk(args.root_dir_path)
  23. for filename in filenames]
  24. removed_files_counter = 0
  25. for file_path in sorted(file_paths, key=lambda p: os.stat(p).st_mtime):
  26. if shutil.disk_usage(args.root_dir_path).free >= args.free_bytes:
  27. break
  28. os.remove(file_path)
  29. logging.debug('Removed file %s', file_path)
  30. removed_files_counter += 1
  31. logging.info('Removed %d files', removed_files_counter)
  32. if __name__ == '__main__':
  33. main()