dataLoad.py 9.6 KB

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