summaryrefslogtreecommitdiff
path: root/src/verbs/sync.py
blob: b0210afd5ee05ec2a0794c8984f6482aff58d538 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
import os
import util
import colors
import shutil
import time
import sys

CACHE_DIR = "/var/cache/xipkg"

def run_post_install(config, verbose=False, root="/"):
    """ Scan and run postinstall scripts 

    Args:
        config: (dict) The xipkg config
        verbose: (bool, optional) Whether to print debug messages
        root: (str) The system root to begin searching
    """

    if root == "/":
        installed_dir = util.add_path(root, config["dir"]["postinstall"])
        if os.path.exists(installed_dir):
            files = os.listdir(installed_dir)
            if len(files) > 0:
                done = 0
                for file in files:
                    util.loading_bar(done, len(files), f"Running Postinstalls...")
                    f = util.add_path(config["dir"]["postinstall"], file)
                    command = f"sh {f}"
                    os.chdir("/")
                    os.system(command)
                    os.remove(f)
                    done += 1
                util.loading_bar(len(files), len(files), f"Run Postinstalls")
                print(colors.RESET)


def list_packages(url):
    """ List all of the packages available in a repo 

    Will return a parsed version of /packages.list and the time it took to retrieve this
                
    Args:
        url: (str) The repository's URL

    Returns:
        dict: 
            A dictionary listing all packages and a string of their info summary
            example: {
                "linux" : "abcdef 100 200"
            }
        int:
            The time in milliseconds for the request to complete
    """

    start = time.time()
    status, response = util.curl(url + "/packages.list")
    duration = (time.time() - start) * 1000

    if status != 200:
        return {}, -1

    return {
            line.split()[0].split(".")[0]: " ".join(line.split()[1:])
            for line in response.split("\n") if len(line.split()) >  0
            }, (duration / len(response)) if len(response) > 0 else float('inf')
        

def sync_packages(repo, sources, verbose=False):
    """
    Get a list of the versions available for all packages in a repo

    Args:
        repo: (str) The name of the repo to search
        sources: (dict) a dictionary of the sources and their urls
        verbose: (bool, optional) Whether to print debug messages
    Returns:
        dict:
            Versions of each available package
    """

    versions = {}
    speeds = {}

    for source,url in sources.items():
        listed, speed = list_packages(url + repo if url[-1] == "/" else f"/{repo}")

        if speed > 0: speeds[source] = speed

        if verbose:
                print(
                        (colors.RED + f"No packages found in {source}/{repo}" + colors.RESET) 
                        if len(listed) == 0 else 
                        (colors.BLACK + f"{len(listed)} packages found in {source}/{repo}" + colors.RESET)
                    )

        for p in listed:
            if not p in versions: versions[p] = []
            versions[p].append((listed[p], source))

    return versions, speeds

def validate_package(package, versions, repo, verbose=False):
    popularity = {}
    for v in versions:
        info = v[0]
        source = v[1]
        if not info in popularity:
            popularity[info] = 0
        popularity[info] += 1

    most_popular = ""
    p_count = -1
    for p,c in popularity.items():
        if c > p_count:
            most_popular = p
            p_count = c

    sources = [v[1] for v in versions if v[0] == most_popular]
    
    # change the packages dict to list all the sources
    # maybe some validation here
    if len(most_popular.split()) > 2:
        info = {
                "checksum": most_popular.split()[0],
                "size": most_popular.split()[1],
                "files": most_popular.split()[2],
                "sources" : sources
                }
    else:
        info = {
                "checksum": most_popular.split()[0],
                "size": "0",
                "files": "0",
                "sources" : sources
                }
    return info

def save_package(package, info, location):
    util.mkdir(location)
    package_file = os.path.join(location, package)
    
    exists = False
    if os.path.exists(package_file):
        with open(package_file, "r") as file:
            text = file.read()
            exists = info["checksum"] in text

    content = ""
    with open(package_file, "w") as file:
        file.write("checksum=" + info["checksum"] + "\n")
        file.write("size=" + info["size"] + "\n")
        file.write("files=" + info["files"] + "\n")
        file.write("sources=" + " ".join([source for source in info["sources"]]))

    return exists


def test_source(source, url):
    # requesting a resource may not be the best way to do this, caching etc
    start = time.time()
    code, reponse = util.curl(util.add_path(url, "index.html"))
    if code == 200:
        return int((time.time() - start) * 1000)
    else:
        return -1

def test_sources(sources, file_path, test_count=10):
    if test_count > 0:
        pings = {}
        checked = 0
        for source,url in sources.items():
            total = 0
            for i in range(test_count):
                total += test_source(source, url)
                util.loading_bar(checked, len(sources) * test_count, f"Pinging Sources")
                checked += 1
            if total > 0:
                pings[source] = int(total / test_count) if total > 0 else 0


        sorted(pings)
        
        with open(file_path, "w") as file:
            for source,ping in pings.items():
                file.write(f"{source} {ping}\n")

        util.loading_bar(checked, len(sources) * test_count, f"Pinged Sources")
        print()


def sync(args, options, config):
    sources = config["sources"]
    repos = config["repos"]

    v = options["v"]

    new = 0

    run_post_install(config, verbose=options["v"], root=options["r"])
    
    for repo in repos:
        if v: print(colors.LIGHT_BLACK + f"downloading package lists for {repo}...")

        packages, speeds = sync_packages(repo, sources, verbose=v)
        if v: print(colors.LIGHT_BLACK + f"downloaded {len(packages)} packages from {len(sources)} sources")
        
        sorted(speeds)
        with open(config["dir"]["sources"], "w") as file:
            for source,ping in speeds.items():
                file.write(f"{source} {ping}\n")
        
        repo_dir = os.path.join(config["dir"]["packages"], repo)
        if os.path.exists(repo_dir):
            shutil.rmtree(repo_dir)

        # find the most popular hash to use
        done = 0 
        total = len(packages.items())
        for package, versions in packages.items():
            info = validate_package(package, versions, repo, verbose=v)
            if not save_package(package, info, repo_dir):
                new += 1
            done += 1
            util.loading_bar(done, total, f"Syncing {repo}")

        util.loading_bar(total, total, f"Synced {repo}")
        print(colors.RESET)

    # this isnt new updates for install, this is new packages
    #if new > 0:
    #    util.fill_line(f"There are {new} new updates", colors.LIGHT_GREEN)



def import_key(name, url, config, verbose=False, root="/"):
    keychain_dir = util.add_path(root, config["dir"]["keychain"])
    util.mkdir(keychain_dir)
    key_path = os.path.join(keychain_dir, name + ".pub")

    if os.path.exists(key_path):
        print(colors.RED + f"Skipping existing key with name {name}")
    else:
        try:
            key_path = util.curl_to_file(url, key_path)
            print(colors.GREEN + f"Imported {name}.pub")
        except Exception as e:
            print(colors.RED + f"Failed to import key:", colors.RED + str(e))

def keyimport(args, options, config):
    if len(args) > 1:
        alias = args[0]
        url = args[1]
        
        import_key(alias, url, config, verbose=options["v"], root=options["r"])

    else:
        print(colors.RED + "Usage: keyimport <alias> <url>")