summaryrefslogtreecommitdiffstats
path: root/dict.py
blob: aca3fbf0e144eddb750940cc1b602f240348c92a (plain) (blame)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
#!/bin/python

import requests
import random
import os
import sys  # Import for potential error handling

# Customizable word list path
WORD_LIST_PATH = "~/.local/share/vocab/words.txt"

def get_random_word_from_urban_dictionary():
    """Retrieves a random word and definition from Urban Dictionary API."""
    url = "http://api.urbandictionary.com/v0/random"

    try:
        response = requests.get(url, timeout=2)
        response.raise_for_status()  # Raise an exception if request failed

        data = response.json()
        word = data['list'][0]['word']
        definition = data['list'][0]['definition']
        return word, definition

    except requests.exceptions.RequestException:
        return None, None

def get_random_word_from_local_file():
    """Retrieves a random word from the local word list."""
    try:
        # Expand '~' for the home directory in the path
        word_list_path = os.path.expanduser(WORD_LIST_PATH)

        with open(word_list_path, 'r') as file:
            words = file.readlines()
        # Choose a random word (assuming words are separated by newlines)
        return words[random.randint(0, len(words) - 1)].strip()

    except (FileNotFoundError, PermissionError) as e:
        print(f"Error reading local word list: {e}")
        return None

if __name__ == "__main__":
    word, definition = get_random_word_from_urban_dictionary()

    if not word:  # Check if word retrieval failed
        word = get_random_word_from_local_file()

    if word:
        os.system(f"cowsay '{word} -> {definition if definition else ''}'")
    else:
        print("Could not get a word from either source.")