Merge "Replace support matrix ext with common library"

This commit is contained in:
Zuul 2020-01-22 18:14:13 +00:00 committed by Gerrit Code Review
commit 17b8bdd166
5 changed files with 108 additions and 600 deletions

View File

@ -2,6 +2,7 @@
# of appearance. Changing the order has an impact on the overall integration
# process, which may cause wedges in the gate later.
sphinx!=1.6.6,!=1.6.7,!=2.1.0,>=1.6.2;python_version>='3.4' # BSD
sphinx_feature_classification>=1.0.0 # Apache-2.0
openstackdocstheme>=1.30.0 # Apache-2.0
oslotest>=3.2.0 # Apache-2.0
reno>=2.5.0 # Apache-2.0

View File

@ -45,7 +45,6 @@ logging.getLogger('pyroute2').setLevel(logging.ERROR)
BASE_DIR = os.path.dirname(os.path.abspath(__file__))
NEUTRON_DIR = os.path.abspath(os.path.join(BASE_DIR, "..", ".."))
sys.path.insert(0, NEUTRON_DIR)
sys.path.append(os.path.abspath("ext"))
# -- General configuration ---------------------------------------------------
@ -58,7 +57,7 @@ extensions = [
'sphinx.ext.graphviz',
'sphinx.ext.todo',
'openstackdocstheme',
'support_matrix',
'sphinx_feature_classification.support_matrix',
'oslo_config.sphinxext',
'oslo_config.sphinxconfiggen',
'oslo_policy.sphinxext',

View File

@ -1,480 +0,0 @@
# Licensed under the Apache License, Version 2.0 (the "License"); you may
# not use this file except in compliance with the License. You may obtain
# a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
# License for the specific language governing permissions and limitations
# under the License.
"""
This provides a sphinx extension able to render the
source/general_feature_support_matrix.ini
file into the developer documentation.
It is used via a single directive in the .rst file
.. support_matrix::
"""
import re
from docutils import nodes
from docutils.parsers import rst
from six.moves import configparser
RE_PATTERN = re.compile("[^a-zA-Z0-9_]")
class SupportMatrix(object):
"""Represents the entire support matrix for Neutron drivers"""
def __init__(self):
self.features = []
self.targets = {}
class SupportMatrixFeature(object):
STATUS_IMMATURE = "immature"
STATUS_MATURE = "mature"
STATUS_REQUIRED = "required"
STATUS_DEPRECATED = "deprecated"
STATUS_ALL = [STATUS_IMMATURE, STATUS_MATURE,
STATUS_REQUIRED, STATUS_DEPRECATED]
def __init__(self, key, title, status=STATUS_IMMATURE,
group=None, notes=None, cli=(), api=None):
self.key = key
self.title = title
self.status = status
self.group = group
self.notes = notes
self.cli = cli
self.api = api
self.implementations = {}
class SupportMatrixImplementation(object):
STATUS_COMPLETE = "complete"
STATUS_PARTIAL = "partial"
STATUS_INCOMPLETE = "incomplete"
STATUS_UNKNOWN = "unknown"
STATUS_ALL = [STATUS_COMPLETE, STATUS_INCOMPLETE,
STATUS_PARTIAL, STATUS_UNKNOWN]
def __init__(self, status=STATUS_INCOMPLETE, notes=None):
self.status = status
self.notes = notes
STATUS_DICT = {
SupportMatrixImplementation.STATUS_COMPLETE: u"\u2714",
SupportMatrixImplementation.STATUS_INCOMPLETE: u"\u2716",
SupportMatrixImplementation.STATUS_PARTIAL: u"\u2714",
SupportMatrixImplementation.STATUS_UNKNOWN: u"?"
}
class SupportMatrixTarget(object):
def __init__(self, key, title, driver, plugin=None,
architecture=None, api=None, link=None):
""":param key: Unique identifier for plugin
:param title: Human readable name for plugin
:param driver: name of the driver
:param plugin: optional name of plugin
:param architecture: optional name of architecture
"""
self.api = api
self.key = key
self.title = title
self.driver = driver
self.plugin = plugin
self.architecture = architecture
self.link = link
class SupportMatrixDirective(rst.Directive):
# general_feature_support_matrix.ini is the arg
required_arguments = 1
def run(self):
matrix = self._load_support_matrix()
return self._build_markup(matrix)
def _load_support_matrix(self):
"""Reads the support-matrix.ini file and populates an instance
of the SupportMatrix class with all the data.
:returns: SupportMatrix instance
"""
cfg = configparser.SafeConfigParser()
env = self.state.document.settings.env
fname = self.arguments[0]
rel_fpath, fpath = env.relfn2path(fname)
with open(fpath) as fp:
cfg.readfp(fp)
# This ensures that the docs are rebuilt whenever the
# .ini file changes
env.note_dependency(rel_fpath)
matrix = SupportMatrix()
matrix.targets = self._get_targets(cfg)
matrix.features = self._get_features(cfg, matrix.targets)
return matrix
def _get_targets(self, cfg):
# The 'target.<foo>' sections are special - they list all the
# backend drivers that this file records data for
targets = {}
for section in cfg.sections():
if not section.startswith("target."):
continue
key = cfg.get(section, "label")
name = key.split("-")
title = cfg.get(section, "title")
link = cfg.get(section, "link")
target = SupportMatrixTarget(key, title, *name, link=link)
targets[key] = target
return targets
def _get_features(self, cfg, targets):
# All sections except 'targets' describe some feature of
# the Neutron backend driver.
features = []
for section in cfg.sections():
if section.startswith("target."):
continue
if not cfg.has_option(section, "title"):
raise Exception(
"'title' field missing in '[%s]' section" % section)
title = cfg.get(section, "title")
status = SupportMatrixFeature.STATUS_IMMATURE
if cfg.has_option(section, "status"):
# The value is a string "status(group)" where
# the 'group' part is optional
status = cfg.get(section, "status")
offset = status.find("(")
group = None
if offset != -1:
group = status[offset + 1:-1]
status = status[0:offset]
if status not in SupportMatrixFeature.STATUS_ALL:
raise Exception(
"'status' field value '%s' in ['%s']"
"section must be %s" %
(status, section,
",".join(SupportMatrixFeature.STATUS_ALL)))
cli = []
if cfg.has_option(section, "cli"):
cli = cfg.get(section, "cli")
api = None
if cfg.has_option(section, "api"):
api = cfg.get(section, "api")
notes = None
if cfg.has_option(section, "notes"):
notes = cfg.get(section, "notes")
feature = SupportMatrixFeature(section, title, status, group,
notes, cli, api)
# Now we've got the basic feature details, we must process
# the backend driver implementation for each feature
for item in cfg.options(section):
network_notes = "networking-notes-"
if not item.startswith("networking-"):
continue
if item not in targets:
raise Exception(
"networking-'%s' in '[%s]' not declared" %
(item, section))
status = cfg.get(section, item)
if status not in SupportMatrixImplementation.STATUS_ALL:
raise Exception(
"'%s' value '%s' in '[%s]' section must be %s" %
(item, status, section,
",".join(SupportMatrixImplementation.STATUS_ALL)))
notes_key = network_notes + item[len(network_notes):]
notes = None
if cfg.has_option(section, notes_key):
notes = cfg.get(section, notes_key)
target = targets[item]
impl = SupportMatrixImplementation(status, notes)
feature.implementations[target.key] = impl
for key in targets:
if key not in feature.implementations:
raise Exception("'%s' missing in '[%s]' section" %
(target.key, section))
features.append(feature)
return features
def _build_markup(self, matrix):
"""Constructs the docutils content for the support matrix
"""
content = []
self._build_summary(matrix, content)
self._build_details(matrix, content)
self._build_notes(content)
return content
def _build_summary(self, matrix, content):
"""Constructs the docutils content for the summary of
the support matrix.
The summary consists of a giant table, with one row
for each feature, and a column for each backend
driver. It provides an 'at a glance' summary of the
status of each driver
"""
summary_title = nodes.subtitle(text="Summary")
summary = nodes.table()
cols = len(matrix.targets.keys())
cols += 2
summary_group = nodes.tgroup(cols=cols)
summary_body = nodes.tbody()
summary_head = nodes.thead()
for i in range(cols):
summary_group.append(nodes.colspec(colwidth=1))
summary_group.append(summary_head)
summary_group.append(summary_body)
summary.append(summary_group)
content.append(summary_title)
content.append(summary)
# This sets up all the column headers - two fixed
# columns for feature name & status
header = nodes.row()
blank = nodes.entry()
blank.append(nodes.emphasis(text="Feature"))
header.append(blank)
blank = nodes.entry()
blank.append(nodes.emphasis(text="Status"))
header.append(blank)
summary_head.append(header)
# then one column for each backend driver
impls = matrix.targets.keys()
impls = sorted(impls)
for key in impls:
target = matrix.targets[key]
implcol = nodes.entry()
header.append(implcol)
if target.link:
uri = target.link
target_ref = nodes.reference("", refuri=uri)
target_txt = nodes.inline()
implcol.append(target_txt)
target_txt.append(target_ref)
target_ref.append(nodes.strong(text=target.title))
else:
implcol.append(nodes.strong(text=target.title))
# We now produce the body of the table, one row for
# each feature to report on
for feature in matrix.features:
item = nodes.row()
# the hyperlink target name linking to details
feature_id = re.sub(RE_PATTERN, "_", feature.key)
# first the fixed columns for title/status
key_col = nodes.entry()
item.append(key_col)
key_ref = nodes.reference(refid=feature_id)
key_txt = nodes.inline()
key_col.append(key_txt)
key_txt.append(key_ref)
key_ref.append(nodes.strong(text=feature.title))
status_col = nodes.entry()
item.append(status_col)
status_col.append(nodes.inline(
text=feature.status,
classes=["sp_feature_" + feature.status]))
# and then one column for each backend driver
impls = matrix.targets.keys()
impls = sorted(impls)
for key in impls:
target = matrix.targets[key]
impl = feature.implementations[key]
impl_col = nodes.entry()
item.append(impl_col)
key_id = re.sub(RE_PATTERN, "_",
"{}_{}".format(feature.key, key))
impl_ref = nodes.reference(refid=key_id)
impl_txt = nodes.inline()
impl_col.append(impl_txt)
impl_txt.append(impl_ref)
status = STATUS_DICT.get(impl.status, "")
impl_ref.append(nodes.literal(
text=status,
classes=["sp_impl_summary", "sp_impl_" + impl.status]))
summary_body.append(item)
def _build_details(self, matrix, content):
"""Constructs the docutils content for the details of
the support matrix.
"""
details_title = nodes.subtitle(text="Details")
details = nodes.bullet_list()
content.append(details_title)
content.append(details)
# One list entry for each feature we're reporting on
for feature in matrix.features:
item = nodes.list_item()
status = feature.status
if feature.group is not None:
status += "({})".format(feature.group)
feature_id = re.sub(RE_PATTERN, "_", feature.key)
# Highlight the feature title name
item.append(nodes.strong(text=feature.title, ids=[feature_id]))
# Add maturity status
para = nodes.paragraph()
para.append(nodes.strong(text="Status: {} ".format(status)))
item.append(para)
# If API Alias exists add it
if feature.api is not None:
para = nodes.paragraph()
para.append(
nodes.strong(text="API Alias: {} ".format(feature.api)))
item.append(para)
if feature.cli:
item.append(self._create_cli_paragraph(feature))
if feature.notes is not None:
item.append(self._create_notes_paragraph(feature.notes))
para_divers = nodes.paragraph()
para_divers.append(nodes.strong(text="Driver Support:"))
# A sub-list giving details of each backend driver target
impls = nodes.bullet_list()
for key in feature.implementations:
target = matrix.targets[key]
impl = feature.implementations[key]
subitem = nodes.list_item()
key_id = re.sub(RE_PATTERN, "_",
"{}_{}".format(feature.key, key))
subitem += [
nodes.strong(text="{}: ".format(target.title)),
nodes.literal(text=impl.status,
classes=["sp_impl_{}".format(impl.status)],
ids=[key_id]),
]
if impl.notes is not None:
subitem.append(self._create_notes_paragraph(impl.notes))
impls.append(subitem)
para_divers.append(impls)
item.append(para_divers)
details.append(item)
def _build_notes(self, content):
"""Constructs a list of notes content for the support matrix.
This is generated as a bullet list.
"""
notes_title = nodes.subtitle(text="Notes:")
notes = nodes.bullet_list()
content.append(notes_title)
content.append(notes)
for note in ["This document is a continuous work in progress"]:
item = nodes.list_item()
item.append(nodes.strong(text=note))
notes.append(item)
def _create_cli_paragraph(self, feature):
"""Create a paragraph which represents the CLI commands of the feature
The paragraph will have a bullet list of CLI commands.
"""
para = nodes.paragraph()
para.append(nodes.strong(text="CLI commands:"))
commands = nodes.bullet_list()
for c in feature.cli.split(";"):
cli_command = nodes.list_item()
cli_command += nodes.literal(text=c, classes=["sp_cli"])
commands.append(cli_command)
para.append(commands)
return para
def _create_notes_paragraph(self, notes):
"""Constructs a paragraph which represents the implementation notes
The paragraph consists of text and clickable URL nodes if links were
given in the notes.
"""
para = nodes.paragraph()
para.append(nodes.strong(text="Notes: "))
# links could start with http:// or https://
link_idxs = [m.start() for m in re.finditer('https?://', notes)]
start_idx = 0
for link_idx in link_idxs:
# assume the notes start with text (could be empty)
para.append(nodes.inline(text=notes[start_idx:link_idx]))
# create a URL node until the next text or the end of the notes
link_end_idx = notes.find(" ", link_idx)
if link_end_idx == -1:
# In case the notes end with a link without a blank
link_end_idx = len(notes)
uri = notes[link_idx:link_end_idx + 1]
para.append(nodes.reference("", uri, refuri=uri))
start_idx = link_end_idx + 1
# get all text after the last link (could be empty) or all of the
# text if no link was given
para.append(nodes.inline(text=notes[start_idx:]))
return para
def setup(app):
app.add_directive('support_matrix', SupportMatrixDirective)
app.add_stylesheet('support_matrix.css')

View File

@ -10,82 +10,77 @@
# License for the specific language governing permissions and limitations
# under the License.
[target.ovs]
label=networking-ovs
[driver.ovs]
title=Open vSwitch
link=
[target.linuxbridge]
label=networking-linux-bridge
[driver.linuxbridge]
title=Linux Bridge
link=
[target.odl]
label=networking-odl
[driver.odl]
title=Networking ODL
link=https://docs.openstack.org/networking-odl/latest/
[target.midonet]
label=networking-midonet
[driver.midonet]
title=Networking MidoNet
link=https://docs.openstack.org/networking-midonet/latest/
[target.ovn]
label=networking-ovn
# TODO(slaweq): change it to neutron docs when it will be merged with
# networking-ovn already
[driver.ovn]
title=Networking OVN
link=https://docs.openstack.org/networking-ovn/latest/
[operation.Networks]
title=Networks
status=required
status=mandatory
api=core
cli=openstack network *
notes=The ability to create, modify and delete networks.
https://docs.openstack.org/api-ref/network/v2/#networks
networking-ovs=complete
networking-linux-bridge=complete
networking-odl=complete
networking-midonet=complete
networking-ovn=complete
driver.ovs=complete
driver.linuxbridge=complete
driver.odl=complete
driver.midonet=complete
driver.ovn=complete
[operation.Subnets]
title=Subnets
status=required
status=mandatory
api=core
cli=openstack subnet *
notes=The ability to create and manipulate subnets and subnet pools.
https://docs.openstack.org/api-ref/network/v2/#subnets
networking-ovs=complete
networking-linux-bridge=complete
networking-odl=complete
networking-midonet=complete
networking-ovn=complete
driver.ovs=complete
driver.linuxbridge=complete
driver.odl=complete
driver.midonet=complete
driver.ovn=complete
[operation.Ports]
title=Ports
status=required
status=mandatory
api=core
cli=openstack port *
notes=The ability to create and manipulate ports.
https://docs.openstack.org/api-ref/network/v2/#ports
networking-ovs=complete
networking-linux-bridge=complete
networking-odl=complete
networking-midonet=complete
networking-ovn=complete
driver.ovs=complete
driver.linuxbridge=complete
driver.odl=complete
driver.midonet=complete
driver.ovn=complete
[operation.Router]
title=Routers
status=required
status=mandatory
api=router
cli=openstack router *
notes=The ability to create and manipulate routers.
https://docs.openstack.org/api-ref/network/v2/#routers-routers
networking-ovs=complete
networking-linux-bridge=complete
networking-odl=complete
networking-midonet=complete
networking-ovn=complete
driver.ovs=complete
driver.linuxbridge=complete
driver.odl=complete
driver.midonet=complete
driver.ovn=complete
[operation.Security_Groups]
title=Security Groups
@ -95,11 +90,11 @@ cli=openstack security group *
notes=Security groups are set by default, and can be modified to control
ingress & egress traffic.
https://docs.openstack.org/api-ref/network/v2/#security-groups-security-groups
networking-ovs=complete
networking-linux-bridge=complete
networking-odl=complete
networking-midonet=complete
networking-ovn=complete
driver.ovs=complete
driver.linuxbridge=complete
driver.odl=complete
driver.midonet=complete
driver.ovn=complete
[operation.External_Nets]
title=External Networks
@ -107,11 +102,11 @@ status=mature
api=external-net
notes=The ability to create an external network to provide internet access
to and from instances using floating IP addresses and security group rules.
networking-ovs=complete
networking-linux-bridge=complete
networking-odl=complete
networking-midonet=complete
networking-ovn=complete
driver.ovs=complete
driver.linuxbridge=complete
driver.odl=complete
driver.midonet=complete
driver.ovn=complete
[operation.DVR]
title=Distributed Virtual Routers
@ -119,11 +114,11 @@ status=immature
api=dvr
notes=The ability to support the distributed virtual routers.
https://wiki.openstack.org/wiki/Neutron/DVR
networking-ovs=complete
networking-linux-bridge=incomplete
networking-odl=partial
networking-midonet=complete
networking-ovn=partial
driver.ovs=complete
driver.linuxbridge=missing
driver.odl=partial
driver.midonet=complete
driver.ovn=partial
[operation.L3_HA]
title=L3 High Availability
@ -131,11 +126,11 @@ status=immature
api=l3-ha
notes=The ability to support the High Availability features and extensions.
https://wiki.openstack.org/wiki/Neutron/L3_High_Availability_VRRP.
networking-ovs=complete
networking-linux-bridge=complete
networking-odl=partial
networking-midonet=incomplete
networking-ovn=partial
driver.ovs=complete
driver.linuxbridge=complete
driver.odl=partial
driver.midonet=missing
driver.ovn=partial
[operation.QoS]
title=Quality of Service
@ -143,21 +138,21 @@ status=mature
api=qos
notes=Support for Neutron Quality of Service policies and API.
https://docs.openstack.org/api-ref/network/v2/#qos-policies-qos
networking-ovs=complete
networking-linux-bridge=partial
networking-odl=partial
networking-midonet=complete
networking-ovn=complete
driver.ovs=complete
driver.linuxbridge=partial
driver.odl=partial
driver.midonet=complete
driver.ovn=complete
[operation.BGP]
title=Border Gateway Protocol
status=immature
notes=https://docs.openstack.org/api-ref/network/v2/#bgp-mpls-vpn-interconnection
networking-ovs=complete
networking-linux-bridge=unknown
networking-odl=unknown
networking-midonet=complete
networking-ovn=unknown
driver.ovs=complete
driver.linuxbridge=unknown
driver.odl=unknown
driver.midonet=complete
driver.ovn=unknown
[operation.DNS]
title=DNS
@ -165,11 +160,11 @@ status=mature
api=dns-integration
notes=The ability to integrate with an external DNS
as a Service. https://docs.openstack.org/neutron/latest/admin/config-dns-int.html
networking-ovs=complete
networking-linux-bridge=complete
networking-odl=complete
networking-midonet=incomplete
networking-ovn=complete
driver.ovs=complete
driver.linuxbridge=complete
driver.odl=complete
driver.midonet=missing
driver.ovn=complete
[operation.Trunk_Ports]
title=Trunk Ports
@ -178,11 +173,11 @@ api=trunk
notes=Neutron extension to access lots of neutron networks over
a single vNIC as tagged/encapsulated traffic.
https://docs.openstack.org/api-ref/network/v2/#trunk-networking
networking-ovs=complete
networking-linux-bridge=complete
networking-odl=incomplete
networking-midonet=incomplete
networking-ovn=complete
driver.ovs=complete
driver.linuxbridge=complete
driver.odl=missing
driver.midonet=missing
driver.ovn=complete
[operation.Metering]
title=Metering
@ -190,19 +185,19 @@ status=mature
api=metering
notes=Meter traffic at the L3 router levels.
https://docs.openstack.org/api-ref/network/v2/#metering-labels-and-rules-metering-labels-metering-label-rules
networking-ovs=complete
networking-linux-bridge=complete
networking-odl=incomplete
networking-midonet=incomplete
networking-ovn=unknown
driver.ovs=complete
driver.linuxbridge=complete
driver.odl=missing
driver.midonet=missing
driver.ovn=unknown
[operations.Routed_Provider_Networks]
title=Routed Provider Networks
status=immature
notes=The ability to present a multi-segment layer-3 network as a
single entity. https://docs.openstack.org/neutron/latest/admin/config-routed-networks.html
networking-ovs=partial
networking-linux-bridge=partial
networking-odl=incomplete
networking-midonet=incomplete
networking-ovn=partial
driver.ovs=partial
driver.linuxbridge=partial
driver.odl=missing
driver.midonet=missing
driver.ovn=partial

View File

@ -10,63 +10,56 @@
# License for the specific language governing permissions and limitations
# under the License.
[target.ovs]
label=networking-ovs
[driver.ovs]
title=Open vSwitch
link=
[target.linuxbridge]
label=networking-linux-bridge
[driver.linuxbridge]
title=Linux Bridge
link=
[target.odl]
label=networking-odl
[driver.odl]
title=Networking ODL
link=https://docs.openstack.org/networking-odl/latest/
[target.midonet]
label=networking-midonet
[driver.midonet]
title=Networking MidoNet
link=https://docs.openstack.org/networking-midonet/latest/
[target.ovn]
label=networking-ovn
[driver.ovn]
title=Networking OVN
link=https://docs.openstack.org/networking-ovn/latest/
[operation.VLAN]
title=VLAN provider network support
status=mature
networking-ovs=complete
networking-linux-bridge=complete
networking-odl=unknown
networking-midonet=incomplete
networking-ovn=complete
driver.ovs=complete
driver.linuxbridge=complete
driver.odl=unknown
driver.midonet=missing
driver.ovn=complete
[operation.VXLAN]
title=VXLAN provider network support
status=mature
networking-ovs=complete
networking-linux-bridge=complete
networking-odl=complete
networking-midonet=incomplete
networking-ovn=incomplete
driver.ovs=complete
driver.linuxbridge=complete
driver.odl=complete
driver.midonet=missing
driver.ovn=missing
[operation.GRE]
title=GRE provider network support
status=immature
networking-ovs=complete
networking-linux-bridge=unknown
networking-odl=complete
networking-midonet=incomplete
networking-ovn=incomplete
driver.ovs=complete
driver.linuxbridge=unknown
driver.odl=complete
driver.midonet=missing
driver.ovn=missing
[operation.Geneve]
title=Geneve provider network support
status=immature
networking-ovs=complete
networking-linux-bridge=unknown
networking-odl=incomplete
networking-midonet=incomplete
networking-ovn=complete
driver.ovs=complete
driver.linuxbridge=unknown
driver.odl=missing
driver.midonet=missing
driver.ovn=complete