mirror of
https://github.com/keylase/nvidia-patch.git
synced 2024-11-26 15:37:18 +00:00
commit
5f850424b7
@ -12,3 +12,58 @@ It rebuilds REAME files from templates located in `templates` directory and driv
|
|||||||
## Usage
|
## Usage
|
||||||
|
|
||||||
Just run script. It will update files in your repo working copy.
|
Just run script. It will update files in your repo working copy.
|
||||||
|
|
||||||
|
add\_driver
|
||||||
|
==========
|
||||||
|
|
||||||
|
add\_driver is a tool for internal usage, which purpose is to simplify proper introduction of new driver records into `drivers.json` file.
|
||||||
|
|
||||||
|
## Requirements
|
||||||
|
|
||||||
|
* Python 3.4+
|
||||||
|
|
||||||
|
## Usage
|
||||||
|
|
||||||
|
Just run script. It will update files in your repo working copy.
|
||||||
|
|
||||||
|
## Synopsis
|
||||||
|
|
||||||
|
```
|
||||||
|
$ ./add_driver.py --help
|
||||||
|
usage: add_driver.py [-h] (-L | -W) [--variant VARIANT] [-P {GeForce,Quadro}]
|
||||||
|
[-w {win10,win7,ws2012,ws2016}] [--patch32 PATCH32]
|
||||||
|
[--patch64 PATCH64] [--skip-patch-check] [-U URL]
|
||||||
|
[--skip-url-check]
|
||||||
|
version
|
||||||
|
|
||||||
|
Adds new Nvidia driver into drivers.json file of in your repo working copy
|
||||||
|
|
||||||
|
positional arguments:
|
||||||
|
version driver version
|
||||||
|
|
||||||
|
optional arguments:
|
||||||
|
-h, --help show this help message and exit
|
||||||
|
-U URL, --url URL override driver link (default: None)
|
||||||
|
--skip-url-check skip driver URL check (default: False)
|
||||||
|
|
||||||
|
OS options:
|
||||||
|
-L, --linux add Linux driver (default: None)
|
||||||
|
-W, --win add Windows driver (default: None)
|
||||||
|
|
||||||
|
Windows-specific options:
|
||||||
|
--variant VARIANT driver variant (use for special cases like "Studio
|
||||||
|
Driver") (default: )
|
||||||
|
-P {GeForce,Quadro}, --product {GeForce,Quadro}
|
||||||
|
product type (default: GeForce)
|
||||||
|
-w {win10,win7,ws2012,ws2016}, --winseries {win10,win7,ws2012,ws2016}
|
||||||
|
Windows series (default: win10)
|
||||||
|
--patch32 PATCH32 template for Windows 32bit patch URL (default:
|
||||||
|
https://raw.githubusercontent.com/keylase/nvidia-patch
|
||||||
|
/master/win/${winseries}_x64/${drvprefix}${version}/nv
|
||||||
|
cuvid32.1337)
|
||||||
|
--patch64 PATCH64 template for Windows 64bit patch URL (default:
|
||||||
|
https://raw.githubusercontent.com/keylase/nvidia-patch
|
||||||
|
/master/win/${winseries}_x64/${drvprefix}${version}/nv
|
||||||
|
cuvid64.1337)
|
||||||
|
--skip-patch-check skip patch files presense test (default: False)
|
||||||
|
```
|
||||||
|
206
tools/readme-autogen/add_driver.py
Executable file
206
tools/readme-autogen/add_driver.py
Executable file
@ -0,0 +1,206 @@
|
|||||||
|
#!/usr/bin/env python3
|
||||||
|
|
||||||
|
import sys
|
||||||
|
import argparse
|
||||||
|
import json
|
||||||
|
import os.path
|
||||||
|
import posixpath
|
||||||
|
from string import Template
|
||||||
|
from itertools import groupby
|
||||||
|
from functools import partial
|
||||||
|
import urllib.request
|
||||||
|
import urllib.parse
|
||||||
|
|
||||||
|
from constants import OSKind, Product, WinSeries, DATAFILE_PATH, \
|
||||||
|
DRIVER_URL_TEMPLATE, DRIVER_DIR_PREFIX, BASE_PATH, REPO_BASE
|
||||||
|
from utils import find_driver, linux_driver_key, windows_driver_key
|
||||||
|
|
||||||
|
def parse_args():
|
||||||
|
def check_enum_arg(enum, value):
|
||||||
|
try:
|
||||||
|
return enum[value]
|
||||||
|
except KeyError:
|
||||||
|
raise argparse.ArgumentTypeError("%s is not valid option for %s" % (repr(value), repr(enum.__name__)))
|
||||||
|
|
||||||
|
parser = argparse.ArgumentParser(
|
||||||
|
description="Adds new Nvidia driver into drivers.json file of "
|
||||||
|
"in your repo working copy",
|
||||||
|
formatter_class=argparse.ArgumentDefaultsHelpFormatter)
|
||||||
|
os_options = parser.add_argument_group("OS options")
|
||||||
|
os_group=os_options.add_mutually_exclusive_group(required=True)
|
||||||
|
os_group.add_argument("-L", "--linux",
|
||||||
|
action="store_const",
|
||||||
|
dest="os",
|
||||||
|
const=OSKind.Linux,
|
||||||
|
help="add Linux driver")
|
||||||
|
os_group.add_argument("-W", "--win",
|
||||||
|
action="store_const",
|
||||||
|
dest="os",
|
||||||
|
const=OSKind.Windows,
|
||||||
|
help="add Windows driver")
|
||||||
|
win_opts = parser.add_argument_group("Windows-specific options")
|
||||||
|
win_opts.add_argument("--variant",
|
||||||
|
default="",
|
||||||
|
help="driver variant (use for special cases like "
|
||||||
|
"\"Studio Driver\")")
|
||||||
|
win_opts.add_argument("-P", "--product",
|
||||||
|
type=partial(check_enum_arg, Product),
|
||||||
|
choices=list(Product),
|
||||||
|
default=Product.GeForce,
|
||||||
|
help="product type")
|
||||||
|
win_opts.add_argument("-w", "--winseries",
|
||||||
|
type=partial(check_enum_arg, WinSeries),
|
||||||
|
choices=list(WinSeries),
|
||||||
|
default=WinSeries.win10,
|
||||||
|
help="Windows series")
|
||||||
|
win_opts.add_argument("--patch32",
|
||||||
|
default="https://raw.githubusercontent.com/keylase/"
|
||||||
|
"nvidia-patch/master/win/${winseries}_x64/"
|
||||||
|
"${drvprefix}${version}/nvcuvid32.1337",
|
||||||
|
help="template for Windows 32bit patch URL")
|
||||||
|
win_opts.add_argument("--patch64",
|
||||||
|
default="https://raw.githubusercontent.com/keylase/"
|
||||||
|
"nvidia-patch/master/win/${winseries}_x64/"
|
||||||
|
"${drvprefix}${version}/nvcuvid64.1337",
|
||||||
|
help="template for Windows 64bit patch URL")
|
||||||
|
win_opts.add_argument("--skip-patch-check",
|
||||||
|
action="store_true",
|
||||||
|
help="skip patch files presense test")
|
||||||
|
parser.add_argument("-U", "--url",
|
||||||
|
help="override driver link")
|
||||||
|
parser.add_argument("--skip-url-check",
|
||||||
|
action="store_true",
|
||||||
|
help="skip driver URL check")
|
||||||
|
parser.add_argument("version",
|
||||||
|
help="driver version")
|
||||||
|
args = parser.parse_args()
|
||||||
|
return args
|
||||||
|
|
||||||
|
def posixpath_components(path):
|
||||||
|
result = []
|
||||||
|
while True:
|
||||||
|
head, tail = posixpath.split(path)
|
||||||
|
if head == path:
|
||||||
|
break
|
||||||
|
result.append(tail)
|
||||||
|
path = head
|
||||||
|
result.reverse()
|
||||||
|
if result and not result[-1]:
|
||||||
|
result.pop()
|
||||||
|
return result
|
||||||
|
|
||||||
|
def validate_url(url):
|
||||||
|
req = urllib.request.Request(url, method="HEAD")
|
||||||
|
with urllib.request.urlopen(req, timeout=10) as resp:
|
||||||
|
if int(resp.headers['Content-Length']) < 50 * 2**20:
|
||||||
|
raise Exception("Bad driver length: %s" % resp.headers['Content-Length'])
|
||||||
|
|
||||||
|
def validate_patch(patch64, patch32):
|
||||||
|
wc_base = os.path.abspath(os.path.join(BASE_PATH, "..", ".."))
|
||||||
|
base_parse = urllib.parse.urlsplit(REPO_BASE, scheme='http')
|
||||||
|
p64_parse = urllib.parse.urlsplit(patch64, scheme='http')
|
||||||
|
p32_parse = urllib.parse.urlsplit(patch32, scheme='http')
|
||||||
|
if not (p64_parse[0] == p32_parse[0] == base_parse[0]):
|
||||||
|
raise Exception("URL scheme doesn't match repo base URL scheme")
|
||||||
|
if not (p64_parse[1] == p32_parse[1] == base_parse[1]):
|
||||||
|
raise Exception("URL network location doesn't match repo base URL network location")
|
||||||
|
if posixpath.commonpath((base_parse[2], p64_parse[2], p32_parse[2])) != \
|
||||||
|
posixpath.commonpath((base_parse[2],)):
|
||||||
|
raise Exception("URL is not subpath of repo base path")
|
||||||
|
p64_posix_relpath = posixpath.relpath(p64_parse[2], base_parse[2])
|
||||||
|
p32_posix_relpath = posixpath.relpath(p32_parse[2], base_parse[2])
|
||||||
|
p64_comp = posixpath_components(p64_posix_relpath)
|
||||||
|
p32_comp = posixpath_components(p32_posix_relpath)
|
||||||
|
p64_filepath = os.path.join(wc_base, *p64_comp)
|
||||||
|
p32_filepath = os.path.join(wc_base, *p32_comp)
|
||||||
|
if not os.path.exists(p64_filepath):
|
||||||
|
raise Exception("File %s not found!" % p64_filepath)
|
||||||
|
if not os.path.exists(p32_filepath):
|
||||||
|
raise Exception("File %s not found!" % p32_filepath)
|
||||||
|
if os.path.getsize(p64_filepath) == 0:
|
||||||
|
raise Exception("File %s empty!" % p64_filepath)
|
||||||
|
if os.path.exists(p32_filepath) == 0:
|
||||||
|
raise Exception("File %s empty!" % p32_filepath)
|
||||||
|
|
||||||
|
def validate_unique(drivers, new_driver, kf):
|
||||||
|
if find_driver(drivers, kf(new_driver), kf) is not None:
|
||||||
|
raise Exception("Duplicate driver!")
|
||||||
|
|
||||||
|
def main():
|
||||||
|
args = parse_args()
|
||||||
|
if args.url is None:
|
||||||
|
if args.os is OSKind.Linux:
|
||||||
|
url_tmpl = Template(DRIVER_URL_TEMPLATE[(args.os, None, None, None)])
|
||||||
|
else:
|
||||||
|
url_tmpl = Template(DRIVER_URL_TEMPLATE[(args.os,
|
||||||
|
args.product,
|
||||||
|
args.winseries,
|
||||||
|
args.variant)])
|
||||||
|
url = url_tmpl.substitute(version=args.version)
|
||||||
|
else:
|
||||||
|
url = args.url
|
||||||
|
if not args.skip_url_check:
|
||||||
|
try:
|
||||||
|
validate_url(url)
|
||||||
|
except KeyboardInterrupt:
|
||||||
|
raise
|
||||||
|
except Exception as exc:
|
||||||
|
print("Driver URL validation failed with error: %s" % str(exc), file=sys.stderr)
|
||||||
|
print("Please use option -U to override driver link manually", file=sys.stderr)
|
||||||
|
print("or use option --skip-url-check to submit incorrect URL.", file=sys.stderr)
|
||||||
|
return
|
||||||
|
|
||||||
|
if args.os is OSKind.Windows:
|
||||||
|
driver_dir_prefix = DRIVER_DIR_PREFIX[(args.product, args.variant)]
|
||||||
|
patch64_url = Template(args.patch64).substitute(winseries=args.winseries,
|
||||||
|
drvprefix=driver_dir_prefix,
|
||||||
|
version=args.version)
|
||||||
|
patch32_url = Template(args.patch32).substitute(winseries=args.winseries,
|
||||||
|
drvprefix=driver_dir_prefix,
|
||||||
|
version=args.version)
|
||||||
|
if not args.skip_patch_check:
|
||||||
|
try:
|
||||||
|
validate_patch(patch64_url, patch32_url)
|
||||||
|
except KeyboardInterrupt:
|
||||||
|
raise
|
||||||
|
except Exception as exc:
|
||||||
|
print("Driver patch validation failed with error: %s" % str(exc), file=sys.stderr)
|
||||||
|
print("Use options --patch64 and --patch32 to override patch path ", file=sys.stderr)
|
||||||
|
print("template or use option --skip-patch-check to submit driver with ", file=sys.stderr)
|
||||||
|
print("missing patch files.", file=sys.stderr)
|
||||||
|
return
|
||||||
|
with open(DATAFILE_PATH) as data_file:
|
||||||
|
data = json.load(data_file)
|
||||||
|
|
||||||
|
drivers = data[args.os.value]['x86_64']['drivers']
|
||||||
|
if args.os is OSKind.Windows:
|
||||||
|
new_driver = {
|
||||||
|
"os": str(args.winseries),
|
||||||
|
"product": str(args.product),
|
||||||
|
"version": args.version,
|
||||||
|
"variant": args.variant,
|
||||||
|
"patch64_url": patch64_url,
|
||||||
|
"patch32_url": patch32_url,
|
||||||
|
"driver_url": url,
|
||||||
|
}
|
||||||
|
key_fun = windows_driver_key
|
||||||
|
else:
|
||||||
|
new_driver = {
|
||||||
|
"version": args.version,
|
||||||
|
"driver_url": url,
|
||||||
|
}
|
||||||
|
key_fun = linux_driver_key
|
||||||
|
drivers = sorted(drivers, key=key_fun)
|
||||||
|
try:
|
||||||
|
validate_unique(drivers, new_driver, key_fun)
|
||||||
|
except KeyboardInterrupt:
|
||||||
|
raise
|
||||||
|
except Exception as exc:
|
||||||
|
print("Driver uniqueness validation failed with error: %s" % str(exc), file=sys.stderr)
|
||||||
|
return
|
||||||
|
data[args.os.value]['x86_64']['drivers'].append(new_driver)
|
||||||
|
with open(DATAFILE_PATH, 'w') as data_file:
|
||||||
|
json.dump(data, data_file, indent=4)
|
||||||
|
|
||||||
|
if __name__ == '__main__':
|
||||||
|
main()
|
56
tools/readme-autogen/constants.py
Normal file
56
tools/readme-autogen/constants.py
Normal file
@ -0,0 +1,56 @@
|
|||||||
|
from enum import IntEnum, Enum
|
||||||
|
import os.path
|
||||||
|
|
||||||
|
class OSKind(Enum):
|
||||||
|
Linux = 'linux'
|
||||||
|
Windows = 'win'
|
||||||
|
|
||||||
|
def __str__(self):
|
||||||
|
return self.name
|
||||||
|
|
||||||
|
class Product(IntEnum):
|
||||||
|
GeForce = 10
|
||||||
|
Quadro = 20
|
||||||
|
|
||||||
|
def __str__(self):
|
||||||
|
return self.name
|
||||||
|
|
||||||
|
class WinSeries(IntEnum):
|
||||||
|
win10 = 10
|
||||||
|
win7 = 20
|
||||||
|
ws2012 = 30
|
||||||
|
ws2016 = 40
|
||||||
|
|
||||||
|
def __str__(self):
|
||||||
|
return self.name
|
||||||
|
|
||||||
|
BASE_PATH = os.path.dirname(os.path.abspath(__file__))
|
||||||
|
TEMPLATE_PATH = os.path.join(os.path.dirname(os.path.abspath(__file__)),
|
||||||
|
"templates")
|
||||||
|
DATAFILE_PATH = os.path.join(BASE_PATH,
|
||||||
|
"..", "..", "drivers.json")
|
||||||
|
LINUX_README_PATH = os.path.join(BASE_PATH,
|
||||||
|
"..", "..", "README.md")
|
||||||
|
WINDOWS_README_PATH = os.path.join(BASE_PATH,
|
||||||
|
"..", "..", "win", "README.md")
|
||||||
|
|
||||||
|
ENCODING='utf-8'
|
||||||
|
|
||||||
|
DRIVER_URL_TEMPLATE = {
|
||||||
|
(OSKind.Linux, None, None, None): "https://international.download.nvidia.com/XFree86/Linux-x86_64/$version/NVIDIA-Linux-x86_64-$version.run",
|
||||||
|
(OSKind.Windows, Product.GeForce, WinSeries.win10, ''): "https://international.download.nvidia.com/Windows/$version/$version-desktop-win10-64bit-international-whql.exe",
|
||||||
|
(OSKind.Windows, Product.GeForce, WinSeries.win10, 'Studio Driver'): "https://international.download.nvidia.com/Windows/$version/$version-desktop-win10-64bit-international-nsd-whql.exe",
|
||||||
|
(OSKind.Windows, Product.Quadro, WinSeries.win10, ''): "https://international.download.nvidia.com/Windows/Quadro_Certified/$version/$version-quadro-desktop-notebook-win10-64bit-international-whql.exe",
|
||||||
|
(OSKind.Windows, Product.GeForce, WinSeries.win7, ''): "https://international.download.nvidia.com/Windows/$version/$version-desktop-win8-win7-64bit-international-whql.exe",
|
||||||
|
(OSKind.Windows, Product.Quadro, WinSeries.win7, ''): "https://international.download.nvidia.com/Windows/Quadro_Certified/$version/$version-quadro-desktop-notebook-win8-win7-64bit-international-whql.exe",
|
||||||
|
(OSKind.Windows, Product.Quadro, WinSeries.ws2012, ''): "https://international.download.nvidia.com/Windows/Quadro_Certified/$version/$version-quadro-winserv2008r2-2012-2012r2-64bit-international-whql.exe",
|
||||||
|
(OSKind.Windows, Product.Quadro, WinSeries.ws2016, ''): "https://international.download.nvidia.com/Windows/Quadro_Certified/$version/$version-quadro-winserv-2016-2019-64bit-international-whql.exe",
|
||||||
|
}
|
||||||
|
|
||||||
|
DRIVER_DIR_PREFIX = {
|
||||||
|
(Product.GeForce, ''): '',
|
||||||
|
(Product.GeForce, 'Studio Driver'): 'nsd_',
|
||||||
|
(Product.Quadro, ''): 'quadro_',
|
||||||
|
}
|
||||||
|
|
||||||
|
REPO_BASE = "https://raw.githubusercontent.com/keylase/nvidia-patch/master"
|
@ -2,31 +2,12 @@
|
|||||||
|
|
||||||
import json
|
import json
|
||||||
import os.path
|
import os.path
|
||||||
from string import Template
|
|
||||||
from enum import IntEnum
|
|
||||||
from itertools import groupby
|
from itertools import groupby
|
||||||
from functools import lru_cache
|
|
||||||
|
|
||||||
BASE_PATH = os.path.dirname(os.path.abspath(__file__))
|
from constants import Product, WinSeries, DATAFILE_PATH, LINUX_README_PATH, \
|
||||||
TEMPLATE_PATH = os.path.join(os.path.dirname(os.path.abspath(__file__)),
|
WINDOWS_README_PATH, ENCODING
|
||||||
"templates")
|
from utils import template, find_driver, linux_driver_key, windows_driver_key, \
|
||||||
DATAFILE_PATH = os.path.join(BASE_PATH,
|
version_key_fun
|
||||||
"..", "..", "drivers.json")
|
|
||||||
LINUX_README_PATH = os.path.join(BASE_PATH,
|
|
||||||
"..", "..", "README.md")
|
|
||||||
WINDOWS_README_PATH = os.path.join(BASE_PATH,
|
|
||||||
"..", "..", "win", "README.md")
|
|
||||||
ENCODING="utf-8"
|
|
||||||
|
|
||||||
class Product(IntEnum):
|
|
||||||
GeForce = 10
|
|
||||||
Quadro = 20
|
|
||||||
|
|
||||||
class WinSeries(IntEnum):
|
|
||||||
win10 = 10
|
|
||||||
win7 = 20
|
|
||||||
ws2012 = 30
|
|
||||||
ws2016 = 40
|
|
||||||
|
|
||||||
PRODUCT_LABELS = {
|
PRODUCT_LABELS = {
|
||||||
Product.GeForce: "GeForce",
|
Product.GeForce: "GeForce",
|
||||||
@ -40,44 +21,11 @@ WIN_SERIES_LABELS = {
|
|||||||
WinSeries.ws2016: "Windows Server 2016, 2019",
|
WinSeries.ws2016: "Windows Server 2016, 2019",
|
||||||
}
|
}
|
||||||
|
|
||||||
@lru_cache(maxsize=None)
|
|
||||||
def template(filename, strip_newlines=False):
|
|
||||||
filename = os.path.join(TEMPLATE_PATH, filename)
|
|
||||||
with open(filename, encoding=ENCODING) as f:
|
|
||||||
text = f.read()
|
|
||||||
if strip_newlines:
|
|
||||||
text = text.rstrip('\r\n')
|
|
||||||
t = Template(text)
|
|
||||||
return t
|
|
||||||
|
|
||||||
def version_key_fun(ver):
|
|
||||||
return tuple(map(int, ver.split('.')))
|
|
||||||
|
|
||||||
def find_driver(drivers, version, low=0, hi=None):
|
|
||||||
""" Bisect search on sorted linux drivers list """
|
|
||||||
if hi is None:
|
|
||||||
hi = len(drivers)
|
|
||||||
L = hi - low
|
|
||||||
if L == 0:
|
|
||||||
return None
|
|
||||||
elif L == 1:
|
|
||||||
return drivers[low] if drivers[low]['version'] == version else None
|
|
||||||
else:
|
|
||||||
vkf_left = version_key_fun(drivers[low + L // 2]['version'])
|
|
||||||
vkf_right = version_key_fun(version)
|
|
||||||
if vkf_left < vkf_right:
|
|
||||||
return find_driver(drivers, version, low + L // 2, hi)
|
|
||||||
elif vkf_left > vkf_right:
|
|
||||||
return find_driver(drivers, version, low, low + L // 2)
|
|
||||||
else:
|
|
||||||
return drivers[low + L // 2]
|
|
||||||
|
|
||||||
def linux_readme(data):
|
def linux_readme(data):
|
||||||
master_tmpl = template('linux_readme_master.tmpl')
|
master_tmpl = template('linux_readme_master.tmpl')
|
||||||
nolink_row_tmpl = template('linux_nolink_row.tmpl', True)
|
nolink_row_tmpl = template('linux_nolink_row.tmpl', True)
|
||||||
link_row_tmpl = template('linux_link_row.tmpl', True)
|
link_row_tmpl = template('linux_link_row.tmpl', True)
|
||||||
drivers = sorted(data['drivers'],
|
drivers = sorted(data['drivers'], key=linux_driver_key)
|
||||||
key=lambda d: version_key_fun(d['version']))
|
|
||||||
def row_gen():
|
def row_gen():
|
||||||
for drv in drivers:
|
for drv in drivers:
|
||||||
driver_url = drv.get('driver_url')
|
driver_url = drv.get('driver_url')
|
||||||
@ -86,7 +34,9 @@ def linux_readme(data):
|
|||||||
driver_url=driver_url)
|
driver_url=driver_url)
|
||||||
version_list = "\n".join(row_gen())
|
version_list = "\n".join(row_gen())
|
||||||
latest_version = drivers[-1]['version']
|
latest_version = drivers[-1]['version']
|
||||||
example_driver = find_driver(drivers, data['example']['version'])
|
example_driver = find_driver(drivers,
|
||||||
|
linux_driver_key(data['example']),
|
||||||
|
linux_driver_key)
|
||||||
example_driver_url = example_driver['driver_url']
|
example_driver_url = example_driver['driver_url']
|
||||||
return master_tmpl.substitute(version_list=version_list,
|
return master_tmpl.substitute(version_list=version_list,
|
||||||
latest_version=latest_version,
|
latest_version=latest_version,
|
||||||
@ -139,13 +89,8 @@ def windows_driver_table(drivers):
|
|||||||
|
|
||||||
def windows_readme(data):
|
def windows_readme(data):
|
||||||
master_tmpl = template('windows_readme_master.tmpl')
|
master_tmpl = template('windows_readme_master.tmpl')
|
||||||
def driver_key_fun(d):
|
drivers = sorted(data['drivers'], key=windows_driver_key)
|
||||||
return ((WinSeries[d['os']], Product[d['product']]) +
|
|
||||||
version_key_fun(d['version']) +
|
|
||||||
(d.get('variant'),))
|
|
||||||
drivers = sorted(data['drivers'], key=driver_key_fun)
|
|
||||||
version_table = windows_driver_table(drivers)
|
version_table = windows_driver_table(drivers)
|
||||||
|
|
||||||
geforce_drivers = filter(lambda d: Product[d['product']] is Product.GeForce, drivers)
|
geforce_drivers = filter(lambda d: Product[d['product']] is Product.GeForce, drivers)
|
||||||
quadro_drivers = filter(lambda d: Product[d['product']] is Product.Quadro, drivers)
|
quadro_drivers = filter(lambda d: Product[d['product']] is Product.Quadro, drivers)
|
||||||
latest_geforce_version = max(geforce_drivers, default='xxx.xx',
|
latest_geforce_version = max(geforce_drivers, default='xxx.xx',
|
||||||
|
44
tools/readme-autogen/utils.py
Normal file
44
tools/readme-autogen/utils.py
Normal file
@ -0,0 +1,44 @@
|
|||||||
|
import os.path
|
||||||
|
from string import Template
|
||||||
|
from functools import lru_cache
|
||||||
|
|
||||||
|
from constants import TEMPLATE_PATH, ENCODING, WinSeries, Product
|
||||||
|
|
||||||
|
@lru_cache(maxsize=None)
|
||||||
|
def template(filename, strip_newlines=False):
|
||||||
|
filename = os.path.join(TEMPLATE_PATH, filename)
|
||||||
|
with open(filename, encoding=ENCODING) as f:
|
||||||
|
text = f.read()
|
||||||
|
if strip_newlines:
|
||||||
|
text = text.rstrip('\r\n')
|
||||||
|
t = Template(text)
|
||||||
|
return t
|
||||||
|
|
||||||
|
def version_key_fun(ver):
|
||||||
|
return tuple(map(int, ver.split('.')))
|
||||||
|
|
||||||
|
def find_driver(drivers, key, keyfun, low=0, hi=None):
|
||||||
|
""" Bisect search on sorted linux drivers list """
|
||||||
|
if hi is None:
|
||||||
|
hi = len(drivers)
|
||||||
|
L = hi - low
|
||||||
|
if L == 0:
|
||||||
|
return None
|
||||||
|
elif L == 1:
|
||||||
|
return drivers[low] if keyfun(drivers[low]) == key else None
|
||||||
|
else:
|
||||||
|
middle_key = keyfun(drivers[low + L // 2])
|
||||||
|
if middle_key < key:
|
||||||
|
return find_driver(drivers, key, keyfun, low + L // 2, hi)
|
||||||
|
elif middle_key > key:
|
||||||
|
return find_driver(drivers, key, keyfun, low, low + L // 2)
|
||||||
|
else:
|
||||||
|
return drivers[low + L // 2]
|
||||||
|
|
||||||
|
def linux_driver_key(driver):
|
||||||
|
return version_key_fun(driver['version'])
|
||||||
|
|
||||||
|
def windows_driver_key(driver):
|
||||||
|
return ((WinSeries[driver['os']], Product[driver['product']]) +
|
||||||
|
version_key_fun(driver['version']) +
|
||||||
|
(driver.get('variant'),))
|
Loading…
Reference in New Issue
Block a user