ViewVC Help
View File | Revision Log | Show Annotations | View Changeset | Root Listing
root/ns_dev/Python/NinoCode/Active_prgs/Gromulus/Gromulus_Lib.py
Revision: 907
Committed: Sat Jun 7 03:32:11 2025 UTC (9 months, 2 weeks ago) by nino.borges
Content type: text/x-python
File size: 8936 byte(s)
Log Message:
Updated to fix the issue where I'm opening the connection on import but closing at the end of each function.  added a database manager class and added the OnExit in the UI mainloop to close the db connection.

File Contents

# Content
1 """
2 This creates the main library of methods for Gromulus.
3
4 """
5
6 import sqlite3, configparser, shutil
7 import xml.etree.ElementTree as ET
8 import Tool_Box.NinoGenTools, os
9
10
11 config = configparser.ConfigParser()
12 config.read("/home/nino/.gromulus/gromulus_cfg.ini")
13
14 #conn = sqlite3.connect(config.get('RootConfig','databasePath'))
15
16
17 class DatabaseManager:
18 def __init__(self):
19 self.db_path = config.get('RootConfig','databasePath') # Hardcoded DB path
20 self.conn = sqlite3.connect(self.db_path)
21
22 def get_connection(self):
23 return self.conn
24
25 def close(self):
26 if self.conn:
27 self.conn.close()
28 self.conn = None
29
30
31 def ImportNewNoIntroDat(datPath, conn):
32 """Deletes all of the data in the two No_Intro tables and load the info from the new dat."""
33 tree = ET.parse(datPath)
34 root = tree.getroot()
35
36 ## First gather information from header
37 for elm in root.findall('header'):
38 headerID = elm.find('id').text
39 headerName = elm.find('name').text
40 headerDesc = elm.find('description').text
41 headerVer = elm.find('version').text
42
43 #print(headerID)
44 #print (headerName)
45 #print(headerDesc)
46 #print(headerVer)
47 conn.execute("""DELETE FROM no_intro_system""" )
48 conn.execute(f'INSERT INTO no_intro_system VALUES ({headerID}, "{headerName}", "{headerDesc}", "{headerVer}")')
49
50 conn.execute("""DELETE FROM no_intro_main""" )
51 for elm in root.findall('game'):
52 gameName = elm.get('name')
53 gameID = elm.get('id')
54 gameCloneOfID = elm.get('cloneofid')
55 gameDesc = elm.find('description').text
56
57 romName = elm.find('rom').get('name')
58 romSize = elm.find('rom').get('size')
59 romCRC = elm.find('rom').get('crc')
60 romMD5 = elm.find('rom').get('md5')
61 romSHA1 = elm.find('rom').get('sha1')
62 romSHA256 = elm.find('rom').get('sha256')
63 romStatus = elm.find('rom').get('status')
64 conn.execute(f'INSERT INTO no_intro_main VALUES ("{gameName}", "{gameID}", "{gameCloneOfID}", "{gameDesc}", "{romName}", "{romCRC}", "{romMD5}", "{romSHA1}", "{romSHA256}", "{romStatus}", {headerID})')
65
66 conn.commit()
67 #conn.close()
68
69
70 def ImportNewTosecDat(datPath, conn):
71 """Imports a TOSEC DAT file and populates the tosec_main and tosec_system tables."""
72 cursor = conn.cursor()
73 tree = ET.parse(datPath)
74 root = tree.getroot()
75
76 # Extract header info
77 header = root.find("header")
78 system_name = header.findtext("name")
79 system_description = header.findtext("description")
80
81 # Replace system info
82 cursor.execute("DELETE FROM tosec_system")
83 cursor.execute("INSERT INTO tosec_system (system_name, system_description) VALUES (?, ?)",
84 (system_name, system_description))
85 system_id = cursor.execute("SELECT id FROM tosec_system WHERE system_name = ?", (system_name,)).fetchone()[0]
86
87 # Replace game entries
88 cursor.execute("DELETE FROM tosec_main")
89 for game in root.findall("game"):
90 game_name = game.attrib.get("name", "")
91 rom = game.find("rom")
92 if rom is None:
93 continue
94 rom_filename = rom.attrib.get("name", "")
95 rom_size = int(rom.attrib.get("size", "0"))
96 rom_md5 = rom.attrib.get("md5", "")
97
98 cursor.execute("""
99 INSERT INTO tosec_main (game_name, rom_hash, rom_filename, rom_size, system_id)
100 VALUES (?, ?, ?, ?, ?)""",
101 (game_name, rom_md5, rom_filename, rom_size, system_id)
102 )
103
104 conn.commit()
105 #conn.close()
106 print("TOSEC DAT imported successfully.")
107
108
109 def AddNewSystem(systemName, shortName, relativePath, conn):
110 """Adding a single system, with path where the ROMs will live."""
111 conn.execute(f'INSERT INTO main_app_system("name", "short_name", "relative_file_path")VALUES ("{systemName}", "{shortName}", "{relativePath}")')
112 conn.commit()
113 #conn.close()
114
115 ## Next gather game information
116 def AddNewRoms(pathToRoms, systemID, conn, testOnly = False):
117 """Adding additional roms."""
118 importedCount = 0
119 alreadyExistsCount = 0
120 errImportCount = 0
121
122 sysResult = conn.execute(f'SELECT relative_file_path FROM main_app_system WHERE id={systemID}')
123 for s in sysResult:
124 systemRomPath = s[0]
125 fullRomPath = os.path.join(config.get('RootConfig','softwareBackupStartDir'),systemRomPath)
126
127 res = conn.execute('SELECT md5 FROM main_app')
128 currentHashList = []
129 for h in res:
130 #print(h[0])
131 currentHashList.append(h[0])
132 #print(currentHashList)
133 print(len(currentHashList))
134
135 hshr = Tool_Box.NinoGenTools.HashFileContents('md5')
136 for testFile in os.listdir(pathToRoms):
137 print(f"\n\nNow analyzing {testFile}...")
138 hashVal = hshr.HashFile(os.path.join(pathToRoms,testFile))
139 if hashVal in currentHashList:
140 print("This file is already in your collection, skipping.")
141 alreadyExistsCount +=1
142 else:
143 print("This file is unique. Adding to collection.")
144 fileNameInc = 0
145 targetFileName = testFile
146 while os.path.isfile(os.path.join(fullRomPath,targetFileName)):
147 fileNameInc +=1
148 testFileNamePart, testFileExt = os.path.splitext(testFile)
149 targetFileName = testFileNamePart +"_"+ str(fileNameInc) + testFileExt
150 if testOnly:
151 pass
152 else:
153 shutil.copyfile(os.path.join(pathToRoms,testFile),os.path.join(fullRomPath,targetFileName))
154 conn.execute(f'INSERT INTO main_app("file_name", "system_console", "md5")VALUES("{testFile}","{systemID}","{hashVal}")')
155 conn.commit()
156 importedCount +=1
157 #conn.close()
158 return importedCount, alreadyExistsCount, errImportCount
159
160 def GetSystemList(conn):
161 res = conn.execute("SELECT id, name, short_name, relative_file_path FROM main_app_system ")
162 systemNamesMatrix = {}
163 for h in res:
164 systemNamesMatrix[h[1]] = [h[0],h[2],h[3]]
165 return systemNamesMatrix
166
167 def GetGameListBySystem(systemName, conn):
168 res = conn.execute("SELECT main_app.id, main_app.game_name, no_intro_main.game_name, tosec_main.game_name,main_app.file_name FROM main_app LEFT JOIN no_intro_main ON main_app.md5 = no_intro_main.md5 LEFT JOIN tosec_main ON main_app.md5 = tosec_main.md5")
169 #res = conn.execute("SELECT main_app.id, main_app.game_name, no_intro_main.game_name, main_app.file_name FROM main_app LEFT JOIN no_intro_main ON main_app.md5 = no_intro_main.md5")
170 gameNamesMatrix = {}
171 for h in res:
172 if h[1]:
173 gameNamesMatrix[h[1]] = h[0]
174 elif h[2]:
175 gameNamesMatrix[h[2]] = h[0]
176 elif h[3]:
177 gameNamesMatrix[h[3]] = h[0]
178 else:
179 gameNamesMatrix[h[4]] = h[0]
180
181 #for g in gameNamesList:
182 # print(g)
183 return gameNamesMatrix
184
185 def GetSingleGameById(game_id, conn):
186 """Fetches full metadata for a single ROM entry, including No-Intro and TOSEC info if available."""
187 cursor = conn.cursor()
188
189 cursor.execute("""
190 SELECT ma.id, ma.rom_filename, ma.rom_hash, ma.rom_filepath,
191 sys.system_name, sys.system_description
192 FROM main_app ma
193 JOIN main_app_system sys ON ma.system_id = sys.id
194 WHERE ma.id = ?
195 """, (game_id,))
196 game = cursor.fetchone()
197
198 no_intro = cursor.execute("""
199 SELECT nis.system_name, nim.game_name
200 FROM no_intro_main nim
201 JOIN no_intro_system nis ON nim.system_id = nis.id
202 WHERE nim.rom_hash = ?
203 """, (game[2],)).fetchone()
204
205 tosec = cursor.execute("""
206 SELECT ts.system_name, tm.game_name
207 FROM tosec_main tm
208 JOIN tosec_system ts ON tm.system_id = ts.id
209 WHERE tm.rom_hash = ?
210 """, (game[2],)).fetchone()
211
212 conn.close()
213
214 return {
215 "id": game[0],
216 "filename": game[1],
217 "hash": game[2],
218 "path": game[3],
219 "system_name": game[4],
220 "system_description": game[5],
221 "no_intro_system": no_intro[0] if no_intro else None,
222 "no_intro_game": no_intro[1] if no_intro else None,
223 "tosec_system": tosec[0] if tosec else None,
224 "tosec_game": tosec[1] if tosec else None,
225 }
226
227
228
229
230 if __name__ == '__main__':
231 pass
232 #test = GetSystemList()
233 #print(test.keys())
234 #AddNewSystem("Super Nintendo", "SNES", r"Roms/Snes/Gromulus")
235 #ImportNewNoIntroDat("/home/nino/MyCode/Python/Active_prgs/Gromulus/_data/_dats/Nintendo - Super Nintendo Entertainment System (20230516-033614).dat")
236 #AddNewRoms('/mnt/smb/HomeData/ninoborges/Emulation/Roms/Snes/Random2',"1",testOnly=True)
237 #res = conn.execute("SELECT * FROM main_app LEFT JOIN no_intro_main ON main_app.md5 = no_intro_main.md5")
238 #for h in res:
239 # print(h)
240 # print("\n")
241 #GetGameListBySystem('snes')
242 #GetSingleGameById('224')
243