bcmd 0.5.4__py3-none-any.whl → 0.5.6__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 bcmd might be problematic. Click here for more details.

bcmd/tasks/venv.py CHANGED
@@ -1,217 +1,227 @@
1
- import os
2
- import platform
3
- import re
4
- import sys
5
- from pathlib import Path
6
- from typing import Final
7
-
8
- import typer
9
- from beni import bcolor, bexecute, bfile, bhttp, bpath, btask
10
- from beni.bfunc import syncCall
11
- from beni.btype import Null
12
- from prettytable import PrettyTable
13
-
14
- from ..common.func import checkFileOrNotExists, checkPathOrNotExists
15
-
16
- app: Final = btask.newSubApp('venv 相关')
17
-
18
-
19
- @app.command()
20
- @syncCall
21
- async def add(
22
- packages: list[str] = typer.Argument(None),
23
- path: Path = typer.Option(None, '--path', help='指定路径,默认当前目录'),
24
- isOfficial: bool = typer.Option(False, '--official', help='是否使用官方地址安装(https://pypi.org/simple)'),
25
- ):
26
- '添加指定库'
27
- await _venv(
28
- packages,
29
- path=path,
30
- isOfficial=isOfficial,
31
- )
32
-
33
-
34
- @app.command()
35
- @syncCall
36
- async def install_benimang(
37
- path: Path = typer.Option(None, '--path', help='指定路径,默认当前目录'),
38
- ):
39
- '更新 benimang 库,强制使用官方源'
40
- await _venv(
41
- ['benimang==now'],
42
- path=path,
43
- isOfficial=True,
44
- )
45
-
46
-
47
- @app.command()
48
- @syncCall
49
- async def install_base(
50
- path: Path = typer.Option(None, '--path', help='指定路径,默认当前目录'),
51
- isOfficial: bool = typer.Option(False, '--official', help='是否使用官方地址安装(https://pypi.org/simple)'),
52
- isReinstall: bool = typer.Option(False, '--reinstall', help='是否清空venv目录后重新安装'),
53
- ):
54
- '安装基础库'
55
- await _venv(
56
- path=path,
57
- isOfficial=isOfficial,
58
- isUseBase=True,
59
- isCleanup=isReinstall,
60
- )
61
-
62
-
63
- @app.command()
64
- @syncCall
65
- async def install_lock(
66
- path: Path = typer.Option(None, '--path', help='指定路径,默认当前目录'),
67
- isOfficial: bool = typer.Option(False, '--official', help='是否使用官方地址安装(https://pypi.org/simple)'),
68
- isReinstall: bool = typer.Option(False, '--reinstall', help='是否清空venv目录后重新安装'),
69
- ):
70
- '安装指定版本的库'
71
- await _venv(
72
- path=path,
73
- isOfficial=isOfficial,
74
- isUseLock=True,
75
- isCleanup=isReinstall,
76
- )
77
-
78
-
79
- # ------------------------------------------------------------------------------------
80
-
81
- async def _venv(
82
- packages: list[str] = [],
83
- *,
84
- path: Path = Null,
85
- isOfficial: bool = False,
86
- isUseBase: bool = False,
87
- isUseLock: bool = False,
88
- isCleanup: bool = False,
89
- ):
90
- 'python 虚拟环境配置'
91
- btask.assertTrue(not (isUseBase == isUseLock == True), '2个选项只能选择其中一个 --use-base / --use-lock')
92
- path = path or Path(os.getcwd())
93
- venvPath = bpath.get(path, 'venv')
94
- checkPathOrNotExists(venvPath)
95
- venvFile = bpath.get(path, '.venv')
96
- checkFileOrNotExists(venvFile)
97
- if isCleanup:
98
- bpath.remove(venvPath)
99
- btask.assertTrue(not venvPath.exists(), f'无法删除 venv 目录 {venvPath}')
100
- packages = packages or []
101
- for i in range(len(packages)):
102
- package = packages[i]
103
- if package.endswith('==now'):
104
- ary = package.split('==')
105
- packages[i] = f'{ary[0]}=={await _getPackageLatestVersion(ary[0])}'
106
- if not venvPath.exists():
107
- await bexecute.run(f'python -m venv {venvPath}')
108
- if not venvFile.exists():
109
- await bfile.writeText(venvFile, '')
110
- basePackages, lockPackages = await getPackageList(venvFile)
111
- if isUseBase:
112
- installPackages = _mergePackageList(basePackages, packages)
113
- elif isUseLock:
114
- installPackages = _mergePackageList(lockPackages, packages)
115
- else:
116
- installPackages = _mergePackageList(lockPackages or basePackages, packages)
117
- installPackages = sorted(list(set(installPackages)))
118
- if sys.platform.startswith('win'):
119
- pip = bpath.get(venvPath, 'Scripts/pip.exe')
120
- else:
121
- pip = bpath.get(venvPath, 'bin/pip')
122
- await _pipInstall(pip, installPackages, isOfficial)
123
- with bpath.useTempFile() as tempFile:
124
- await bexecute.run(f'{pip} freeze > {tempFile}')
125
- basePackages = _mergePackageList(basePackages, packages)
126
- lockPackages = (await bfile.readText(tempFile)).strip().split('\n')
127
- await updatePackageList(venvFile, basePackages, lockPackages)
128
- bcolor.printGreen('OK')
129
-
130
-
131
- async def _pipInstall(pip: Path, installPackages: list[str], disabled_mirror: bool):
132
- python = pip.with_stem('python')
133
- btask.assertTrue(python.is_file(), f'无法找到指定文件 {python}')
134
- btask.assertTrue(pip.is_file(), f'无法找到指定文件 {pip}')
135
- indexUrl = '-i https://pypi.org/simple' if disabled_mirror else ''
136
- with bpath.useTempFile() as file:
137
- await bfile.writeText(file, '\n'.join(installPackages))
138
- table = PrettyTable()
139
- table.add_column(
140
- bcolor.yellow('#'),
141
- [x + 1 for x in range(len(installPackages))],
142
- )
143
- table.add_column(
144
- bcolor.yellow('安装库'),
145
- [x for x in installPackages],
146
- 'l',
147
- )
148
- print(table.get_string())
149
-
150
- btask.assertTrue(
151
- not await bexecute.run(f'{python} -m pip install --upgrade pip {indexUrl}'),
152
- '更新 pip 失败',
153
- )
154
- btask.assertTrue(
155
- not await bexecute.run(f'{pip} install -r {file} {indexUrl}'),
156
- '执行失败',
157
- )
158
-
159
-
160
- async def _getPackageDict(venvFile: Path):
161
- content = await bfile.readText(venvFile)
162
- pattern = r'\[\[ (.*?) \]\]\n(.*?)(?=\n\[\[|\Z)'
163
- matches: list[tuple[str, str]] = re.findall(pattern, content.strip(), re.DOTALL)
164
- return {match[0]: [line.strip() for line in match[1].strip().split('\n') if line.strip()] for match in matches}
165
-
166
-
167
- _baseName: Final[str] = 'venv'
168
-
169
-
170
- def _getLockName():
171
- systemName = platform.system()
172
- return f'{_baseName}-{systemName}'
173
-
174
-
175
- async def getPackageList(venvFile: Path):
176
- result = await _getPackageDict(venvFile)
177
- lockName = _getLockName()
178
- return result.get(_baseName, []), result.get(lockName, [])
179
-
180
-
181
- async def updatePackageList(venvFile: Path, packages: list[str], lockPackages: list[str]):
182
- packageDict = await _getPackageDict(venvFile)
183
- lockName = _getLockName()
184
- packages.sort(key=lambda x: x.lower())
185
- lockPackages.sort(key=lambda x: x.lower())
186
- packageDict[_baseName] = packages
187
- packageDict[lockName] = lockPackages
188
- content = '\n\n\n'.join([f'\n[[ {key} ]]\n{'\n'.join(value)}' for key, value in packageDict.items()]).strip()
189
- await bfile.writeText(venvFile, content)
190
-
191
-
192
- async def _getPackageLatestVersion(package: str):
193
- '获取指定包的最新版本'
194
- data = await bhttp.getJson(
195
- f'https://pypi.org/pypi/{package}/json'
196
- )
197
- return data['info']['version']
198
-
199
-
200
- def _mergePackageList(basePackages: list[str], addPackages: list[str]):
201
- basePackagesDict = {_getPackageName(x): x for x in basePackages}
202
- addPackagesDict = {_getPackageName(x): x for x in addPackages}
203
- packagesDict = basePackagesDict | addPackagesDict
204
- return sorted([x for x in packagesDict.values()])
205
-
206
-
207
- def _getPackageName(package: str):
208
- if '==' in package:
209
- package = package.split('==')[0]
210
- elif '>' in package:
211
- package = package.split('>')[0]
212
- elif '<' in package:
213
- package = package.split('<')[0]
214
- package = package.strip()
215
- if package.startswith('#'):
216
- package = package.replace('#', '', 1).strip()
217
- return package
1
+ import os
2
+ import platform
3
+ import re
4
+ import sys
5
+ from pathlib import Path
6
+ from typing import Final
7
+
8
+ import typer
9
+ from beni import bcolor, bexecute, bfile, bhttp, bpath, brun, btask
10
+ from beni.bfunc import syncCall
11
+ from beni.btype import Null
12
+ from prettytable import PrettyTable
13
+
14
+ from ..common.func import checkFileOrNotExists, checkPathOrNotExists
15
+
16
+ app: Final = btask.newSubApp('venv 相关')
17
+
18
+
19
+ @app.command()
20
+ @syncCall
21
+ async def add(
22
+ packages: list[str] = typer.Argument(None),
23
+ path: Path = typer.Option(None, '--path', help='指定路径,默认当前目录'),
24
+ isOfficial: bool = typer.Option(False, '--official', help='是否使用官方地址安装(https://pypi.org/simple)'),
25
+ ):
26
+ '添加指定库'
27
+ await _venv(
28
+ packages,
29
+ path=path,
30
+ isOfficial=isOfficial,
31
+ )
32
+
33
+
34
+ @app.command()
35
+ @syncCall
36
+ async def install_benimang(
37
+ path: Path = typer.Option(None, '--path', help='指定路径,默认当前目录'),
38
+ ):
39
+ '更新 benimang 库,强制使用官方源'
40
+ path = path or Path(os.getcwd())
41
+ pip = getPipFile(path)
42
+ await brun.run(f'{pip} install benimang -U -i https://pypi.org/simple', isPrint=True)
43
+ await _venv(
44
+ ['benimang==now'],
45
+ path=path,
46
+ )
47
+
48
+
49
+ @app.command()
50
+ @syncCall
51
+ async def install_base(
52
+ path: Path = typer.Option(None, '--path', help='指定路径,默认当前目录'),
53
+ isOfficial: bool = typer.Option(False, '--official', help='是否使用官方地址安装(https://pypi.org/simple)'),
54
+ isReinstall: bool = typer.Option(False, '--reinstall', help='是否清空venv目录后重新安装'),
55
+ ):
56
+ '安装基础库'
57
+ await _venv(
58
+ path=path,
59
+ isOfficial=isOfficial,
60
+ isUseBase=True,
61
+ isCleanup=isReinstall,
62
+ )
63
+
64
+
65
+ @app.command()
66
+ @syncCall
67
+ async def install_lock(
68
+ path: Path = typer.Option(None, '--path', help='指定路径,默认当前目录'),
69
+ isOfficial: bool = typer.Option(False, '--official', help='是否使用官方地址安装(https://pypi.org/simple)'),
70
+ isReinstall: bool = typer.Option(False, '--reinstall', help='是否清空venv目录后重新安装'),
71
+ ):
72
+ '安装指定版本的库'
73
+ await _venv(
74
+ path=path,
75
+ isOfficial=isOfficial,
76
+ isUseLock=True,
77
+ isCleanup=isReinstall,
78
+ )
79
+
80
+
81
+ # ------------------------------------------------------------------------------------
82
+
83
+ async def _venv(
84
+ packages: list[str] = [],
85
+ *,
86
+ path: Path = Null,
87
+ isOfficial: bool = False,
88
+ isUseBase: bool = False,
89
+ isUseLock: bool = False,
90
+ isCleanup: bool = False,
91
+ ):
92
+ 'python 虚拟环境配置'
93
+ btask.assertTrue(not (isUseBase == isUseLock == True), '2个选项只能选择其中一个 --use-base / --use-lock')
94
+ path = path or Path(os.getcwd())
95
+ venvPath = getVenvPath(path)
96
+ checkPathOrNotExists(venvPath)
97
+ venvFile = bpath.get(path, '.venv')
98
+ checkFileOrNotExists(venvFile)
99
+ if isCleanup:
100
+ bpath.remove(venvPath)
101
+ btask.assertTrue(not venvPath.exists(), f'无法删除 venv 目录 {venvPath}')
102
+ packages = packages or []
103
+ for i in range(len(packages)):
104
+ package = packages[i]
105
+ if package.endswith('==now'):
106
+ ary = package.split('==')
107
+ packages[i] = f'{ary[0]}=={await _getPackageLatestVersion(ary[0])}'
108
+ if not venvPath.exists():
109
+ await bexecute.run(f'python -m venv {venvPath}')
110
+ if not venvFile.exists():
111
+ await bfile.writeText(venvFile, '')
112
+ basePackages, lockPackages = await getPackageList(venvFile)
113
+ if isUseBase:
114
+ installPackages = _mergePackageList(basePackages, packages)
115
+ elif isUseLock:
116
+ installPackages = _mergePackageList(lockPackages, packages)
117
+ else:
118
+ installPackages = _mergePackageList(lockPackages or basePackages, packages)
119
+ installPackages = sorted(list(set(installPackages)))
120
+ pip = getPipFile(path)
121
+ await _pipInstall(pip, installPackages, isOfficial)
122
+ with bpath.useTempFile() as tempFile:
123
+ await bexecute.run(f'{pip} freeze > {tempFile}')
124
+ basePackages = _mergePackageList(basePackages, packages)
125
+ lockPackages = (await bfile.readText(tempFile)).replace('\r\n', '\n').strip().split('\n')
126
+ await updatePackageList(venvFile, basePackages, lockPackages)
127
+ bcolor.printGreen('OK')
128
+
129
+
130
+ async def _pipInstall(pip: Path, installPackages: list[str], disabled_mirror: bool):
131
+ python = pip.with_stem('python')
132
+ btask.assertTrue(python.is_file(), f'无法找到指定文件 {python}')
133
+ btask.assertTrue(pip.is_file(), f'无法找到指定文件 {pip}')
134
+ indexUrl = '-i https://pypi.org/simple' if disabled_mirror else ''
135
+ with bpath.useTempFile() as file:
136
+ await bfile.writeText(file, '\n'.join(installPackages))
137
+ table = PrettyTable()
138
+ table.add_column(
139
+ bcolor.yellow('#'),
140
+ [x + 1 for x in range(len(installPackages))],
141
+ )
142
+ table.add_column(
143
+ bcolor.yellow('安装库'),
144
+ [x for x in installPackages],
145
+ 'l',
146
+ )
147
+ print(table.get_string())
148
+
149
+ btask.assertTrue(
150
+ not await bexecute.run(f'{python} -m pip install --upgrade pip {indexUrl}'),
151
+ '更新 pip 失败',
152
+ )
153
+ btask.assertTrue(
154
+ not await bexecute.run(f'{pip} install -r {file} {indexUrl}'),
155
+ '执行失败',
156
+ )
157
+
158
+
159
+ async def _getPackageDict(venvFile: Path):
160
+ content = await bfile.readText(venvFile)
161
+ pattern = r'\[\[ (.*?) \]\]\n(.*?)(?=\n\[\[|\Z)'
162
+ matches: list[tuple[str, str]] = re.findall(pattern, content.strip(), re.DOTALL)
163
+ return {match[0]: [line.strip() for line in match[1].strip().split('\n') if line.strip()] for match in matches}
164
+
165
+
166
+ _baseName: Final[str] = 'venv'
167
+
168
+
169
+ def _getLockName():
170
+ systemName = platform.system()
171
+ return f'{_baseName}-{systemName}'
172
+
173
+
174
+ async def getPackageList(venvFile: Path):
175
+ result = await _getPackageDict(venvFile)
176
+ lockName = _getLockName()
177
+ return result.get(_baseName, []), result.get(lockName, [])
178
+
179
+
180
+ async def updatePackageList(venvFile: Path, packages: list[str], lockPackages: list[str]):
181
+ packageDict = await _getPackageDict(venvFile)
182
+ lockName = _getLockName()
183
+ packages.sort(key=lambda x: x.lower())
184
+ lockPackages.sort(key=lambda x: x.lower())
185
+ packageDict[_baseName] = packages
186
+ packageDict[lockName] = lockPackages
187
+ content = '\n\n\n'.join([f'\n[[ {key} ]]\n{'\n'.join(value)}' for key, value in packageDict.items()]).strip()
188
+ await bfile.writeText(venvFile, content)
189
+
190
+
191
+ async def _getPackageLatestVersion(package: str):
192
+ '获取指定包的最新版本'
193
+ data = await bhttp.getJson(
194
+ f'https://pypi.org/pypi/{package}/json'
195
+ )
196
+ return data['info']['version']
197
+
198
+
199
+ def _mergePackageList(basePackages: list[str], addPackages: list[str]):
200
+ basePackagesDict = {_getPackageName(x): x for x in basePackages}
201
+ addPackagesDict = {_getPackageName(x): x for x in addPackages}
202
+ packagesDict = basePackagesDict | addPackagesDict
203
+ return sorted([x for x in packagesDict.values()])
204
+
205
+
206
+ def _getPackageName(package: str):
207
+ if '==' in package:
208
+ package = package.split('==')[0]
209
+ elif '>' in package:
210
+ package = package.split('>')[0]
211
+ elif '<' in package:
212
+ package = package.split('<')[0]
213
+ package = package.strip()
214
+ if package.startswith('#'):
215
+ package = package.replace('#', '', 1).strip()
216
+ return package
217
+
218
+
219
+ def getVenvPath(path: Path):
220
+ return bpath.get(path, 'venv')
221
+
222
+
223
+ def getPipFile(path: Path):
224
+ if sys.platform.startswith('win'):
225
+ return bpath.get(getVenvPath(path), 'Scripts/pip.exe')
226
+ else:
227
+ return bpath.get(getVenvPath(path), 'bin/pip')
@@ -1,12 +1,12 @@
1
1
  Metadata-Version: 2.2
2
2
  Name: bcmd
3
- Version: 0.5.4
3
+ Version: 0.5.6
4
4
  Summary: Commands for Beni
5
5
  Author-email: Beni Mang <benimang@126.com>
6
6
  Maintainer-email: Beni Mang <benimang@126.com>
7
7
  Keywords: benimang,beni,bcmd
8
8
  Requires-Python: >=3.10
9
- Requires-Dist: benimang==0.7.5
9
+ Requires-Dist: benimang==0.7.12
10
10
  Requires-Dist: build
11
11
  Requires-Dist: cryptography
12
12
  Requires-Dist: pathspec
@@ -0,0 +1,31 @@
1
+ bcmd/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
2
+ bcmd/main.py,sha256=1HRCHLt_jeF6ImgjG_MX9N2x9H1f6FyqTX7UADzedfA,131
3
+ bcmd/common/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
4
+ bcmd/common/func.py,sha256=MehbfuWFHTOsihhYxVFj0_U6-hjMTfLh3n-oMrpyyKo,508
5
+ bcmd/common/password.py,sha256=25fA1h9ttZuUobnZ_nA0Ouhmk43etBfGeM40dgxJnFY,1347
6
+ bcmd/resources/project/.gitignore,sha256=EygWFLwtooQl0GWXSeaLszLT-yQioKM7YMNAidcAHGw,23
7
+ bcmd/resources/project/main.py,sha256=xdskz_sf05fYA1SRMFCIxDjx8SnegxTbCmHpW86ItLs,11
8
+ bcmd/resources/project/.vscode/launch.json,sha256=Wpghb9lW9Y1wtrjqlTbyjeejDuU8BQJmBjwsLyPRh1g,478
9
+ bcmd/resources/project/.vscode/settings.json,sha256=G4rCroWxEHcQfsqIJ6CXRHI6VGr3WYQI3KPPjH_JANs,280
10
+ bcmd/resources/project/.vscode/tasks.json,sha256=gouhpkrqiPz7v65Jw1Rz-BCYU3sSdmphzXIYCzVnoe0,1783
11
+ bcmd/tasks/__init__.py,sha256=siqJwKgsjiIQzarBsQaucjm6VEvDr1pJDuEd7UnDXSQ,316
12
+ bcmd/tasks/bin.py,sha256=B_e-HYOc2Cohk-1PbKHyKn3RhI8TAUfI2EBRoFEHiTM,2961
13
+ bcmd/tasks/code.py,sha256=MaEnCMXiGkubslR7hLYX_8vIioN2CiEht4Nx6PtkVYY,3778
14
+ bcmd/tasks/crypto.py,sha256=C2welnYfdI4Tc-W1cwkboGb6bk6NGWO0MRKm4Bzo_9Q,3216
15
+ bcmd/tasks/debian.py,sha256=B9aMIIct3vNqMJr5hTr1GegXVf20H49C27FMvRRGIzI,3004
16
+ bcmd/tasks/download.py,sha256=XdZYKi8zQTNYWEgUxeTNDqPgP7IGYJkMmlDDC9u93Vk,2315
17
+ bcmd/tasks/image.py,sha256=Po8jpEf4e1X68oJc2MYT446o-45RgIrl1TsODvUetBo,7782
18
+ bcmd/tasks/json.py,sha256=WWOyvcZPYaqQgp-Tkm-uIJschNMBKPKtZN3yXz_SC5s,635
19
+ bcmd/tasks/lib.py,sha256=lq-PdHxhK-5Akf7k4QaIT8mBB-sCK5or5OqEFTdphIA,4567
20
+ bcmd/tasks/math.py,sha256=xbl5UdaDMyAjiLodDPleP4Cutrk2S3NOAgurzAgOEAE,2862
21
+ bcmd/tasks/mirror.py,sha256=nAe8NYftMKzht16MFBj7RqXwvVhR6Jh2uuAyJLh87og,1098
22
+ bcmd/tasks/project.py,sha256=yLYL6WNmq0mlY-hQ-SGKZ6uRjwceJxpgbP-QAo0Wk-Y,1948
23
+ bcmd/tasks/proxy.py,sha256=xvxN5PClUnc5LQpmq2Wug7_LUVpJboMWLXBvL9lX7EM,1552
24
+ bcmd/tasks/time.py,sha256=ZiqA1jdgl-TBtFSOxxP51nwv4g9iZItmkFKpf9MKelk,2453
25
+ bcmd/tasks/upgrade.py,sha256=ZiyecgVbnnoTU_LAsd78CIKA4ioc9so9pXpAM76b_0M,447
26
+ bcmd/tasks/venv.py,sha256=a7ZDyagUPQvCAXx3cZJIqJt0p1Iy5u5qmmj8iRbDQZE,7673
27
+ bcmd-0.5.6.dist-info/METADATA,sha256=xf6IbZCdIQKGRmxWo0Ttyz5xV5sQBuTL7rAU_CMOdGc,475
28
+ bcmd-0.5.6.dist-info/WHEEL,sha256=In9FTNxeP60KnTkGw7wk6mJPYd_dQSjEZmXdBdMCI-8,91
29
+ bcmd-0.5.6.dist-info/entry_points.txt,sha256=rHJrP6KEQpB-YaQqDFzEL2v88r03rxSfnzAayRvAqHU,39
30
+ bcmd-0.5.6.dist-info/top_level.txt,sha256=-KrvhhtBcYsm4XhcjQvEcFbBB3VXeep7d3NIfDTrXKQ,5
31
+ bcmd-0.5.6.dist-info/RECORD,,
@@ -1,30 +0,0 @@
1
- bcmd/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
2
- bcmd/main.py,sha256=8vYnVTAQ26hqeJEczbOHgwKPgCwc4ioFhSq8teBaJ98,141
3
- bcmd/common/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
4
- bcmd/common/func.py,sha256=LZn2vT75RFGil8F5szCWcjHtEjJEOx2tsHlFhOHu7G0,527
5
- bcmd/common/password.py,sha256=enZ5UxWJ-SqHRf_N7k4NVmcAgRbxqdtPQ2iHD9dlKBE,1381
6
- bcmd/resources/project/.gitignore,sha256=m8wh9WahP29_Ci866EEuj07Wfn0wnkomj7wldbxd29E,26
7
- bcmd/resources/project/main.py,sha256=xdskz_sf05fYA1SRMFCIxDjx8SnegxTbCmHpW86ItLs,11
8
- bcmd/resources/project/.vscode/launch.json,sha256=1sKvgMxEed0JeJ_ZOyISSotqxAAhjGCqQJXrD6YUsRk,492
9
- bcmd/resources/project/.vscode/settings.json,sha256=Ze0dt3KkKU1IiXMRiQfjbcKdSsS7XTD9PkaQn3wgEWs,290
10
- bcmd/resources/project/.vscode/tasks.json,sha256=KzTSl4Amygpm42WPyff4ONX3uyJ4bNtIGGzftrFmk6s,1850
11
- bcmd/tasks/__init__.py,sha256=Dh7qznK8e84ItTe7TMUlbOl1eqeG1FJjm1lCCUVwG8o,309
12
- bcmd/tasks/bin.py,sha256=4Ma9iOl9z7thFdKpGQtYgXk6uWckSffWJ8pAtE6S2nQ,3065
13
- bcmd/tasks/code.py,sha256=gcBc0ZKRtVzQrbNeqcm0PSqjM_qpYDBsxlaHl-C-jjI,3037
14
- bcmd/tasks/crypto.py,sha256=zktPJCrjh_5U48uiub6WOyqF4dtoEF5_F6d3MJye-MM,3332
15
- bcmd/tasks/debian.py,sha256=1TI2AayMzLfTEXypvnyg4ZjPFVo4IeIoQirfK63rIPs,3082
16
- bcmd/tasks/download.py,sha256=nj21dRJ9lxK_G5ZvAnIrM1G7o4OIWuZxbMiV3pEVaFk,2389
17
- bcmd/tasks/image.py,sha256=csaXYQ4cKdtlUXzKEw_xBbRQDomYdWC9JZ-5xUSLg_k,7987
18
- bcmd/tasks/json.py,sha256=81qjxSDvJm-uHi8vFFDLn_uWKM8PUdfsaShOi9Om_AI,660
19
- bcmd/tasks/lib.py,sha256=y_wlXZWj0e8hD-cVB7MyaFWVglaRhh3NcruN-2dQkxY,4681
20
- bcmd/tasks/math.py,sha256=-ehHR3sG4XkJ1S0aviaWJ6TZ4HITwLzEU6kInxzLXvU,2959
21
- bcmd/tasks/mirror.py,sha256=t5FXdkmybiPQ2o7Lz7wYQnMCPLX3sRRsJJP2_dpFxqU,1144
22
- bcmd/tasks/project.py,sha256=A44OlIdTqomD4RwZyR7QDaLC_HTMRQi1gCioVqQbpJ0,987
23
- bcmd/tasks/proxy.py,sha256=ssqCoJoBJ9c1GdfKGAp7CPD4J0s8nPHrb8v20ZJV4kQ,1606
24
- bcmd/tasks/time.py,sha256=g19hNBNtpWGwEwtjqkuIhkpTor1PSB43itzYXbAfmkg,2534
25
- bcmd/tasks/venv.py,sha256=HqBQPp6zQeHFXhJmUHKgmHdAOIeMc_hWitnC7pIQCXo,7596
26
- bcmd-0.5.4.dist-info/METADATA,sha256=iMvSxgERDf5ZLW-Jhl2oMJZC_r80G5jCSqlfHODTGfk,474
27
- bcmd-0.5.4.dist-info/WHEEL,sha256=In9FTNxeP60KnTkGw7wk6mJPYd_dQSjEZmXdBdMCI-8,91
28
- bcmd-0.5.4.dist-info/entry_points.txt,sha256=rHJrP6KEQpB-YaQqDFzEL2v88r03rxSfnzAayRvAqHU,39
29
- bcmd-0.5.4.dist-info/top_level.txt,sha256=-KrvhhtBcYsm4XhcjQvEcFbBB3VXeep7d3NIfDTrXKQ,5
30
- bcmd-0.5.4.dist-info/RECORD,,
File without changes