dataLoad.py 10 KB

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