qapi: expose all schema features to code

This replaces use of the constants from the QapiSpecialFeatures
enum, with constants from the auto-generate QapiFeatures enum
in qapi-features.h

The 'deprecated' and 'unstable' features still have a little bit of
special handling, being force defined to be the 1st + 2nd features
in the enum, regardless of whether they're used in the schema. This
retains compatibility with common code that references the features
via the QapiSpecialFeatures constants.

Signed-off-by: Daniel P. Berrangé <berrange@redhat.com>
Message-ID: <20250205123550.2754387-5-berrange@redhat.com>
Reviewed-by: Markus Armbruster <armbru@redhat.com>
[Imports tidied up with isort]
Signed-off-by: Markus Armbruster <armbru@redhat.com>
This commit is contained in:
Daniel P. Berrangé 2025-02-05 12:35:50 +00:00 committed by Markus Armbruster
parent ba27dccc04
commit 2ebb09f34f
13 changed files with 110 additions and 7 deletions

View file

@ -355,6 +355,7 @@ void %(c_prefix)sqmp_init_marshal(QmpCommandList *cmds);
#include "qemu/osdep.h"
#include "%(prefix)sqapi-commands.h"
#include "%(prefix)sqapi-init-commands.h"
#include "%(prefix)sqapi-features.h"
void %(c_prefix)sqmp_init_marshal(QmpCommandList *cmds)
{

48
scripts/qapi/features.py Normal file
View file

@ -0,0 +1,48 @@
"""
QAPI features generator
Copyright 2024 Red Hat
This work is licensed under the terms of the GNU GPL, version 2.
# See the COPYING file in the top-level directory.
"""
from typing import ValuesView
from .common import c_enum_const, c_name
from .gen import QAPISchemaMonolithicCVisitor
from .schema import QAPISchema, QAPISchemaFeature
class QAPISchemaGenFeatureVisitor(QAPISchemaMonolithicCVisitor):
def __init__(self, prefix: str):
super().__init__(
prefix, 'qapi-features',
' * Schema-defined QAPI features',
__doc__)
self.features: ValuesView[QAPISchemaFeature]
def visit_begin(self, schema: QAPISchema) -> None:
self.features = schema.features()
self._genh.add("#include \"qapi/util.h\"\n\n")
def visit_end(self) -> None:
self._genh.add("typedef enum {\n")
for f in self.features:
self._genh.add(f" {c_enum_const('qapi_feature', f.name)}")
if f.name in QAPISchemaFeature.SPECIAL_NAMES:
self._genh.add(f" = {c_enum_const('qapi', f.name)},\n")
else:
self._genh.add(",\n")
self._genh.add("} " + c_name('QapiFeature') + ";\n")
def gen_features(schema: QAPISchema,
output_dir: str,
prefix: str) -> None:
vis = QAPISchemaGenFeatureVisitor(prefix)
schema.visit(vis)
vis.write(output_dir)

View file

@ -42,9 +42,9 @@ from .source import QAPISourceInfo
def gen_features(features: Sequence[QAPISchemaFeature]) -> str:
featenum = [f"1u << {c_enum_const('qapi', feat.name)}"
for feat in features if feat.is_special()]
return ' | '.join(featenum) or '0'
feats = [f"1u << {c_enum_const('qapi_feature', feat.name)}"
for feat in features]
return ' | '.join(feats) or '0'
class QAPIGen:

View file

@ -15,6 +15,7 @@ from .commands import gen_commands
from .common import must_match
from .error import QAPIError
from .events import gen_events
from .features import gen_features
from .introspect import gen_introspect
from .schema import QAPISchema
from .types import gen_types
@ -49,6 +50,7 @@ def generate(schema_file: str,
schema = QAPISchema(schema_file)
gen_types(schema, output_dir, prefix, builtins)
gen_features(schema, output_dir, prefix)
gen_visit(schema, output_dir, prefix, builtins)
gen_commands(schema, output_dir, prefix, gen_tracing)
gen_events(schema, output_dir, prefix)

View file

@ -29,6 +29,7 @@ from typing import (
List,
Optional,
Union,
ValuesView,
cast,
)
@ -933,8 +934,11 @@ class QAPISchemaEnumMember(QAPISchemaMember):
class QAPISchemaFeature(QAPISchemaMember):
role = 'feature'
# Features which are standardized across all schemas
SPECIAL_NAMES = ['deprecated', 'unstable']
def is_special(self) -> bool:
return self.name in ('deprecated', 'unstable')
return self.name in QAPISchemaFeature.SPECIAL_NAMES
class QAPISchemaObjectTypeMember(QAPISchemaMember):
@ -1138,6 +1142,16 @@ class QAPISchema:
self._entity_list: List[QAPISchemaEntity] = []
self._entity_dict: Dict[str, QAPISchemaDefinition] = {}
self._module_dict: Dict[str, QAPISchemaModule] = OrderedDict()
# NB, values in the dict will identify the first encountered
# usage of a named feature only
self._feature_dict: Dict[str, QAPISchemaFeature] = OrderedDict()
# All schemas get the names defined in the QapiSpecialFeature enum.
# Rely on dict iteration order matching insertion order so that
# the special names are emitted first when generating code.
for f in QAPISchemaFeature.SPECIAL_NAMES:
self._feature_dict[f] = QAPISchemaFeature(f, None)
self._schema_dir = os.path.dirname(fname)
self._make_module(QAPISchemaModule.BUILTIN_MODULE_NAME)
self._make_module(fname)
@ -1147,6 +1161,9 @@ class QAPISchema:
self._def_exprs(exprs)
self.check()
def features(self) -> ValuesView[QAPISchemaFeature]:
return self._feature_dict.values()
def _def_entity(self, ent: QAPISchemaEntity) -> None:
self._entity_list.append(ent)
@ -1258,6 +1275,12 @@ class QAPISchema:
) -> List[QAPISchemaFeature]:
if features is None:
return []
for f in features:
feat = QAPISchemaFeature(f['name'], info)
if feat.name not in self._feature_dict:
self._feature_dict[feat.name] = feat
return [QAPISchemaFeature(f['name'], info,
QAPISchemaIfCond(f.get('if')))
for f in features]
@ -1485,6 +1508,12 @@ class QAPISchema:
for doc in self.docs:
doc.check()
features = list(self._feature_dict.values())
if len(features) > 64:
raise QAPISemError(
features[64].info,
"Maximum of 64 schema features is permitted")
def visit(self, visitor: QAPISchemaVisitor) -> None:
visitor.visit_begin(self)
for mod in self._module_dict.values():

View file

@ -304,11 +304,14 @@ class QAPISchemaGenTypeVisitor(QAPISchemaModularCVisitor):
#include "qapi/dealloc-visitor.h"
#include "%(types)s.h"
#include "%(visit)s.h"
#include "%(prefix)sqapi-features.h"
''',
types=types, visit=visit))
types=types, visit=visit,
prefix=self._prefix))
self._genh.preamble_add(mcgen('''
#include "qapi/qapi-builtin-types.h"
'''))
''',
prefix=self._prefix))
def visit_begin(self, schema: QAPISchema) -> None:
# gen_object() is recursive, ensure it doesn't visit the empty type

View file

@ -356,8 +356,9 @@ class QAPISchemaGenVisitVisitor(QAPISchemaModularCVisitor):
#include "qemu/osdep.h"
#include "qapi/error.h"
#include "%(visit)s.h"
#include "%(prefix)sqapi-features.h"
''',
visit=visit))
visit=visit, prefix=self._prefix))
self._genh.preamble_add(mcgen('''
#include "qapi/qapi-builtin-visit.h"
#include "%(types)s.h"