Renaming Azure Blobs to Lowercase Using Bash and AzCopy Chris Child | 2024-01-18 | 2 min read| Comments
When working with Azure Blob Storage, you might encounter issues due to case sensitivity in blob names. If your application expects all blob names to be lowercase but some are stored in mixed or uppercase, renaming them manually can be tedious. This Bash script automates the process, ensuring all blob names are converted to lowercase using azcopy
.
How It Works
- Lists All Blobs: The script retrieves all blobs from a specified container using
azcopy list
. - Converts Names to Lowercase: It iterates through the blobs and converts each name to lowercase.
- Copies & Renames: If the name has changed, it copies the blob to a new lowercase-named blob.
- Deletes the Original Blob: After successfully copying, it deletes the original blob.
Prerequisites
- Install and configure
azcopy
. - Set your storage account name, container name, and SAS token in the script.
The Script
#!/bin/bash
STORAGE_ACCOUNT_NAME=
CONTAINER_NAME=
SAS_TOKEN=
# Set the base URL for the storage account
STORAGE_BASE_URL="https://${STORAGE_ACCOUNT_NAME}.blob.core.windows.net/${CONTAINER_NAME}"
# List all blobs in the specified container
BLOBS=$(azcopy list "${STORAGE_BASE_URL}?${SAS_TOKEN}" --output-type text | grep -oP '.*(?=\s{2})')
# Iterate through each blob in the list
for BLOB_NAME in $BLOBS; do
# Convert the blob name to lowercase
LOWERCASE_BLOB_NAME=$(echo "$BLOB_NAME" | tr '[:upper:]' '[:lower:]')
# Check if the blob name has changed after converting to lowercase
if [ "$BLOB_NAME" != "$LOWERCASE_BLOB_NAME" ]; then
# Copy the original blob to a new blob with the lowercase name
azcopy copy "${STORAGE_BASE_URL}/${BLOB_NAME}?${SAS_TOKEN}" "${STORAGE_BASE_URL}/${LOWERCASE_BLOB_NAME}?${SAS_TOKEN}"
# Delete the original blob after the copy operation has completed
azcopy rm "${STORAGE_BASE_URL}/${BLOB_NAME}?${SAS_TOKEN}"
fi
done
Use Case
This script is particularly useful when migrating data or normalizing blob names to avoid case-sensitivity issues in applications.
š Run the script and ensure your blob names stay consistent!