Refactor everything:
- F STRINGS???????????? - Enforce relativity - Rename things for better - Separate the cheating from the game playing - Remove most hardcoded constants - Introduce new wordlist 'format' (lol python, who needs json) - Test things fairly extensively
This commit is contained in:
parent
dff087128c
commit
b874cfc101
@ -1,3 +1,3 @@
|
|||||||
#!/usr/bin/python3
|
#!/usr/bin/python3
|
||||||
# lol
|
# lol
|
||||||
import g
|
import game
|
120
src/cheater.py
Normal file
120
src/cheater.py
Normal file
@ -0,0 +1,120 @@
|
|||||||
|
"""
|
||||||
|
Copyright(c) 2022 SoftFish
|
||||||
|
|
||||||
|
Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files(the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and / or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:
|
||||||
|
|
||||||
|
The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
|
||||||
|
|
||||||
|
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
|
||||||
|
"""
|
||||||
|
|
||||||
|
import w
|
||||||
|
import argparse
|
||||||
|
import color as c
|
||||||
|
from time import sleep
|
||||||
|
from datetime import date, timedelta
|
||||||
|
from signal import signal
|
||||||
|
from signal import SIGINT
|
||||||
|
from os import get_terminal_size
|
||||||
|
|
||||||
|
# Provide a clean getaway
|
||||||
|
|
||||||
|
|
||||||
|
def end():
|
||||||
|
exit()
|
||||||
|
|
||||||
|
# Set up sigint handler
|
||||||
|
|
||||||
|
|
||||||
|
def handler(signum, frame):
|
||||||
|
if signum == SIGINT:
|
||||||
|
end()
|
||||||
|
|
||||||
|
|
||||||
|
signal(SIGINT, handler)
|
||||||
|
|
||||||
|
# Set up argument parser
|
||||||
|
parser = argparse.ArgumentParser(
|
||||||
|
description='A Wordle cheating tool. You have been warned.'
|
||||||
|
)
|
||||||
|
parser.add_argument('day', nargs="?", type=int, help="Wordle day number")
|
||||||
|
parser.add_argument('-l', metavar="solution", help="look up the day of a given solution")
|
||||||
|
parser.add_argument('-d', metavar="day", type=int, help="look up the solution of a given day")
|
||||||
|
parser.add_argument('--word', metavar="word", help="Change the hint word")
|
||||||
|
parser.add_argument('--classic', action='store_true', help="use the classic Wordle word list")
|
||||||
|
# TODO: Implement hard mode properly (more than just a *)
|
||||||
|
|
||||||
|
# Parse the args
|
||||||
|
args = parser.parse_args()
|
||||||
|
|
||||||
|
# Handle the args
|
||||||
|
# Select the correct word list
|
||||||
|
if args.classic:
|
||||||
|
import w
|
||||||
|
else:
|
||||||
|
import w2 as w
|
||||||
|
|
||||||
|
# Get today's day number
|
||||||
|
if args.day is not None:
|
||||||
|
# Ahoy-hoy, time traveller!
|
||||||
|
d = args.day
|
||||||
|
else:
|
||||||
|
# find num. days since Wordle launch
|
||||||
|
d = (date.today() - date(2021, 6, 19)).days
|
||||||
|
|
||||||
|
# l is for "Find this word in the answers list"
|
||||||
|
if args.l:
|
||||||
|
l = args.l.lower()
|
||||||
|
# Look up the answer's index
|
||||||
|
if l in w.Answers and w.Answers.index(l) < d:
|
||||||
|
print("Wordle {}: {}".format(w.Answers.index(l), l))
|
||||||
|
else:
|
||||||
|
print("{} is not a Wordle (yet?)".format(args.l))
|
||||||
|
exit(0)
|
||||||
|
|
||||||
|
# d is for "Find this day's answer"
|
||||||
|
if args.d != None:
|
||||||
|
# Look up the answer
|
||||||
|
if args.d < len(w.Answers):
|
||||||
|
print(w.Answers[args.d])
|
||||||
|
else:
|
||||||
|
print("No Solution")
|
||||||
|
exit(0)
|
||||||
|
|
||||||
|
|
||||||
|
def wordbox(word):
|
||||||
|
|
||||||
|
# Colors!
|
||||||
|
# gray bg yellow bg green bg white fg black bg
|
||||||
|
COLORS = [0x13a3a3c, 0x1b59f3b, 0x1538d4e, 0xd7dadc, 0x1121213]
|
||||||
|
|
||||||
|
|
||||||
|
output = ""
|
||||||
|
line = [0] * len(word)
|
||||||
|
guess = list(word)
|
||||||
|
solution = list(w.Answers[d])
|
||||||
|
# Green pass
|
||||||
|
for i in range(len(word)):
|
||||||
|
if guess[i] == solution[i]:
|
||||||
|
# Mark the letter 'green' (2)
|
||||||
|
line[i] = 2
|
||||||
|
# Remove letter from solution and guess
|
||||||
|
solution[i] = guess[i] = 0
|
||||||
|
# Yellow pass
|
||||||
|
for i in range(len(word)):
|
||||||
|
if guess[i] and word[i] in solution:
|
||||||
|
# Mark the letter 'yellow' (1)
|
||||||
|
line[i] = 1
|
||||||
|
# Remove letter from solution and guess
|
||||||
|
solution[solution.index(word[i])] = guess[i] = 0
|
||||||
|
# Turn blocks into a string, and print it
|
||||||
|
# Move up to replace the input box
|
||||||
|
for i in range(len(word)):
|
||||||
|
output += f"{c.c24(COLORS[3])}{c.c24(COLORS[line[i]])} {word[i].upper()} {c.RESET}"
|
||||||
|
return output
|
||||||
|
|
||||||
|
if not args.word:
|
||||||
|
print(f"Wordle {d}:")
|
||||||
|
print(f"Today is {date(2021, 6, 19) + timedelta(days=d)}")
|
||||||
|
args.word = "crane"
|
||||||
|
print(f"Hint: {wordbox(args.word)}")
|
@ -9,13 +9,12 @@ THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLI
|
|||||||
"""
|
"""
|
||||||
|
|
||||||
# c.py: ANSI Escape Sequence colors
|
# c.py: ANSI Escape Sequence colors
|
||||||
from math import floor
|
|
||||||
|
|
||||||
# 'constants' -- feel free to change at runtime ;P
|
# 'constants' -- feel free to change at runtime ;P
|
||||||
RESET = "\033[0m"
|
RESET = "\033[0m"
|
||||||
|
|
||||||
def esc(c):
|
def esc(c):
|
||||||
return "\033[" + str(c) + "m"
|
return f"\033[{c}m"# + str(c) + "m"
|
||||||
|
|
||||||
|
|
||||||
def clear(line=True):
|
def clear(line=True):
|
||||||
@ -26,34 +25,34 @@ def clear(line=True):
|
|||||||
# ANSI Colors
|
# ANSI Colors
|
||||||
def c(c, bg=0, i=0):
|
def c(c, bg=0, i=0):
|
||||||
if(c < 8 and i < 2 and bg < 2):
|
if(c < 8 and i < 2 and bg < 2):
|
||||||
return esc(str(c + 30 + i*60 + bg*10))
|
return esc(f"{c + 30 + i*60 + bg*10}")
|
||||||
return RESET
|
return RESET
|
||||||
|
|
||||||
|
|
||||||
# RGB666 colors
|
# RGB6*6*6 colors
|
||||||
def rgb215text(r, g, b, bg=0):
|
def rgb8(r, g, b, bg=0):
|
||||||
return esc(str(38 + 10*(bg&1)) + ";5;" + str(16 + 36*r + 6*g + b))
|
return esc(f"{38 + 10*(bg&1)};5;{16 + 36*r + 6*g + b}")
|
||||||
|
#return esc(str(38 + 10*(bg&1)) + ";5;" + str(16 + 36*r + 6*g + b))
|
||||||
|
|
||||||
def rgb888text(r, g, b, bg=0):
|
def rgb24(r, g, b, bg=0):
|
||||||
sc=";"
|
|
||||||
# Generate terminal escape string
|
# Generate terminal escape string
|
||||||
return esc(str(38 + 10*(bg&1)) + ";2;"+str(r)+sc+str(g)+sc+str(b))
|
return esc(f"{38 + 10*(bg & 1)};2;{str(r)};{str(g)};{str(b)}")
|
||||||
|
|
||||||
# 24-bit color in the terminal!
|
# 24-bit color in the terminal!
|
||||||
# 0x bg rr gg bb
|
# 0x bg rr gg bb
|
||||||
def c24(color):
|
def c24(color):
|
||||||
bg = (color >> 24 & 0x01)
|
# Set up arguments for the color printer
|
||||||
r = (color >> 16 & 0xff)
|
args24 = {"r": (color >> 16 & 0xff), "g": (color >> 8 & 0xff), "b": (color >> 0 & 0xff), "bg":(color >> 24 & 0x01)}
|
||||||
g = (color >> 8 & 0xff)
|
args8 = dict(args24); args8["r"] //= 43; args8["g"] //= 43; args8["b"] //= 43
|
||||||
b = (color >> 0 & 0xff)
|
|
||||||
# Convert to 256-color as fallback, but append 24-bit color selector to end
|
# Convert to 256-color as fallback, but append 24-bit color selector to end
|
||||||
return rgb215text(r//43, g//43, b//43, bg) + rgb888text(r, g, b, bg)
|
return f"{rgb8(**args8)}{rgb24(**args24)}"
|
||||||
|
|
||||||
def c8(color):
|
# use c24 -> it will handle backwards-compat
|
||||||
bg = color >> 12 & 0x01
|
#def c8(color):
|
||||||
r = color >> 8 & 0x07
|
# bg = color >> 12 & 0x01
|
||||||
g = color >> 4 & 0x07
|
# r = color >> 8 & 0x07
|
||||||
b = color >> 0 & 0x07
|
# g = color >> 4 & 0x07
|
||||||
print (r, g, b, bg)
|
# b = color >> 0 & 0x07
|
||||||
return rgb215text(r if r < 6 else 5, g if g < 6 else 5, b if b < 6 else 5, bg)
|
# print (r, g, b, bg)
|
||||||
|
# return rgb8(r if r < 6 else 5, g if g < 6 else 5, b if b < 6 else 5, bg)
|
||||||
|
|
15
src/dummy.py
Normal file
15
src/dummy.py
Normal file
@ -0,0 +1,15 @@
|
|||||||
|
# dummy wordlist
|
||||||
|
# by Jeeb
|
||||||
|
# Information about your version of Wordle
|
||||||
|
Metadata = {
|
||||||
|
"name": "Dummy",
|
||||||
|
"version": "dummy",
|
||||||
|
"guesses": 4,
|
||||||
|
"launch": (2222, 2, 16)
|
||||||
|
}
|
||||||
|
# Your custom list of non-answer words goes here
|
||||||
|
Words = [
|
||||||
|
"b", "c", "d", "e", "f", "g", "h", "i", "j", "k", "l", "m",
|
||||||
|
"n", "o", "p", "q", "r", "s", "t", "u", "v", "w", "x", "y", "z"]
|
||||||
|
# Your custom list of answer-words goes here
|
||||||
|
Answers = ["a"]
|
@ -8,16 +8,14 @@ The above copyright notice and this permission notice shall be included in all c
|
|||||||
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
|
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
|
||||||
"""
|
"""
|
||||||
|
|
||||||
|
|
||||||
import w
|
|
||||||
import c
|
|
||||||
import ui
|
import ui
|
||||||
|
import color as c
|
||||||
import argparse
|
import argparse
|
||||||
from time import sleep
|
from time import sleep
|
||||||
from datetime import date
|
from datetime import date
|
||||||
from signal import signal
|
from signal import signal
|
||||||
from signal import SIGINT
|
from signal import SIGINT
|
||||||
from os import get_terminal_size
|
from os import get_terminal_size, terminal_size
|
||||||
|
|
||||||
# Provide a clean getaway
|
# Provide a clean getaway
|
||||||
def end():
|
def end():
|
||||||
@ -32,17 +30,16 @@ signal(SIGINT, handler)
|
|||||||
|
|
||||||
# Set up argument parser
|
# Set up argument parser
|
||||||
parser = argparse.ArgumentParser(
|
parser = argparse.ArgumentParser(
|
||||||
description='A barebones CLI Wordle clone, using official Wardle solutions. Also a Wordle cheating tool. You have been warned.'
|
description='A barebones CLI Wordle clone, using official Wardle solutions. You have been warned.'
|
||||||
)
|
)
|
||||||
parser.add_argument('day', nargs="?", type=int, help="Wordle day number")
|
parser.add_argument('day', nargs="?", type=int, help="Wordle day number")
|
||||||
parser.add_argument('-l', metavar="solution", help="look up the day of a given solution")
|
parser.add_argument('-g', metavar="guesses", type=int, help="number of guesses (limited by terminal size)")
|
||||||
parser.add_argument('-d', metavar="day", type=int, help="look up the solution of a given day")
|
|
||||||
parser.add_argument('-g', metavar="guesses", type=int, help="number of guesses")
|
|
||||||
parser.add_argument('--word', metavar="solution", help="force a particular word")
|
parser.add_argument('--word', metavar="solution", help="force a particular word")
|
||||||
|
parser.add_argument('--list', metavar="wordlist", help="use a custom wordlist")
|
||||||
parser.add_argument('--classic', action='store_true', help="use the classic Wordle word list")
|
parser.add_argument('--classic', action='store_true', help="use the classic Wordle word list")
|
||||||
parser.add_argument('--nonsense', action='store_true', help="allow nonsensical guesses")
|
parser.add_argument('--nonsense', action='store_true', help="allow nonsensical guesses")
|
||||||
parser.add_argument('--hard', action='store_true', help="enable hard mode (wip)")
|
parser.add_argument('--hard', action='store_true', help="enable hard mode (wip)")
|
||||||
parser.add_argument('--nocenter', action='store_true', help="disable centering the screen")
|
parser.add_argument('--center', action='store_true', help="center the screen")
|
||||||
# TODO: Implement hard mode properly (more than just a *)
|
# TODO: Implement hard mode properly (more than just a *)
|
||||||
|
|
||||||
# Parse the args
|
# Parse the args
|
||||||
@ -50,51 +47,35 @@ args = parser.parse_args()
|
|||||||
|
|
||||||
# Handle the args
|
# Handle the args
|
||||||
# Select the correct word list
|
# Select the correct word list
|
||||||
if args.classic:
|
Words, Answers, data = [], [], {"name":"", "version":"", "guesses":-1, "launch":(1970,1,1)}
|
||||||
import w
|
if not args.list:
|
||||||
else:
|
args.list = "w2"
|
||||||
import w2 as w
|
args.list = "w" if args.classic else args.list
|
||||||
|
# lol everything's a good py
|
||||||
|
exec(f"from {args.list} import Words, Answers, Metadata as data")
|
||||||
# Get today's day number
|
# Get today's day number
|
||||||
if args.day is not None:
|
if args.day is not None:
|
||||||
# Ahoy-hoy, time traveller!
|
# Ahoy-hoy, time traveller!
|
||||||
d = args.day
|
d = args.day
|
||||||
else:
|
else:
|
||||||
# find num. days since Wordle launch
|
# find num. days since Wordle launch
|
||||||
d = (date.today() - date(2021, 6, 19)).days
|
d = (date.today() - date(*data["launch"])).days
|
||||||
# l is for "Find this word in the answers list"
|
|
||||||
if args.l:
|
|
||||||
l = args.l.lower()
|
|
||||||
# Look up the answer's index
|
|
||||||
if l in w.Answers and w.Answers.index(l) < d:
|
|
||||||
print ("Wordle {}: {}".format(w.Answers.index(l), l))
|
|
||||||
else:
|
|
||||||
print ("{} is not a Wordle (yet?)".format(args.l))
|
|
||||||
exit(0)
|
|
||||||
# d is for "Find this day's answer"
|
|
||||||
if args.d != None:
|
|
||||||
# Look up the answer
|
|
||||||
if args.d < len(w.Answers):
|
|
||||||
print (w.Answers[args.d])
|
|
||||||
else:
|
|
||||||
print ("No Solution")
|
|
||||||
exit(0)
|
|
||||||
# g is for "maximum guesses"
|
# g is for "maximum guesses"
|
||||||
if args.g:
|
if args.g:
|
||||||
max_guesses = abs(args.g)
|
max_guesses = min(get_terminal_size().lines - 10, abs(args.g))
|
||||||
else:
|
else:
|
||||||
max_guesses = 6
|
max_guesses = data["guesses"]
|
||||||
# Get today's word
|
# Get today's word
|
||||||
if args.word:
|
if args.word:
|
||||||
solution = args.word
|
solution = args.word
|
||||||
# Indicate a non-standard word
|
# Indicate a non-standard word
|
||||||
d = args.word
|
d = "Custom"
|
||||||
# If solution not in words list, enable nonsense
|
# If solution not in words list, enable nonsense
|
||||||
if solution not in w.Words + w.Answers:
|
if solution not in Words + Answers:
|
||||||
args.nonsense = True
|
args.nonsense = True
|
||||||
else:
|
else:
|
||||||
if d >= len(w.Answers):
|
d = len(Answers) - 1 if d >= len(Answers) else 0 if d < 0 else d
|
||||||
d = len(w.Answers) - 1
|
solution = Answers[d]
|
||||||
solution = w.Answers[d]
|
|
||||||
# End arg parsing
|
# End arg parsing
|
||||||
|
|
||||||
|
|
||||||
@ -102,9 +83,8 @@ else:
|
|||||||
|
|
||||||
# Good data structures to have
|
# Good data structures to have
|
||||||
# Box characters!
|
# Box characters!
|
||||||
boxes = ["⬛", "🟨", "🟩"]
|
GRAY, YELLOW, GREEN, WHITE, BLACK = range(5)
|
||||||
# Colors!
|
boxes = ["⬛", "🟨", "🟩", " ", " "]
|
||||||
# gray bg yellow bg green bg white fg black bg
|
|
||||||
colors= [0x13a3a3c, 0x1b59f3b, 0x1538d4e, 0xd7dadc, 0x1121213]
|
colors= [0x13a3a3c, 0x1b59f3b, 0x1538d4e, 0xd7dadc, 0x1121213]
|
||||||
# Guesses go here
|
# Guesses go here
|
||||||
guesses = []
|
guesses = []
|
||||||
@ -113,41 +93,40 @@ letters = [4] * 27
|
|||||||
|
|
||||||
# Letter is in boxes
|
# Letter is in boxes
|
||||||
def wordbox(word, showword = 0):
|
def wordbox(word, showword = 0):
|
||||||
output = ""
|
line = [GRAY] * len(word)
|
||||||
line = [0] * len(word)
|
|
||||||
guess = list(word)
|
guess = list(word)
|
||||||
sol = list(solution)
|
sol = list(solution)
|
||||||
# Green pass
|
# Green pass
|
||||||
for i in range(len(word)):
|
for i in range(len(word)):
|
||||||
if guess[i] == sol[i]:
|
if guess[i] == sol[i]:
|
||||||
# Mark the letter 'green' (2)
|
# Mark the letter 'green' (2)
|
||||||
line[i] = 2
|
line[i] = GREEN
|
||||||
letters[letter_num(word[i])] = 2
|
letters[letter_num(word[i])] = GREEN
|
||||||
# Remove letter from solution and guess
|
# Remove letter from solution and guess
|
||||||
sol[i] = guess[i] = 0
|
sol[i] = guess[i] = GRAY
|
||||||
# Yellow pass
|
# Yellow pass
|
||||||
for i in range(len(word)):
|
for i in range(len(word)):
|
||||||
if guess[i] and word[i] in sol:
|
if guess[i] and word[i] in sol:
|
||||||
# Mark the letter 'yellow' (1)
|
# Mark the letter 'yellow' (1)
|
||||||
line[i] = 1
|
line[i] = YELLOW
|
||||||
letters[letter_num(word[i])] = 1
|
letters[letter_num(word[i])] = YELLOW
|
||||||
# Remove letter from solution and guess
|
# Remove letter from solution and guess
|
||||||
sol[sol.index(word[i])] = guess[i] = 0
|
sol[sol.index(word[i])] = guess[i] = GRAY
|
||||||
# Gray pass
|
# Gray pass
|
||||||
for i in range(len(word)):
|
for i in range(len(word)):
|
||||||
if line[i] == 0:
|
if line[i] == GRAY:
|
||||||
letters[letter_num(word[i])] = 0
|
letters[letter_num(word[i])] = GRAY
|
||||||
# Turn blocks into a string, and print it
|
# Turn blocks into a string, and print it
|
||||||
|
output = ""
|
||||||
if showword:
|
if showword:
|
||||||
# Move up to replace the input box
|
# Move up to replace the input box
|
||||||
output += ui.m(0,-1)
|
output += ui.m(0,-1)
|
||||||
for i in range(len(word)):
|
for i in range(len(word)):
|
||||||
#output += c.c(7,0,1) + (c.c(2,1) if line[i] == 2 else c.c(3,1) if line[i] == 1 else c.c(0,1,1)) + word[i].upper() + " " + c.reset
|
output += f"{c.c24(colors[WHITE])}{c.c24(colors[line[i]])} {word[i].upper()} {c.RESET}"
|
||||||
output += c.c24(colors[3]) + c.c24(colors[line[i]]) + " " + word[i].upper() + " " + c.RESET
|
#output += c.c24(colors[3]) + c.c24(colors[line[i]]) + " " + word[i].upper() + " " + c.RESET
|
||||||
else:
|
else:
|
||||||
for i in line:
|
for i in line:
|
||||||
#output += c.c(7, 0, 1) + (c.c(2, 1) if i == 2 else c.c(3, 1) if i == 1 else c.c(0, 1, 1)) + boxes[i] + c.reset
|
output += f"{c.c24(colors[WHITE])}{c.c24(colors[i])}{boxes[i]}{c.RESET}"
|
||||||
output += c.c24(colors[3]) + c.c24(colors[i]) + boxes[i] + c.RESET
|
|
||||||
return output
|
return output
|
||||||
|
|
||||||
def letter_num(char):
|
def letter_num(char):
|
||||||
@ -163,33 +142,36 @@ def keeb(x, y):
|
|||||||
return s
|
return s
|
||||||
S = ["qwertyuiop", "asdfghjkl", "zxcvbnm"+u"\u23CE"]
|
S = ["qwertyuiop", "asdfghjkl", "zxcvbnm"+u"\u23CE"]
|
||||||
for i in range(len(S)):
|
for i in range(len(S)):
|
||||||
ui.uprint(x-(3*len(S[i])//2)+7, y+i, colorify(S[i]))
|
ui.uprint(x-(3*len(S[i])//2), y+i, colorify(S[i]))
|
||||||
|
|
||||||
|
|
||||||
# intro: Print the intro text
|
# intro: Print the intro text
|
||||||
def intro():
|
def intro():
|
||||||
title = "Wordle {}{}".format(d, "*" if args.hard else "")
|
title = f"{data['name']} {d}{'*' if args.hard else ''}"
|
||||||
spaces = ' ' * ((14 - len(title)) // 2)
|
center = ui.m(-len(title)//2,0)
|
||||||
|
#spaces = ' ' * ((14 - len(title)) // 2)
|
||||||
# [ Wordle 100* ]
|
# [ Wordle 100* ]
|
||||||
intro = c.RESET + spaces + title
|
intro = f"{c.RESET}{center}{title}"
|
||||||
return intro
|
return intro
|
||||||
|
|
||||||
def game():
|
def game():
|
||||||
if args.nocenter:
|
x = ui.size[0]//2
|
||||||
x = ui.size[0]//2 - 8
|
|
||||||
else:
|
|
||||||
x = get_terminal_size().columns//2 - 8
|
|
||||||
ui.uprint(x, 0, intro())
|
ui.uprint(x, 0, intro())
|
||||||
words = w.Words + w.Answers
|
words = Words + Answers
|
||||||
guess = 0
|
guess = 0
|
||||||
|
keeb(x, 3 + max_guesses)
|
||||||
while guess < max_guesses:
|
while guess < max_guesses:
|
||||||
# lol i should probably use curses
|
# lol i should probably use curses
|
||||||
keeb(x+1, 9)
|
user_input = ui.uinput(x-(len(solution)//2), len(guesses) + 2, c.clear()).lower()
|
||||||
user_input = ui.uinput(x, len(guesses) + 2, c.clear() + " ").lower()
|
# This provides some leniency for multiple-length-word lists,
|
||||||
if len(user_input) == 5 and (user_input in words or args.nonsense):
|
# by first checking if the input is the length of the solution,
|
||||||
|
# and discarding without penalty otherwise.
|
||||||
|
if len(user_input) is len(solution) and (user_input in words or args.nonsense):
|
||||||
# Add guesses to the guessed list, and put the word in boxes
|
# Add guesses to the guessed list, and put the word in boxes
|
||||||
guesses.append(user_input)
|
guesses.append(user_input)
|
||||||
ui.uprint(x, len(guesses) + 2, wordbox(user_input, 1))
|
ui.uprint(x-(len(solution)*3//2), len(guesses) + 2, wordbox(user_input, 1))
|
||||||
|
# Print the new keyboard
|
||||||
|
keeb(x+1, 3 + max_guesses)
|
||||||
# win condition
|
# win condition
|
||||||
if (user_input == solution):
|
if (user_input == solution):
|
||||||
win(True)
|
win(True)
|
||||||
@ -201,18 +183,25 @@ def game():
|
|||||||
if user_input == "exit":
|
if user_input == "exit":
|
||||||
end()
|
end()
|
||||||
# Alert the user that the word was not found in the list, and wait for them to read it
|
# Alert the user that the word was not found in the list, and wait for them to read it
|
||||||
ui.uprint (x, len(guesses) + 2, "not in word list.")
|
ui.uprint (x-(3*len(solution)*3//2), len(guesses) + 2, "not in word list.")
|
||||||
sleep(1.5)
|
sleep(1.5)
|
||||||
# lose
|
# lose
|
||||||
win(False)
|
win(False)
|
||||||
|
|
||||||
def win(won):
|
def win(won):
|
||||||
board = "Wordle {} {}/{}{}\n".format(d, len(guesses) if won else "X", max_guesses, "*" if args.hard else "")
|
used_guesses = len(guesses) if won else "X"
|
||||||
|
share = f"{data['name']} {d} {used_guesses}/{max_guesses}{'*' if args.hard else ''}\n"
|
||||||
for gi in guesses:
|
for gi in guesses:
|
||||||
board += "\n" + wordbox(gi)
|
share += f"\n{wordbox(gi)}"
|
||||||
|
# ui.move to the end of the screen, and print the sharable boxes
|
||||||
print(ui.m(0,ui.size[1]+1) + board)
|
print(f"{ui.m(0, ui.size[1] + 1)}{share}", end="")
|
||||||
|
|
||||||
|
|
||||||
ui.init(30,12)
|
if (args.center):
|
||||||
|
w, h, stty = max(30, 3*len(solution)), 7 + max_guesses, get_terminal_size()
|
||||||
|
# You can init a "screen" 'anywhere'!
|
||||||
|
|
||||||
|
ui.init(w, h, (stty.columns - w) // 2, 0)
|
||||||
|
else:
|
||||||
|
ui.init(max(30, 3*len(solution)), 7 + max_guesses)
|
||||||
game()
|
game()
|
55
src/ui.py
55
src/ui.py
@ -10,11 +10,7 @@ THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLI
|
|||||||
|
|
||||||
# ui.py: ANSI Escape Sequence colors
|
# ui.py: ANSI Escape Sequence colors
|
||||||
|
|
||||||
|
import sys
|
||||||
|
|
||||||
from time import sleep
|
|
||||||
import sys, re
|
|
||||||
import c
|
|
||||||
|
|
||||||
ANSI_S = "\033[s"
|
ANSI_S = "\033[s"
|
||||||
ANSI_U = "\033[u"
|
ANSI_U = "\033[u"
|
||||||
@ -30,47 +26,50 @@ LEFT = WEST = 'D'
|
|||||||
|
|
||||||
size = [0,0]
|
size = [0,0]
|
||||||
|
|
||||||
|
# init: Initialize the "screen" and ensure the appropriate area is on screen and cleared
|
||||||
def init(width, height):
|
def init(width, height, x=0, y=0):
|
||||||
size[0], size[1] = width, height
|
size[0], size[1] = width, height
|
||||||
print(c.c24(0x00f0d0) + '0123456789ABCDE' + c.RESET)
|
for i in range(y,y+height):
|
||||||
print((" "*width + "\n")*(height-1))
|
uprint(x,i," "*width)
|
||||||
print(m(0,-height-1) + ANSI_S, end='')
|
uprint(x,height+y,f"{m(0, -height)}{ANSI_S}")
|
||||||
clear()
|
clear()
|
||||||
|
|
||||||
def clear(x = 0, y = 0, behavior = 0):
|
def clear(x = 0, y = 0, behavior = 0):
|
||||||
uprint(x, y, "\x1b[%dJ"%behavior)
|
uprint(x, y, f"\x1b[{behavior}J")
|
||||||
|
|
||||||
|
# ANSI Escape Sequence Generators:
|
||||||
|
# unless otherwise specified, return strings containing ANSI escape characters
|
||||||
|
|
||||||
# Move the cursor relatively on the screen
|
# Move the cursor relatively on the screen
|
||||||
def m(x = 0, y = 0):
|
def m(x = 0, y = 0):
|
||||||
# TODO: implement relative x/y movement
|
# move on the y axis, followed by the x axis
|
||||||
s = "{}{}".format(
|
s = f"{m_dir(UP, abs(y)) if y < 0 else m_dir(DOWN, y) if y > 0 else ''}" + \
|
||||||
m_dir(UP, abs(y)) if y < 0 else m_dir(DOWN, y) if y > 0 else "",
|
f"{m_dir(LEFT, abs(x)) if x < 0 else m_dir(RIGHT, x) if x > 0 else ''}"
|
||||||
m_dir(LEFT, abs(x)) if x < 0 else m_dir(RIGHT, x) if x > 0 else "")
|
|
||||||
return s
|
return s
|
||||||
|
|
||||||
# Move the cursor relatively on the screen
|
# Move the cursor relatively on the screen in a given direction
|
||||||
def m_dir(dir, steps=1):
|
def m_dir(dir, steps=1):
|
||||||
if ord('A') <= ord(dir) <= ord('D') :
|
if ord('A') <= ord(dir) <= ord('D') :
|
||||||
return "\033[{}{}".format(steps, dir)
|
return f"\033[{steps}{dir}"
|
||||||
return ""
|
return ""
|
||||||
|
|
||||||
# Position the cursor absolutely on the screen (0-index)
|
# Position the cursor absolutely on the screen (0-index)
|
||||||
def m_abs(x, y):
|
def m_abs(x, y):
|
||||||
return "\033[{};{}H".format(y+1, x+1)
|
return f"\033[{y+1};{x+1}H"
|
||||||
|
|
||||||
ui_input, ui_print = input, print
|
# print/input wrappers
|
||||||
|
# uprint: call print at a given x,y position, relative to the cursor
|
||||||
def uprint(x, y, *args, end='', **kwargs):
|
def uprint(x, y, *args, **kwargs):
|
||||||
ui_print(ANSI_S + m(x, y), end='')
|
print(f"{ANSI_S}{m(x, y)}", end='')
|
||||||
ui_print(*args, ANSI_U, **kwargs, end='')
|
print(*args, **kwargs, end='')
|
||||||
ui_print(ANSI_U, end=end)
|
print(ANSI_U, end='')
|
||||||
sys.stdout.flush()
|
sys.stdout.flush()
|
||||||
|
|
||||||
|
# uinput: call input at a given x,y position, relative to the cursor
|
||||||
|
# returns: string containing user input
|
||||||
def uinput(x, y, *args, **kwargs):
|
def uinput(x, y, *args, **kwargs):
|
||||||
ui_print(ANSI_S + m(x, y), end='')
|
print(f"{ANSI_S}{m(x, y)}", end='')
|
||||||
r = ui_input(*args, **kwargs)
|
r = input(*args, **kwargs)
|
||||||
ui_print(ANSI_U, end='')
|
print(ANSI_U, end='')
|
||||||
sys.stdout.flush()
|
sys.stdout.flush()
|
||||||
return r
|
return r
|
||||||
|
6
src/w.py
6
src/w.py
@ -4,6 +4,12 @@
|
|||||||
# and has been included here for compatibility with the official Wordle client.
|
# and has been included here for compatibility with the official Wordle client.
|
||||||
|
|
||||||
# w.py: Wordle non-answers and answers
|
# w.py: Wordle non-answers and answers
|
||||||
|
Metadata = {
|
||||||
|
"name": "Wordle Classic",
|
||||||
|
"version": "powerlanguage",
|
||||||
|
"guesses": 6,
|
||||||
|
"launch": (2021, 6, 19)
|
||||||
|
}
|
||||||
|
|
||||||
# These are not answers
|
# These are not answers
|
||||||
Words = [
|
Words = [
|
||||||
|
@ -4,6 +4,12 @@
|
|||||||
# and has been included here for compatibility with the official Wardle/NYT Wordle client.
|
# and has been included here for compatibility with the official Wardle/NYT Wordle client.
|
||||||
|
|
||||||
# w.py: Wordle non-answers and answers
|
# w.py: Wordle non-answers and answers
|
||||||
|
Metadata = {
|
||||||
|
"name": "Wordle",
|
||||||
|
"version": "NYT",
|
||||||
|
"guesses": 6,
|
||||||
|
"launch": (2021, 6, 19)
|
||||||
|
}
|
||||||
|
|
||||||
# These are not answers
|
# These are not answers
|
||||||
Words = [
|
Words = [
|
||||||
|
Loading…
Reference in New Issue
Block a user