To auto-generate a GitHub Gist from a folder with files, you can use the GitHub API and a scripting language like Python or Bash. Below are the steps to achieve this.
- Go to GitHub settings.
- Click on "Generate new token".
- Select the scopes you need. For Gists, you'll generally need the "gist" scope.
- Generate the token and save it securely.
You can use the following Python script to create a Gist from all files in a specified folder:
import os
import requests
# Your GitHub token
TOKEN = 'your_personal_access_token'
# The folder containing files
FOLDER_PATH = 'path/to/your/folder'
def create_gist(folder_path):
files = {}
# Iterate over all files in the folder
for filename in os.listdir(folder_path):
if os.path.isfile(os.path.join(folder_path, filename)):
with open(os.path.join(folder_path, filename), 'r') as f:
files[filename] = {
'content': f.read()
}
# Create the Gist
gist_data = {
'description': 'Gist created from folder',
'public': True,
'files': files
}
response = requests.post(
'https://api.github.com/gists',
json=gist_data,
headers={'Authorization': f'token {TOKEN}'}
)
if response.status_code == 201:
print('Gist created successfully:', response.json()['html_url'])
else:
print('Error creating Gist:', response.content)
if __name__ == '__main__':
create_gist(FOLDER_PATH)
If you prefer a Bash script, you can use the following cURL command in a loop:
#!/bin/bash
# Your GitHub token
TOKEN='your_personal_access_token'
# The folder containing files
FOLDER_PATH='path/to/your/folder'
declare -A files
# Read all files in the folder
for file in "$FOLDER_PATH"/*; do
filename=$(basename "$file")
content=$(<"$file")
files["$filename"]="$content"
done
# Prepare JSON data
json_data="{\"description\": \"Gist created from folder\", \"public\": true, \"files\": {"
for filename in "${!files[@]}"; do
json_data+="\"$filename\": {\"content\": \"${files[$filename]}\"},"
done
json_data="${json_data%,}}}"
# Create the Gist
response=$(curl -s -X POST -H "Authorization: token $TOKEN" -d "$json_data" https://api.github.com/gists)
# Check if the Gist was created successfully
if echo "$response" | grep -q '"html_url":'; then
echo "Gist created successfully: $(echo "$response" | grep '"html_url":' | awk -F '"' '{print $4}')"
else
echo "Error creating Gist: $response"
fi
- Make sure to replace
your_personal_access_token
with your actual GitHub token andpath/to/your/folder
with the path to the folder you want to upload. - Save the script as
create_gist.py
(for Python) orcreate_gist.sh
(for Bash). - For Bash, give execute permission:
chmod +x create_gist.sh
- Run the script:
- For Python:
python create_gist.py
- For Bash:
./create_gist.sh
- For Python:
This process will create a GitHub Gist containing all the files from the specified folder. Make sure to check the GitHub API documentation for further customization options. If you have any questions or need further assistance, feel free to ask!