Skip to content

Commit 2f37ad2

Browse files
Added a python script that uploads an image to imgur via keyboard shortcut. (#314)
* Added a python script that uploads an image to imgur and also handles exceptions gracefully * Made requested changes * Created morse code encoder and decoder * seperate 2 PRs * minor improvements * added Morse code encoder decoder under issue #313
1 parent 4d28b62 commit 2f37ad2

File tree

6 files changed

+142
-1
lines changed

6 files changed

+142
-1
lines changed

Image Uploader/.gitignore

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
secret.env

Image Uploader/README.md

+23
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,23 @@
1+
# Image Upload Script
2+
3+
## Overview
4+
5+
This Python script allows users to upload images from their clipboard directly to Imgur by pressing a keyboard shortcut. It utilizes the Imgur API for image uploads and the `python-dotenv` package to manage environment variables securely.
6+
7+
## Features
8+
9+
- **Clipboard Image Capture**: Captures images from the clipboard.
10+
- **Imgur API Integration**: Uploads images to Imgur using a simple API call.
11+
- **Keyboard Shortcut**: Allows users to trigger the upload with a predefined keyboard shortcut (`Ctrl + Alt + S`).
12+
- **Environment Variable Management**: Utilizes a `secret.env` file for managing sensitive data, such as the Imgur Client ID and add it under the name `IMGUR_CLIENT_ID`.
13+
14+
15+
**Note**: You can add an image in your clipboard using `Win + Shift + S`
16+
Also press Esc to end the program
17+
18+
## Example Screenshot
19+
20+
Here’s how the application looks when running:
21+
22+
![Screenshot of the app](https://i.imgur.com/e35Pvyh.png)
23+
![Screenshot of the app](https://i.imgur.com/ZfyHcsx.png)

Image Uploader/main.py

+45
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,45 @@
1+
import os
2+
import requests
3+
import keyboard
4+
from PIL import ImageGrab
5+
import io
6+
import base64
7+
from dotenv import load_dotenv
8+
9+
10+
load_dotenv("secret.env")
11+
# Set your Imgur API client ID here
12+
CLIENT_ID = os.getenv("IMGUR_CLIENT_ID")
13+
14+
def upload_to_imgur(image_data):
15+
headers = {"Authorization": f"Client-ID {CLIENT_ID}"}
16+
response = requests.post("https://api.imgur.com/3/image", headers=headers, data={"image": image_data})
17+
return response.json()
18+
19+
def upload_image():
20+
try:
21+
image = ImageGrab.grabclipboard()
22+
if image is None:
23+
print("No image found in the clipboard.")
24+
return
25+
26+
27+
with io.BytesIO() as output:
28+
image.save(output, format='PNG')
29+
image_data = base64.b64encode(output.getvalue()).decode() # converted to base64
30+
31+
# Upload the image to Imgur
32+
response = upload_to_imgur(image_data)
33+
34+
if response.get("success"):
35+
print("Image uploaded successfully:", response["data"]["link"])
36+
else:
37+
print("Failed to upload image:", response)
38+
except Exception as e:
39+
print(f"An error occurred: {e}")
40+
41+
42+
keyboard.add_hotkey('ctrl+alt+s', upload_image)
43+
44+
print("Listening for the shortcut... (Press ESC to stop)")
45+
keyboard.wait('esc')

Morse Code/README.md

+24
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,24 @@
1+
# Morse Code Encoder/Decoder
2+
3+
## Overview
4+
5+
This project provides a simple Python program to encode text into Morse code and decode Morse code back into text. It includes exception handling for invalid characters and offers default values when no input is provided.
6+
7+
## Features
8+
9+
- **Encoding**: Convert plain text into Morse code.
10+
- **Decoding**: Convert Morse code back into plain text.
11+
- **Exception Handling**: Handles invalid characters gracefully.
12+
- **Default Values**: If no input is provided, it uses default values ('SOS' for encoding and '... --- ...' for decoding).
13+
14+
## Installation
15+
16+
1. Ensure you have Python installed on your machine.
17+
2. Download the `morse_code.py` file.
18+
19+
## Usage
20+
21+
Run the script directly from the command line:
22+
23+
```bash
24+
python morse_code.py

Morse Code/main.py

+46
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,46 @@
1+
class MorseCode:
2+
# Morse code dictionary
3+
morse_dict = {
4+
'A': '.-', 'B': '-...', 'C': '-.-.', 'D': '-..', 'E': '.',
5+
'F': '..-.', 'G': '--.', 'H': '....', 'I': '..', 'J': '.---',
6+
'K': '-.-', 'L': '.-..', 'M': '--', 'N': '-.', 'O': '---',
7+
'P': '.--.', 'Q': '--.-', 'R': '.-.', 'S': '...', 'T': '-',
8+
'U': '..-', 'V': '...-', 'W': '.--', 'X': '-..-', 'Y': '-.--',
9+
'Z': '--..', '1': '.----', '2': '..---', '3': '...--',
10+
'4': '....-', '5': '.....', '6': '-....', '7': '--...',
11+
'8': '---..', '9': '----.', '0': '-----', ' ': '/'
12+
}
13+
14+
@classmethod
15+
def encode(cls, text=""):
16+
"""Encodes a given text into Morse code."""
17+
if not text:
18+
text = "SOS" # Default value if no input is provided
19+
try:
20+
return ' '.join(cls.morse_dict[char.upper()] for char in text)
21+
except KeyError as e:
22+
print(f"Error: Character '{e.args[0]}' cannot be encoded in Morse code.")
23+
return None
24+
25+
@classmethod
26+
def decode(cls, morse_code=""):
27+
"""Decodes a given Morse code into plain text."""
28+
if not morse_code:
29+
morse_code = "... --- ..." # Default value if no input is provided
30+
try:
31+
reverse_dict = {v: k for k, v in cls.morse_dict.items()}
32+
return ''.join(reverse_dict[code] for code in morse_code.split())
33+
except KeyError as e:
34+
print(f"Error: Morse code '{e.args[0]}' cannot be decoded.")
35+
return None
36+
37+
38+
if __name__ == "__main__":
39+
# Example usage
40+
text = input("Enter text to encode (leave blank for default 'SOS'): ")
41+
morse_code = MorseCode.encode(text)
42+
print(f"Morse Code: {morse_code}")
43+
44+
morse_input = input("Enter Morse code to decode (leave blank for default '... --- ...'): ")
45+
decoded_text = MorseCode.decode(morse_input)
46+
print(f"Decoded Text: {decoded_text}")

README.md

+3-1
Original file line numberDiff line numberDiff line change
@@ -74,7 +74,8 @@ More information on contributing and the general code of conduct for discussion
7474
| Image Compress | [Image Compress](https://github.com/DhanushNehru/Python-Scripts/tree/master/Image%20Compress) | Takes an image and compresses it. |
7575
| Image Manipulation without libraries | [Image Manipulation without libraries](https://github.com/DhanushNehru/Python-Scripts/tree/master/Image%20Manipulation%20without%20libraries) | Manipulates images without using any external libraries. |
7676
| Image Text | [Image Text](https://github.com/DhanushNehru/Python-Scripts/tree/master/Image%20Text) | Extracts text from the image. |
77-
| Image Text to PDF | [Image Text to PDF](https://github.com/DhanushNehru/Python-Scripts/tree/master/Image%20Text%20to%20PDF) | Adds an image and text to a PDF.
77+
| Image Text to PDF | [Image Text to PDF](https://github.com/DhanushNehru/Python-Scripts/tree/master/Image%20Text%20to%20PDF) | Adds an image and text to a PDF.
78+
| Image Uploader | [Image Uploader](https://github.com/DhanushNehru/Python-Scripts/tree/master/Image%20Uploader) | Uploads images to Imgur using a keyboard shortcut. |
7879
| Image Watermarker | [Image Watermarker](https://github.com/DhanushNehru/Python-Scripts/tree/master/Image%20Watermarker) | Adds a watermark to an image.
7980
| Image to ASCII | [Image to ASCII](https://github.com/DhanushNehru/Python-Scripts/tree/master/Image%20to%20ASCII) | Converts an image into ASCII art. |
8081
| Image to Gif | [Image to Gif](https://github.com/DhanushNehru/Python-Scripts/tree/master/Image%20to%20GIF) | Generate gif from images.
@@ -92,6 +93,7 @@ More information on contributing and the general code of conduct for discussion
9293
| Mail Sender | [Mail Sender](https://github.com/DhanushNehru/Python-Scripts/tree/master/Mail%20Sender) | Sends an email. |
9394
| Merge Two Images | [Merge Two Images](https://github.com/DhanushNehru/Python-Scripts/tree/master/Merge%20Two%20Images) | Merges two images horizontally or vertically. |
9495
| Mouse mover | [Mouse mover](https://github.com/DhanushNehru/Python-Scripts/tree/master/Mouse%20Mover) | Moves your mouse every 15 seconds. |
96+
| Morse Code | [Mose Code](https://github.com/DhanushNehru/Python-Scripts/tree/master/Morse%20Code) | Encodes and decodes Morse code. |
9597
| No Screensaver | [No Screensaver](https://github.com/DhanushNehru/Python-Scripts/tree/master/No%20Screensaver) | Prevents screensaver from turning on. |
9698
| OTP Verification | [OTP Verification](https://github.com/DhanushNehru/Python-Scripts/tree/master/OTP%20%20Verify) | An OTP Verification Checker. |
9799
| Password Generator | [Password Generator](https://github.com/DhanushNehru/Python-Scripts/tree/master/Password%20Generator) | Generates a random password. |

0 commit comments

Comments
 (0)