dataLoad.py 11 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384
  1. #!/usr/bin/env python3
  2. from PIL import Image
  3. from pprint import pprint
  4. import sys, time, os, requests, random, json, argparse
  5. import subprocess
  6. parser = argparse.ArgumentParser(description="S0urce.io utility program.")
  7. parser.add_argument("--download", help="Download Images", action="store_true")
  8. parser.add_argument("--train", help="Convert Images to Text", action="store_true")
  9. parser.add_argument(
  10. "JSON", type=str, nargs="?", help="Filename to save results", default="test.js"
  11. )
  12. args = parser.parse_args()
  13. # pprint(args)
  14. # Should we add the JSON in a file? (True is filename, False = do not do)
  15. # JSONME = 'test.js'
  16. JSONME = args.JSON
  17. # NOTE: To begin the insert of the JSONIFIED image and word its
  18. # // T
  19. # A JS comment with a uppercase T
  20. # To stop its
  21. # // t
  22. # A JS comment with a lowercase t
  23. # httpbin.org/headers
  24. sess = requests.Session()
  25. head = {
  26. "User-Agent": "Mozilla/5.0 (Macintosh; Intel Mac OS X 10_10_1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/39.0.2171.95 Safari/537.36"
  27. }
  28. sess.headers.update(head)
  29. ON = "X" # Dark pixel in an image
  30. OFF = "." # Light pixel in an image
  31. DIR = (
  32. "data"
  33. ) # Data directory name, do we really need this? Is it really going to change?
  34. INTENSITY = (
  35. 75
  36. ) # How bright does something have to be to trigger it being a dark or light pixel?
  37. # Looks like around 75 removes the extra stuff that s0urce.io does to prevent it from being just matching images.
  38. GREEN_DIFF = 10
  39. # How much brighter the green channel must be (compared to the others),
  40. # to be called green.
  41. # Check the environment, do we have all that we need?
  42. if not os.path.exists("in"):
  43. os.mkdir("in")
  44. if not os.path.exists("data"):
  45. os.mkdir("data")
  46. def download(howhard, index):
  47. global sess
  48. """
  49. Download an image based upon how hard it is.
  50. On success, it saves the image file.
  51. Failure raises ConnectionError.
  52. """
  53. r = sess.get(f"http://s0urce.io/client/img/word/{howhard}/{index}")
  54. if r.status_code == 200:
  55. with open(f"in/{howhard}_{index}.png", "wb") as f:
  56. f.write(r.content)
  57. else:
  58. # We did not get a 200 Okay, log this... Hmm maybe we need to make a log file?
  59. # print( f'{howhard}_{index}.png ' + str(r.status_code) )
  60. raise ConnectionError(
  61. "http://s0urce.io/client/img/word/{0}/{1} returned status_code {2}".format(
  62. howhard, index, r.status_code
  63. )
  64. )
  65. def img_point(pix, x, y):
  66. """
  67. img_point, returns a pixel of an image,
  68. given the x and y on the image.
  69. """
  70. return pix[x, y]
  71. def img_avg(pix, x, y):
  72. """
  73. img_avg, returns the average brightness 0-255,
  74. given pixel, and the x and y on the image calls img_point,
  75. to get the individual rgb values to calculate,
  76. brightness. (Grey scale)
  77. """
  78. rgb = img_point(pix, x, y)
  79. # if(im.mode == 'P'):
  80. # rgb = pal[rgb*3:(rgb+1)*3]
  81. # if(im.mode == 'I'):
  82. # return rgb >> 8
  83. return int((rgb[0] + rgb[1] + rgb[2]) / 3)
  84. def is_set(pix, x, y):
  85. global INTENSITY
  86. """
  87. is_set, returns True or False of calculating,
  88. the brightness of the given point on a image,
  89. compared to given intensity.
  90. True means the brightness at the given x and y,
  91. is Less Than which means its dark.
  92. False means the brightness at the given x and y,
  93. is Greater Than which means its bright. (Grey Scale)
  94. """
  95. avg = img_avg(pix, x, y)
  96. return avg < INTENSITY
  97. def is_green(pix, x, y):
  98. """
  99. Is this pixel Green?
  100. """
  101. (red, green, blue, _) = img_point(pix, x, y)
  102. # Find the difference between green and the other values.
  103. other = red
  104. if blue > other:
  105. other = blue
  106. diff = green - other
  107. return diff > GREEN_DIFF
  108. def scan_img(pix, size):
  109. """
  110. scan_img, looks at a image and looks for dark pixels,
  111. if it is a dark pixel record the number and resize the,
  112. returned values to show where the most dark pixels on the,
  113. image are located. (Grey Scale)
  114. given pixel, and image size.
  115. returns start x, y and end x, y and total number of dark pixels.
  116. """
  117. total = 0
  118. sx = size[0]
  119. ex = 0
  120. sy = size[1]
  121. ey = 0
  122. for y in range(0, size[1]):
  123. for x in range(0, size[0]):
  124. pnt_is = is_set(pix, x, y)
  125. if pnt_is:
  126. total += 1
  127. if x < sx:
  128. sx = x
  129. if x > ex:
  130. ex = x
  131. if y < sy:
  132. sy = y
  133. if y > ey:
  134. ey = y
  135. # print (sx,ex,sy,ey)
  136. # give us a little border to work with
  137. if sx > 0:
  138. sx -= 1
  139. if ex < size[0]:
  140. ex += 1
  141. if sy > 0:
  142. sy -= 1
  143. if ey < size[1]:
  144. ey += 1
  145. # print (sx,ex,sy,ey)
  146. return (sx, sy, ex, ey, total)
  147. def output_image(pix, size):
  148. """
  149. For the size of the area we have reduced down to where the majority of dark pixels,
  150. are located, store all that into a list and return the list.
  151. given pixel for function passing.
  152. returns multiple strings in a list that are edited to use characters to represent,
  153. the dark and light pixels of the image. (Grey Scale)
  154. """
  155. result = []
  156. ex = size[0]
  157. sx = 0
  158. ey = size[1]
  159. sy = 0
  160. for y in range(sy, ey):
  161. s = ""
  162. for x in range(sx, ex):
  163. # if is_set(pix, x, y):
  164. if not is_green(pix, x, y):
  165. s += ON
  166. else:
  167. s += OFF
  168. result.append(s)
  169. return result
  170. def run(difficult):
  171. """
  172. run, represents a single execution of components to the image, (Actuall we do it 1 category at a time instead of just 1 single execution )
  173. those components do the following... (Each category has around 70 items so we standardize on 70, but )
  174. (not all of the categories have 70 and thus we print a File does not exist)
  175. We open and load the image, and get it's size,
  176. then we scan_img for dark and light pixels, <-- This narrows the image down to just the majority of dark pixels
  177. then from that we output the image line by line onto the screen after it has been output_image d into list form,
  178. Where we ask the user what the word is, and after that we save all that to a file in the data directory.
  179. """
  180. for x in range(0, 70):
  181. fname = f"in/{difficult}_{x}.png"
  182. if not os.path.exists(fname):
  183. print("Could not find '{0}'".format(fname))
  184. continue
  185. print(f"Loading: {fname}")
  186. im = Image.open(fname)
  187. pix = im.load()
  188. size = im.size
  189. print(f"Size: {size[0]} x {size[1]}")
  190. pal = im.getpalette()
  191. sx = 0
  192. ex = size[0]
  193. sy = 0
  194. ey = size[1]
  195. total = 0
  196. sx, sy, ex, ey, total = scan_img(pix, size)
  197. print(f"Chars within ({sx}, {sy}) - ({ex}, {ey}) total {total} pixels")
  198. img_s = output_image(pix, size)
  199. for l in img_s:
  200. print(l)
  201. word = input("Word: ")
  202. with open(f"{DIR}/{difficult}_{x}.txt", "w") as f:
  203. f.write("{0}\n".format(word))
  204. print(f"Image saved to '{DIR}/{difficult}_{x}.txt' in byte string")
  205. # os.remove(f'{fname}') # Grr No bad bean, keep file for error checking
  206. # print(f"File '{fname}' automatically removed")
  207. def autotrain(difficult):
  208. """
  209. run, represents a single execution of components to the image, (Actuall we do it 1 category at a time instead of just 1 single execution )
  210. those components do the following... (Each category has around 70 items so we standardize on 70, but )
  211. (not all of the categories have 70 and thus we print a File does not exist)
  212. We open and load the image, and get it's size,
  213. then we scan_img for dark and light pixels, <-- This narrows the image down to just the majority of dark pixels
  214. then from that we output the image line by line onto the screen after it has been output_image d into list form,
  215. Where we ask the user what the word is, and after that we save all that to a file in the data directory.
  216. """
  217. for x in range(0, 70):
  218. fname = f"in/{difficult}_{x}.png"
  219. if not os.path.exists(fname):
  220. print("Could not find '{0}'".format(fname))
  221. continue
  222. print(f"Loading: {fname}")
  223. fileout = "data/{0}_{1}".format(difficult, x)
  224. output = subprocess.run(
  225. ["tesseract", fname, fileout],
  226. stderr=subprocess.DEVNULL,
  227. # capture_output=False,
  228. shell=False,
  229. )
  230. with open(fileout + ".txt", "r") as fp:
  231. word = fp.read().strip()
  232. print(word)
  233. # Now to call all the previous functions
  234. if args.download:
  235. print("Downloading s0urce.io Words")
  236. print("EASY")
  237. # time.sleep(5)
  238. for e in range(0, 62):
  239. download("e", e)
  240. # time.sleep(random.randint(10, 15))
  241. print("MEDIUM")
  242. # time.sleep(5)
  243. for m in range(0, 66):
  244. download("m", m)
  245. # time.sleep(random.randint(10, 15))
  246. print("HARD")
  247. # time.sleep(5)
  248. for h in range(0, 55):
  249. download("h", h)
  250. # time.sleep(random.randint(10, 15))
  251. if args.train:
  252. # Img Processing
  253. for level in ["e", "m", "h"]:
  254. autotrain(level)
  255. # ----------------------------------------------------------------------------------------
  256. # All below was in a seperate dataJS.py file... but now I have fixed it so it's 1 script!
  257. # Do we really need to worry about all this right now? (I think we have enough bugs to begin with.)
  258. JSONME = "false" # Do not execute
  259. if JSONME.lower() != "false":
  260. print("Now exporting to JSON")
  261. print(f"Targeting file: '{JSONME}'")
  262. time.sleep(5)
  263. def test(t):
  264. global DIR
  265. """
  266. given the filename, we read it and add it to a list and return the list.
  267. """
  268. fname = f"{DIR}/{t}.txt"
  269. r = []
  270. try:
  271. with open(fname, "r") as f:
  272. for l in f:
  273. r.append(l.strip())
  274. return r
  275. except FileNotFoundError:
  276. return None
  277. def insertJS(item):
  278. global JSON
  279. """
  280. Edits the file given and adds the JSONIFIED item to the file between 2 indicators,
  281. // T
  282. and
  283. // t
  284. In between the T and t will be replaced with the item.
  285. """
  286. item = json.dumps(item)
  287. item = f"{item},"
  288. r = []
  289. try:
  290. with open(f"{JSONME}", "r") as f:
  291. for l in f:
  292. if l != "":
  293. r.append(l.strip("\n"))
  294. else:
  295. r.append("")
  296. except FileNotFoundError:
  297. print(f"File {JSONME} Not Found!")
  298. sys.exit()
  299. c = 0
  300. for e in r:
  301. if "// T" == e:
  302. temp = r[c + 1]
  303. del r[c + 1]
  304. r.insert(c + 1, item)
  305. r.insert(c + 2, temp)
  306. elif "// t" == e:
  307. break
  308. c += 1
  309. with open(f"{JSONME}", "w") as f:
  310. for e in r:
  311. f.write(f"{e}\n")
  312. for x in range(0, 183):
  313. te = test(x)
  314. if te != None:
  315. word = te
  316. insertJS(word)
  317. # Regardless what we did let the user know we at least ran and we are now done
  318. print("Complete")