radboy 0.0.755__py3-none-any.whl → 0.0.767__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.

Potentially problematic release.


This version of radboy might be problematic. Click here for more details.

@@ -22,6 +22,7 @@ from sqlalchemy.ext.declarative import declarative_base as dbase
22
22
  from sqlalchemy.ext.automap import automap_base
23
23
  from pathlib import Path
24
24
  import upcean
25
+ import nanoid
25
26
 
26
27
  class RoutineDuration(BASE,Template):
27
28
  __tablename__="RoutineDuration"
@@ -39,17 +40,23 @@ RoutineDuration.metadata.create_all(ENGINE)
39
40
  class Exercise(BASE,Template):
40
41
  __tablename__="Exercise"
41
42
  exid=Column(Integer,primary_key=True)
42
- Name=Column(String)
43
- Note=Column(String)
44
- Reps=Column(Integer) # 8 reps of 30 repcounts NAME
45
- RepCount=Column(Integer) #30 times rep
46
- CurrentRep=Column(Integer)
43
+ Name=Column(String,default=f'Generic Exercise Name [{nanoid.generate()}]')
44
+ Note=Column(String,default='')
45
+ Reps=Column(Integer,default=1) # 8 reps of 30 repcounts NAME
46
+ RepCount=Column(Integer,default=30) #30 times rep
47
+ CurrentRep=Column(Integer,default=0)
47
48
  cdt=Column(DateTime) #CurrentDateTime
48
49
  ldt=Column(DateTime) #LastDateTime
49
50
 
50
51
  def __init__(self,**kwargs):
51
52
  kwargs['__tablename__']=self.__tablename__
52
53
  self.init(**kwargs,)
54
+ if 'cdt' not in kwargs.keys():
55
+ self.cdt=datetime.now()
56
+
57
+ if 'ldt' not in kwargs.keys():
58
+ self.ldt=datetime.now()
59
+
53
60
 
54
61
  class Routine(BASE,Template):
55
62
  __tablename__="Routine"
@@ -97,6 +104,19 @@ e_data={'Name':{
97
104
  },
98
105
  }
99
106
 
107
+ def gethpv(routine):
108
+ with Session(ENGINE) as session:
109
+ if isinstance(routine,dict):
110
+ hpv=session.query(Routine).filter(Routine.Name==routine.get("Name")).order_by(Routine.precedence.desc()).first()
111
+ elif isinstance(routine,Routine):
112
+ hpv=session.query(Routine).filter(Routine.Name==getattr(routine,"Name")).order_by(Routine.precedence.desc()).first()
113
+ else:
114
+ raise Exception(f"Unsupported Type! {routine} -> type({type(routine)})")
115
+ #print(hpv)
116
+ if hpv:
117
+ return hpv.precedence
118
+ else:
119
+ return 0
100
120
 
101
121
  class ExerciseTracker:
102
122
  def newExercise(self):
@@ -246,14 +266,7 @@ class ExerciseTracker:
246
266
  if exercises in [None,]:
247
267
  break
248
268
  precedence=None
249
- def gethpv(routine):
250
- with Session(ENGINE) as session:
251
- hpv=session.query(Routine).filter(Routine.Name==routine.get("Name")).order_by(Routine.precedence.desc()).first()
252
- #print(hpv)
253
- if hpv:
254
- return hpv.precedence
255
- else:
256
- return 0
269
+
257
270
  precedence=gethpv(routine)
258
271
  for num,i in enumerate(exercises):
259
272
  print(i)
@@ -274,6 +287,129 @@ class ExerciseTracker:
274
287
  else:
275
288
  pass
276
289
 
290
+
291
+ def Add2Routine(self):
292
+ with Session(ENGINE) as session:
293
+ fields={
294
+ 'are you adding a new excercise or using an old one [New=True,False=Old]?':{
295
+ 'default':True,
296
+ 'type':'boolean',
297
+ },
298
+ 'Routine ID(RID)':{
299
+ 'default':None,
300
+ 'type':'integer'
301
+ }
302
+ }
303
+ fd=FormBuilder(data=fields)
304
+ if fd is not None:
305
+ routine=session.query(Routine).filter(Routine.roid==fd['Routine ID(RID)']).first()
306
+ if routine is None:
307
+ print(f"{Fore.orange_red_1}There is no Routine by that ID (Make sure it is an RID)")
308
+ return
309
+
310
+ mode=fd['are you adding a new excercise or using an old one [New=True,False=Old]?']
311
+ if mode in [None,True]:
312
+ excludes=['exid',]
313
+ tmp=Exercise()
314
+ session.add(tmp)
315
+ session.commit()
316
+ session.refresh(tmp)
317
+ fields={
318
+ i.name:{
319
+ 'default':getattr(tmp,i.name),
320
+ 'type':str(i.type).lower()
321
+ } for i in tmp.__table__.columns if i.name not in excludes
322
+ }
323
+ fd=FormBuilder(data=fields,passThruText=f"Create a New Exercise\n To Attach to Routine(roid={routine.roid},RoutineName={routine.Name})")
324
+ if fd is None:
325
+ print(f"{Fore.orange_red_1}User Cancelled!{Style.reset}")
326
+ session.delete(tmp)
327
+ session.commit()
328
+ return
329
+ try:
330
+ for k in fd:
331
+ setattr(tmp,k,fd[k])
332
+ session.commit()
333
+ session.refresh(tmp)
334
+ dtoe=datetime.now()
335
+ doe=date(dtoe.year,dtoe.month,dtoe.day)
336
+ toe=time(dtoe.hour,dtoe.minute,dtoe.second)
337
+ nt=gethpv(routine)
338
+ #print(nt)
339
+ nt+=1
340
+ rts=Routine(Name=getattr(routine,"Name"),Note=getattr(routine,"Note"),exid=tmp.exid,precedence=nt,doe=doe,dtoe=dtoe,toe=toe)
341
+ session.add(rts)
342
+ session.commit()
343
+ except Exception as e:
344
+ print(e,repr(e),str(e))
345
+ session.rollback()
346
+ session.commit()
347
+ elif mode in [False,]:
348
+ excludes=['exid',]
349
+ fields={
350
+ 'What are looking for':{
351
+ 'type':'string',
352
+ 'default':''
353
+ }
354
+ }
355
+ fd=FormBuilder(data=fields,passThruText="What are looking to copy to this routine?")
356
+ if fd is None:
357
+ print(f"{Fore.orange_red_1}User Cancelled!{Style.reset}")
358
+ return
359
+ search=fd['What are looking for']
360
+ OR=or_(Exercise.Name.icontains(search),Exercise.Note.icontains(search))
361
+ AND=and_(Exercise.Name.icontains(search),Exercise.Note.icontains(search))
362
+
363
+ query=session.query(Exercise).filter(or_(OR,AND))
364
+ ordered=orderQuery(query,Exercise.Name)
365
+ results=ordered.all()
366
+ cta=len(results)
367
+ htext=[]
368
+ for num,i in enumerate(results):
369
+ htext.append(std_colorize(i,num,cta))
370
+ htext='\n'.join(htext)
371
+ print(htext)
372
+ whichIndexes=Control(func=FormBuilderMkText,ptext="Which index(es)?",helpText=f"{htext}\nseperate the indexes by commas",data="list")
373
+ if whichIndexes in ['NaN',None,'d']:
374
+ print(f"{Fore.orange_red_1}User Cancelled!{Style.reset}")
375
+ return
376
+ elif whichIndexes in [[],]:
377
+ print(f"{Fore.orange_red_1}the list provided was empty, so user may have cancelled!{Style.reset}")
378
+ return
379
+ for index in whichIndexes:
380
+ try:
381
+ index=int(index)
382
+ exercise=results[index]
383
+ nex=Exercise()
384
+ fields={
385
+ i.name:{
386
+ 'default':getattr(exercise,i.name),
387
+ 'type':str(i.type).lower()
388
+ } for i in exercise.__table__.columns if i.name not in excludes
389
+ }
390
+ for f in fields:
391
+ setattr(nex,f,getattr(exercise,f))
392
+ session.add(nex)
393
+ session.commit()
394
+ session.refresh(nex)
395
+ print(nex)
396
+ dtoe=datetime.now()
397
+ doe=date(dtoe.year,dtoe.month,dtoe.day)
398
+ toe=time(dtoe.hour,dtoe.minute,dtoe.second)
399
+ nt=gethpv(routine)
400
+ #print(nt)
401
+ nt+=1
402
+ rts=Routine(Name=getattr(routine,"Name"),Note=getattr(routine,"Note"),exid=nex.exid,precedence=nt,doe=doe,dtoe=dtoe,toe=toe)
403
+ session.add(rts)
404
+ session.commit()
405
+ except Exception as e:
406
+ print(e)
407
+ print(f"{Fore.magenta}Processing will attempt to continue!")
408
+ print("Added Exercise to Routine!")
409
+ else:
410
+ print(f"{Fore.orange_red_1}User Cancelled!{Style.reset}")
411
+ return
412
+
277
413
  def summarize(self):
278
414
  try:
279
415
  start=datetime.now()
@@ -363,6 +499,31 @@ class ExerciseTracker:
363
499
  lite.append(r.Name)
364
500
  if returnable:
365
501
  return lite
502
+
503
+ def viewRoutineList(self,returnable=False):
504
+ with Session(ENGINE) as session:
505
+ query=session.query(Routine).order_by(Routine.roid)
506
+ results=query.all()
507
+ ct=len(results)
508
+ if ct < 1:
509
+ print(f"{Fore.light_red}No Routine's available!{Style.reset}")
510
+ return
511
+ else:
512
+ if returnable:
513
+ lite=[]
514
+ for num,r in enumerate(results):
515
+ ex=session.query(Exercise).filter(Exercise.exid==r.exid).first()
516
+ if ex:
517
+ name,note,exid=ex.Name,ex.Note,ex.exid
518
+ else:
519
+ name,note,exid="NotFound?","NotFound?","NotFound?"
520
+ msg=f"{Fore.light_yellow}{num}/{Fore.light_red}{ct}{Style.reset}{Fore.light_steel_blue} -> {r.Name} Exercise(Name='{name}',Note='{note}',exid='{exid}'){Style.reset}"
521
+ print(msg)
522
+ if returnable:
523
+ lite.append(r.Name)
524
+ if returnable:
525
+ return lite
526
+
366
527
  def useRoutine(self,reset_only=False,reset_note=False):
367
528
  try:
368
529
  logMe=Prompt.__init2__(None,func=FormBuilderMkText,ptext="Log a comment in HealthLog(hl[default=True/Yes])?",helpText="yes or no/boolean",data="boolean")
@@ -431,7 +592,7 @@ class ExerciseTracker:
431
592
  #return
432
593
  total_dur=timedelta(seconds=0)
433
594
  l=0
434
- while completed < ct:
595
+ while completed < total_reps:
435
596
  lapStart=datetime.now()
436
597
  for num, i in enumerate(rout):
437
598
  if completed_reps > total_reps:
@@ -561,6 +722,8 @@ class ExerciseTracker:
561
722
  rr,RemoveRoutine - delete a routine
562
723
  cr,ClearRoutine - reset routine CurrentRep
563
724
  su,summarize,Summarize - show the contents of a specified Routine
725
+
726
+ a2r,add2routine - add an exercise to a routine specified by RID
564
727
  '''
565
728
  while True:
566
729
  doWhat=Prompt.__init2__(None,func=FormBuilderMkText,ptext=f"{h} Do what?",helpText=helpText,data="string")
@@ -581,6 +744,8 @@ class ExerciseTracker:
581
744
  self.newRoutine()
582
745
  elif doWhat.lower() in ['vr','ViewRoutine'.lower()]:
583
746
  self.viewRoutine()
747
+ elif doWhat.lower() in ['vlr','ViewRoutineList'.lower()]:
748
+ self.viewRoutineList()
584
749
  elif doWhat.lower() in ['ur','UseRoutine'.lower()]:
585
750
  self.useRoutine()
586
751
  elif doWhat.lower() in ['rr','RemoveRoutine'.lower()]:
@@ -590,4 +755,6 @@ class ExerciseTracker:
590
755
  elif doWhat.lower() in ['hl','healthlog'.lower()]:
591
756
  HealthLogUi()
592
757
  elif doWhat.lower() in "su,summarize".split(","):
593
- self.summarize()
758
+ self.summarize()
759
+ elif doWhat.lower() in 'a2r,add2routine'.split(","):
760
+ self.Add2Routine()
radboy/DB/jobnotes.txt ADDED
File without changes
File without changes
@@ -0,0 +1,33 @@
1
+ from radboy.DB.db import *
2
+ #from radboy.DB.RandomStringUtil import *
3
+ #import radboy.Unified.Unified as unified
4
+ #import radboy.possibleCode as pc
5
+ from radboy.DB.Prompt import *
6
+ from radboy.DB.Prompt import prefix_text
7
+ #from radboy.TasksMode.ReFormula import *
8
+ #from radboy.TasksMode.SetEntryNEU import *
9
+ from radboy.FB.FormBuilder import *
10
+ from radboy.FB.FBMTXT import *
11
+ #from radboy.RNE.RNE import *
12
+ #from radboy.Lookup2.Lookup2 import Lookup as Lookup2
13
+ #from radboy.DayLog.DayLogger import *
14
+ #from radboy.DB.masterLookup import *
15
+ from collections import namedtuple,OrderedDict
16
+ import nanoid,qrcode,io
17
+ #from password_generator import PasswordGenerator
18
+ import random
19
+ from pint import UnitRegistry
20
+ import pandas as pd
21
+ import numpy as np
22
+ from datetime import *
23
+ from colored import Style,Fore
24
+ import json,sys,math,re,calendar,hashlib,haversine
25
+ from time import sleep
26
+ import itertools
27
+ SpiceToolsEnabled=False
28
+ if Path('.spicetools.enabled').exists():
29
+ from .SpiceTools import *
30
+ print("{Fore.orange_red_1}SpiceTools is {Fore.light_green)}enabled!{Style.reset")
31
+ SpiceToolsEnabled=True
32
+
33
+
radboy/__init__.py CHANGED
@@ -1 +1 @@
1
- VERSION='0.0.755'
1
+ VERSION='0.0.767'
Binary file
radboy/code.png CHANGED
Binary file
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: radboy
3
- Version: 0.0.755
3
+ Version: 0.0.767
4
4
  Summary: A Retail Calculator for Android/Linux
5
5
  Author: Carl Joseph Hirner III
6
6
  Author-email: Carl Hirner III <k.j.hirner.wisdom@gmail.com>
@@ -5,12 +5,12 @@ radboy/Holidays.txt,sha256=y-JZPihh5iaWKxMIHNXD39yVuVmf1vMs4FdNDcg0f1Y,3114
5
5
  radboy/InventoryGlossary.txt,sha256=018-Yqca6DFb10jPdkUY-5qhkRlQN1k3rxoTaERQ-LA,91008
6
6
  radboy/RecordMyCodes.py,sha256=h30zoTqt-XLt_afDPlxMxBiKKwmKi3N-yAuldNCqXUo,41476
7
7
  radboy/Run.py,sha256=JUoCTHnzQBv7n8PB2_i93ANdAC_iW__RkAge8esCnk4,76
8
- radboy/__init__.py,sha256=tQ-UaxTOBNZuj8AcX8MzN8OUWDvBtTkAqWftyM-LXPk,17
8
+ radboy/__init__.py,sha256=8148aJCT0_MW9qRtxAt0JgXxdpkw9rQwIUww2jKDk_U,17
9
9
  radboy/api_key,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
10
10
  radboy/case-export-2024-05-14-13-10-00.672971.xlsx,sha256=Wd592d_VLFmfUI9KKKSVjNwjV91euc1T7ATyvwvUhlg,5431
11
11
  radboy/case-export-2024-05-14-13-13-22.540614.xlsx,sha256=OnGrhmScHfGp_mVaWW-LNMsqrQgyZDpiU3wV-2s3U5Q,5556
12
12
  radboy/changelog.txt,sha256=_73e-OcHDecsK-eHEE45T84zHbUZ8Io3FzvLNwHPdoY,3714
13
- radboy/code.png,sha256=FKn3s-dwfKfdcWyXe3e3xh42eMoJNHKUtIbzHBnBf70,575
13
+ radboy/code.png,sha256=DvZ1QpLmaKcJwJM6HFD4YatBTi_mHp0h-fLZto47U-8,322
14
14
  radboy/db.csv,sha256=hpecu18LtCow5fH01queqWgqPByR628K7pLuEuLSuj4,19
15
15
  radboy/dictionary.txt,sha256=EJlEazI8RfTDX_Uzd6xnXLm9IjU5AEq6HVDwi42Y4_4,195680
16
16
  radboy/export.csv,sha256=YIU8c34enlknKMzKwzfQEN8e0mUdyW8m6O8GvgUQ9do,41015
@@ -82,7 +82,7 @@ radboy/DB/CoinCombo.py,sha256=NJfTmx3XYgS41zkAyyO2W6de1Mj3rWsCWqU4ikHfvJI,13604
82
82
  radboy/DB/DatePicker.py,sha256=B75mDtXQrkHRCpoU9TJsaBVvkK37ykMaJyaiqGOo4dM,18334
83
83
  radboy/DB/DisplayItemDb.py,sha256=uVvrNyFyBuKvrw-BEPXKYvfa-QWyFN5ahESi2l6vUUA,52046
84
84
  radboy/DB/EstimatedPayCalendarWorkSheet.txt,sha256=GOjRSmGxFoNTdAnpPe2kGv7CkXDrh0Mee01HslamGbo,17173
85
- radboy/DB/ExerciseTracker.py,sha256=OS9i8jGIZPj-6m1bB0-eKNHQ6vf2iv_AYPEc0s4bkBM,27809
85
+ radboy/DB/ExerciseTracker.py,sha256=lTS8jOM1zImtD7-78S3kJiuSCUcsLMa8UNCwFWpnhPs,35734
86
86
  radboy/DB/LetterWriter.py,sha256=0B14GB-hJK2Xf_TFASriOELFygiI1LwkSb__R3tUiU0,2631
87
87
  radboy/DB/OrderedAndRxd.py,sha256=v_vrTOiTDhKqT5KErK6MOG_u4Nt7ug2MoLTHvAnm88M,19450
88
88
  radboy/DB/PayDay.py,sha256=H2kPGvBCDkMOz7lbxQhYtUt_oAInpxi37Q6MFrah98I,8710
@@ -97,6 +97,7 @@ radboy/DB/blankDataFile.py,sha256=YX_05Usi71UpDkZN9UTMYwUipbTndTAtEgqzBEga0kE,92
97
97
  radboy/DB/config.py,sha256=bvu43dUl1_yO3Zq3gsLuenGUgJSiS3S9Cs6ppFEvZbg,239
98
98
  radboy/DB/db.py,sha256=F2l9oQ4EqzTdiu7LBnmW6Fqv65ivsQ3CUUcjvjVMEv8,263344
99
99
  radboy/DB/glossary_db.py,sha256=1_qxeEpjjEtpWB_eDjsgJisimLv7OBm75MuqM-Lt6zg,28218
100
+ radboy/DB/jobnotes.txt,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
100
101
  radboy/DB/lsToday.py,sha256=Pevus6GBHLM2xudBEx8u36Q-jYvatOI-y5o72BmFnzA,9435
101
102
  radboy/DB/masterLookup.py,sha256=DBaM2uscG3_X5dek49wjdnOzhrjWhKgvOEz_umdz0mY,4566
102
103
  radboy/DB/msg.txt,sha256=YxWed6A6tuP1djJ5QPS2Rz3ING4TKKf8kUiCCPtzHXE,7937
@@ -113,7 +114,7 @@ radboy/DB/__pycache__/DatePicker.cpython-313.pyc,sha256=jV__j5ER1oshsenGPynR0UNH
113
114
  radboy/DB/__pycache__/DisplayItemDb.cpython-312.pyc,sha256=n2nRfavATZBSa7rBgH39pd11Ka-nUfGHVzr-R9KO7_Q,63121
114
115
  radboy/DB/__pycache__/DisplayItemDb.cpython-313.pyc,sha256=M4jujGXKVqYObZKQipamkTpw68YhEWLqBmywtPgnG-A,63715
115
116
  radboy/DB/__pycache__/ExerciseTracker.cpython-312.pyc,sha256=KzCmPhacS7t-70cpZM5tCnL8mBmRbA9dc4uuatdcQkI,34820
116
- radboy/DB/__pycache__/ExerciseTracker.cpython-313.pyc,sha256=OhUi666CCM0I4Ga3dri0EdStPpG-b2ea7BfTfLY3ot8,37578
117
+ radboy/DB/__pycache__/ExerciseTracker.cpython-313.pyc,sha256=Q4I9Os4Xps4Noh50RE_kwUKlxDONy_N2qJrKszhI4zw,48071
117
118
  radboy/DB/__pycache__/FormBuilder.cpython-312.pyc,sha256=p1o-5SMRL8OXP_XQ5liUpf-_EkvU8oQwg-BrTWVkcTY,5566
118
119
  radboy/DB/__pycache__/PrintLogging.cpython-312.pyc,sha256=pIAFqTi6OiQQORSc-oMH1zAbsdH7sY1TifxrN_QOvnU,148
119
120
  radboy/DB/__pycache__/Prompt.cpython-311.pyc,sha256=P2uPRpeqfLFtxieZ0JHBG3X_HZzWUCsFSLb_fpRqky0,6407
@@ -338,6 +339,8 @@ radboy/Solver/__pycache__/Solver.cpython-312.pyc,sha256=naBpsq0jyNcui_Xhocf9Asub
338
339
  radboy/Solver/__pycache__/Solver.cpython-313.pyc,sha256=F9t9iYHb2qUH6tdUpEldrYWNYW0t3hKRqprPW7WfLuY,27302
339
340
  radboy/Solver/__pycache__/__init__.cpython-312.pyc,sha256=5OTER7wiUddDSljXwQO3snJCmIv01LrM8uRZDbihoeA,1207
340
341
  radboy/Solver/__pycache__/__init__.cpython-313.pyc,sha256=mDExDm2GKBxXJhP-7YBxfnT0O5vd2Ju3sT4TZ2Z0rhQ,1207
342
+ radboy/SpiceTools/SpiceTools.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
343
+ radboy/SpiceTools/__init__.py,sha256=ht6vxVokfL2h_knFvukHOsxBdu-6KxoJ9AXshrcp9dA,1090
341
344
  radboy/StopWatchUi/StopWatchUi.py,sha256=1SK89TKUjG9Ml6O9aLfg72Mewcff7PuQPjbnX49PaBI,9401
342
345
  radboy/StopWatchUi/__init__.py,sha256=OSncIX-anAMHR4Ppls6hSkisYdYvSvkTHc3QXArPNNI,834
343
346
  radboy/StopWatchUi/__pycache__/StopWatch.cpython-312.pyc,sha256=D106VHcNR4F2km811ibUFzYC89DOkTt1DYOgk9D8g-o,9520
@@ -409,7 +412,7 @@ radboy/__pycache__/Run.cpython-311.pyc,sha256=G_UEfMtkLRjR6ZpGA_BJzGenuaCcP469Y9
409
412
  radboy/__pycache__/Run.cpython-312.pyc,sha256=v4xolc3mHyla991XhpYBUbBHYT0bnJ1gE-lkFoQ4GFA,241
410
413
  radboy/__pycache__/__init__.cpython-311.pyc,sha256=R-DVbUioMOW-Fnaq7FpT5F1a5p0q3b_RW-HpLRArCAY,242
411
414
  radboy/__pycache__/__init__.cpython-312.pyc,sha256=FsFzLXOlTK8_7ixoPZzakkR8Wibt-DvXLFh-oG2QlPw,164
412
- radboy/__pycache__/__init__.cpython-313.pyc,sha256=ve2NyMk9TvBWej_JUfjlEy5-Igoe_y_9Z2Jg0PRCm5s,165
415
+ radboy/__pycache__/__init__.cpython-313.pyc,sha256=1LPjwhTEBjJQ2CyCGL1b0ZzTPRx9iy0cXb4_mb5Nlok,165
413
416
  radboy/__pycache__/__init__.cpython-39.pyc,sha256=D48T6x6FUeKPfubo0sdS_ZUut3FmBvPMP7qT6rYBZzU,275
414
417
  radboy/__pycache__/possibleCode.cpython-311.pyc,sha256=zFiHyzqD8gUnIWu4vtyMYIBposiRQqaRXfcT_fOl4rU,20882
415
418
  radboy/__pycache__/possibleCode.cpython-312.pyc,sha256=tk_CO-AcsO3YZj5j6vEsw3g37UmEzWc5YgeWEoJEUg4,27922
@@ -437,7 +440,7 @@ radboy/tkGui/Images/__pycache__/__init__.cpython-311.pyc,sha256=tXBYpqbOlZ24B1BI
437
440
  radboy/tkGui/__pycache__/BeginnersLuck.cpython-311.pyc,sha256=xLQOnV1wuqHGaub16mPX0dDMGU9ryCeLtNz5e517_GE,3004
438
441
  radboy/tkGui/__pycache__/Review.cpython-311.pyc,sha256=wKq24iM6Xe2OampgZ7-8U6Nvmgs2y-qWOrGwtWhc75k,4047
439
442
  radboy/tkGui/__pycache__/__init__.cpython-311.pyc,sha256=BX7DBn5qbvKTvlrKOP5gzTBPBTeTgSMjBW6EMl7N8e0,230
440
- radboy-0.0.755.dist-info/METADATA,sha256=e1RiUtBITb3QdNWRnQ1cfdYy1gmSkB4DIvrXjtueTew,1920
441
- radboy-0.0.755.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
442
- radboy-0.0.755.dist-info/top_level.txt,sha256=mlM0RWMUxGo1YHnlLmYrHOgGdK4XNRpr7nMFD5lR56c,7
443
- radboy-0.0.755.dist-info/RECORD,,
443
+ radboy-0.0.767.dist-info/METADATA,sha256=38mtEsZ76i8z4tV6bFIBzKqloWpXmQYbrWJePt56xs8,1920
444
+ radboy-0.0.767.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
445
+ radboy-0.0.767.dist-info/top_level.txt,sha256=mlM0RWMUxGo1YHnlLmYrHOgGdK4XNRpr7nMFD5lR56c,7
446
+ radboy-0.0.767.dist-info/RECORD,,