- Added archspec to the list of vendored dependencies - Removed every reference to llnl.util.cpu - Removed tests from Spack code base
71 lines
1.9 KiB
Python
71 lines
1.9 KiB
Python
# Copyright 2019-2020 Lawrence Livermore National Security, LLC and other
|
|
# Archspec Project Developers. See the top-level COPYRIGHT file for details.
|
|
#
|
|
# SPDX-License-Identifier: (Apache-2.0 OR MIT)
|
|
"""Global objects with the content of the microarchitecture
|
|
JSON file and its schema
|
|
"""
|
|
import json
|
|
import os.path
|
|
|
|
try:
|
|
from collections.abc import MutableMapping # novm
|
|
except ImportError:
|
|
from collections import MutableMapping
|
|
|
|
|
|
class LazyDictionary(MutableMapping):
|
|
"""Lazy dictionary that gets constructed on first access to any object key
|
|
|
|
Args:
|
|
factory (callable): factory function to construct the dictionary
|
|
"""
|
|
|
|
def __init__(self, factory, *args, **kwargs):
|
|
self.factory = factory
|
|
self.args = args
|
|
self.kwargs = kwargs
|
|
self._data = None
|
|
|
|
@property
|
|
def data(self):
|
|
"""Returns the lazily constructed dictionary"""
|
|
if self._data is None:
|
|
self._data = self.factory(*self.args, **self.kwargs)
|
|
return self._data
|
|
|
|
def __getitem__(self, key):
|
|
return self.data[key]
|
|
|
|
def __setitem__(self, key, value):
|
|
self.data[key] = value
|
|
|
|
def __delitem__(self, key):
|
|
del self.data[key]
|
|
|
|
def __iter__(self):
|
|
return iter(self.data)
|
|
|
|
def __len__(self):
|
|
return len(self.data)
|
|
|
|
|
|
def _load_json_file(json_file):
|
|
json_dir = os.path.join(os.path.dirname(__file__), "..", "json", "cpu")
|
|
json_dir = os.path.abspath(json_dir)
|
|
|
|
def _factory():
|
|
filename = os.path.join(json_dir, json_file)
|
|
with open(filename, "r") as file:
|
|
return json.load(file)
|
|
|
|
return _factory
|
|
|
|
|
|
#: In memory representation of the data in microarchitectures.json,
|
|
#: loaded on first access
|
|
TARGETS_JSON = LazyDictionary(_load_json_file("microarchitectures.json"))
|
|
|
|
#: JSON schema for microarchitectures.json, loaded on first access
|
|
SCHEMA = LazyDictionary(_load_json_file("microarchitectures_schema.json"))
|