Compare commits

...

5 commits

Author SHA1 Message Date
retardgerman 383ef1238b
Merge 7dbdc490ae into 82e50c64f0 2024-10-11 09:04:36 +02:00
retardgerman 7dbdc490ae
Update README.md 2024-10-09 12:22:49 +02:00
retardgerman e96161c7c2
Update mkbsd.py to use local JSOM 2024-10-09 12:19:31 +02:00
retardgerman b0ce68033d
Update README.md 2024-10-09 11:33:32 +02:00
SimplyJanDE 9d64df8423 load imagges from local JSON instead of API call. 2024-10-09 11:28:51 +02:00
4 changed files with 3728 additions and 68 deletions

View file

@ -18,15 +18,22 @@ MKBSD comes in two variants! Node.js and Python.
### Running in Node.js ### Running in Node.js
1. Ensure you have Node.js installed. 1. Ensure you have Node.js installed.
2. Run `node mkbsd.js` 2. Save the `images.json` file in the same directory as `mkbsd.js`.
3. Wait a little. 3. Run `node mkbsd.js`.
4. All wallpapers are now in a newly created `downloads` subfolder. 4. Wait a little.
5. All wallpapers are now in a newly created `downloads` subfolder.
### Changes Made in `mkbsd.js and mkbsd.py`
- **Local JSON Source**: The script was updated to read from a local `images.json` file instead of fetching data from a remote URL. This allows you to have full control over the data source.
- **File System Operations**: The script now uses Node.js's `fs` module to read and parse the JSON file directly.
- **Image Download Logic**: The image download logic was adapted to extract the artist's name and image URLs from the local JSON structure, ensuring the images are saved in artist-specific folders.
### Running in Python ### Running in Python
1. Ensure you have Python installed. 1. Ensure you have Python installed.
2. Ensure you have the `aiohttp` Python package installed (`pip install aiohttp`). 2. Save the `images.json` file in the same directory as `mkbsd.py`.
3. Run `python mkbsd.py` 3. Run `python mkbsd.py`.
4. Wait a little. 4. Wait a little.
5. All wallpapers are now in a newly created `downloads` subfolder. 5. All wallpapers are now in a newly created `downloads` subfolder.

3638
images.json Normal file

File diff suppressed because it is too large Load diff

View file

@ -1,51 +1,65 @@
const fs = require('fs'); const fs = require('fs');
const path = require('path'); const path = require('path');
// Function to delay the downloads
const delay = (ms) => new Promise(resolve => setTimeout(resolve, ms));
async function main() { async function main() {
const url = 'https://storage.googleapis.com/panels-api/data/20240916/media-1a-i-p~s'; const jsonFilePath = path.join(__dirname, 'images.json');
const delay = (ms) => new Promise(resolve => setTimeout(resolve, ms));
// Load local JSON file
let jsonData;
try { try {
const response = await fetch(url); if (!fs.existsSync(jsonFilePath)) {
if (!response.ok) { throw new Error('⛔ JSON file not found.');
throw new Error(`⛔ Failed to fetch JSON file: ${response.statusText}`);
}
const jsonData = await response.json();
const data = jsonData.data;
if (!data) {
throw new Error('⛔ JSON does not have a "data" property at its root.');
} }
for (const key in data) { const jsonFileContent = fs.readFileSync(jsonFilePath, 'utf-8');
const subproperty = data[key]; jsonData = JSON.parse(jsonFileContent);
if (subproperty && subproperty.dhd) { console.info('📂 JSON file loaded successfully!');
const imageUrl = subproperty.dhd; } catch (error) {
console.info(`🔍 Found image URL!`); console.error(`⛔ Failed to load JSON file: ${error.message}`);
return;
}
// Extract the artist name before the underscore const data = jsonData.data;
const artistNameMatch = imageUrl.match(/a~([^_/]+)/); if (!data) {
const artistName = artistNameMatch ? artistNameMatch[1] : 'unknown_artist'; console.error('⛔ JSON does not have a "data" property at its root.');
const artistDir = path.join(__dirname, 'downloads', artistName); return;
}
// Create artist directory if it doesn't exist // Loop through each item in the JSON
if (!fs.existsSync(artistDir)) { for (const key in data) {
fs.mkdirSync(artistDir, { recursive: true }); const subproperty = data[key];
console.info(`📁 Created directory: ${artistDir}`); if (subproperty && subproperty.dhd) {
} const imageUrl = subproperty.dhd;
console.info(`🔍 Found image URL!`);
// Extract the filename and extension // Extract the artist name before the underscore
const urlPath = new URL(imageUrl).pathname; const artistNameMatch = imageUrl.match(/a~([^_/]+)/);
const fileName = path.basename(urlPath); // Filename including extension (e.g. .jpg or .png) const artistName = artistNameMatch ? artistNameMatch[1] : 'unknown_artist';
const filePath = path.join(artistDir, fileName); const artistDir = path.join(__dirname, 'downloads', artistName);
// Download the image and save it to the specified path // Create artist directory if it doesn't exist
if (!fs.existsSync(artistDir)) {
fs.mkdirSync(artistDir, { recursive: true });
console.info(`📁 Created directory: ${artistDir}`);
}
// Extract the filename and extension
const urlPath = new URL(imageUrl).pathname;
const fileName = path.basename(urlPath); // Filename including extension (e.g., .jpg or .png)
const filePath = path.join(artistDir, fileName);
// Download the image and save it to the specified path
try {
await downloadImage(imageUrl, filePath); await downloadImage(imageUrl, filePath);
console.info(`🖼️ Saved image to ${filePath}`); console.info(`🖼️ Saved image to ${filePath}`);
await delay(250); // Delay between downloads await delay(250); // Delay between downloads
} catch (err) {
console.error(`❌ Error downloading image: ${err.message}`);
} }
} }
} catch (error) {
console.error(`Error: ${error.message}`);
} }
} }
@ -74,7 +88,7 @@ function asciiArt() {
console.info(`🤑 Starting downloads from your favorite sellout grifter's wallpaper app...`); console.info(`🤑 Starting downloads from your favorite sellout grifter's wallpaper app...`);
} }
// Start program with ASCII art and delay // Start the program with ASCII art and delay
(() => { (() => {
asciiArt(); asciiArt();
setTimeout(main, 5000); setTimeout(main, 5000);

View file

@ -2,9 +2,11 @@ import os
import time import time
import aiohttp import aiohttp
import asyncio import asyncio
import json
from urllib.parse import urlparse from urllib.parse import urlparse
url = 'https://storage.googleapis.com/panels-api/data/20240916/media-1a-i-p~s' # Load the local JSON file
json_file_path = 'images.json'
async def delay(ms): async def delay(ms):
await asyncio.sleep(ms / 1000) await asyncio.sleep(ms / 1000)
@ -22,38 +24,37 @@ async def download_image(session, image_url, file_path):
async def main(): async def main():
try: try:
# Load JSON data from the local file
with open(json_file_path, 'r') as json_file:
json_data = json.load(json_file)
data = json_data.get('data')
if not data:
raise Exception('⛔ JSON does not have a "data" property at its root.')
async with aiohttp.ClientSession() as session: async with aiohttp.ClientSession() as session:
async with session.get(url) as response: for key, subproperty in data.items():
if response.status != 200: if subproperty and subproperty.get('dhd'):
raise Exception(f"⛔ Failed to fetch JSON file: {response.status}") image_url = subproperty['dhd']
json_data = await response.json() print(f"🔍 Found image URL!")
data = json_data.get('data')
# Extract artist name from the URL
if not data: artist_name = image_url.split('a~')[1].split('_')[0]
raise Exception('⛔ JSON does not have a "data" property at its root.') artist_dir = os.path.join(os.getcwd(), 'downloads', artist_name)
for key, subproperty in data.items(): if not os.path.exists(artist_dir):
if subproperty and subproperty.get('dhd'): os.makedirs(artist_dir)
image_url = subproperty['dhd'] print(f"📁 Created directory: {artist_dir}")
print(f"🔍 Found image URL!")
# Extrahiere den Künstlernamen vor dem Unterstrich
parsed_url = urlparse(image_url)
artist_name = image_url.split('a~')[1].split('_')[0]
artist_dir = os.path.join(os.getcwd(), 'downloads', artist_name)
if not os.path.exists(artist_dir): # Extract filename from the URL
os.makedirs(artist_dir) filename = os.path.basename(urlparse(image_url).path) # Name including extension
print(f"📁 Created directory: {artist_dir}") file_path = os.path.join(artist_dir, filename)
# Extrahiere den Dateinamen und die Endung await download_image(session, image_url, file_path)
filename = os.path.basename(parsed_url.path) # Name inklusive Endung print(f"🖼️ Saved image to {file_path}")
file_path = os.path.join(artist_dir, filename)
await delay(250)
await download_image(session, image_url, file_path)
print(f"🖼️ Saved image to {file_path}")
await delay(250)
except Exception as e: except Exception as e:
print(f"Error: {str(e)}") print(f"Error: {str(e)}")
@ -74,4 +75,4 @@ def ascii_art():
if __name__ == "__main__": if __name__ == "__main__":
ascii_art() ascii_art()
time.sleep(5) time.sleep(5)
asyncio.run(main()) asyncio.run(main())