certbot/certbot-apache/certbot_apache/_internal/obj.py

265 lines
9.1 KiB
Python
Raw Permalink Normal View History

2014-12-16 02:52:18 -05:00
"""Module contains classes used by the Apache Configurator."""
2015-07-21 20:16:46 -04:00
import re
from typing import Any
from typing import Iterable
from typing import Optional
from typing import Pattern
from typing import Set
from typing import Union
from certbot.plugins import common
from certbot_apache._internal.apacheparser import ApacheBlockNode
from certbot_apache._internal.augeasparser import AugeasBlockNode
from certbot_apache._internal.dualparser import DualBlockNode
2015-07-21 20:16:46 -04:00
2015-07-15 17:34:24 -04:00
class Addr(common.Addr):
2015-07-19 05:22:10 -04:00
"""Represents an Apache address."""
def __eq__(self, other: Any) -> bool:
"""This is defined as equivalent within Apache.
2015-07-15 17:34:24 -04:00
ip_addr:* == ip_addr
"""
if isinstance(other, self.__class__):
return ((self.tup == other.tup) or
2015-09-06 05:20:41 -04:00
(self.tup[0] == other.tup[0] and
self.is_wildcard() and other.is_wildcard()))
2015-07-15 17:34:24 -04:00
return False
def __repr__(self) -> str:
return f"certbot_apache._internal.obj.Addr({repr(self.tup)})"
2016-06-29 16:57:58 -04:00
def __hash__(self) -> int: # pylint: disable=useless-super-delegation
# Python 3 requires explicit overridden for __hash__ if __eq__ or
# __cmp__ is overridden. See https://bugs.python.org/issue2235
return super().__hash__()
def _addr_less_specific(self, addr: "Addr") -> bool:
2015-07-23 04:34:51 -04:00
"""Returns if addr.get_addr() is more specific than self.get_addr()."""
2015-07-24 18:47:38 -04:00
# pylint: disable=protected-access
2015-07-23 04:34:51 -04:00
return addr._rank_specific_addr() > self._rank_specific_addr()
def _rank_specific_addr(self) -> int:
2015-07-24 18:47:38 -04:00
"""Returns numerical rank for get_addr()
:returns: 2 - FQ, 1 - wildcard, 0 - _default_
:rtype: int
"""
2015-07-23 04:34:51 -04:00
if self.get_addr() == "_default_":
return 0
elif self.get_addr() == "*":
return 1
return 2
2015-07-23 04:34:51 -04:00
def conflicts(self, addr: "Addr") -> bool:
2015-08-22 10:30:59 -04:00
r"""Returns if address could conflict with correct function of self.
2015-07-23 04:34:51 -04:00
Could addr take away service provided by self within Apache?
.. note::IP Address is more important than wildcard.
Connection from 127.0.0.1:80 with choices of *:80 and 127.0.0.1:*
2015-08-22 10:30:59 -04:00
chooses 127.0.0.1:\*
2015-07-23 04:34:51 -04:00
.. todo:: Handle domain name addrs...
Examples:
2015-08-22 10:30:59 -04:00
========================================= =====
``127.0.0.1:\*.conflicts(127.0.0.1:443)`` True
``127.0.0.1:443.conflicts(127.0.0.1:\*)`` False
``\*:443.conflicts(\*:80)`` False
``_default_:443.conflicts(\*:443)`` True
========================================= =====
2015-07-23 04:34:51 -04:00
"""
if self._addr_less_specific(addr):
return True
elif self.get_addr() == addr.get_addr():
if self.is_wildcard() or self.get_port() == addr.get_port():
return True
return False
def is_wildcard(self) -> bool:
2015-07-19 05:22:10 -04:00
"""Returns if address has a wildcard port."""
return self.tup[1] == "*" or not self.tup[1]
2015-07-15 17:34:24 -04:00
def get_sni_addr(self, port: str) -> common.Addr:
2015-07-15 17:34:24 -04:00
"""Returns the least specific address that resolves on the port.
2015-08-22 10:30:59 -04:00
Examples:
- ``1.2.3.4:443`` -> ``1.2.3.4:<port>``
- ``1.2.3.4:*`` -> ``1.2.3.4:*``
2015-07-15 17:34:24 -04:00
:param str port: Desired port
"""
if self.is_wildcard():
return self
return self.get_addr_obj(port)
2014-12-16 02:52:18 -05:00
class VirtualHost:
2014-12-16 02:52:18 -05:00
"""Represents an Apache Virtualhost.
:ivar str filep: file path of VH
:ivar str path: Augeas path to virtual host
:ivar set addrs: Virtual Host addresses (:class:`set` of
:class:`common.Addr`)
2015-07-21 20:16:46 -04:00
:ivar str name: ServerName of VHost
:ivar list aliases: Server aliases of vhost
2014-12-16 02:52:18 -05:00
(:class:`list` of :class:`str`)
:ivar bool ssl: SSLEngine on in vhost
:ivar bool enabled: Virtual host is enabled
:ivar bool modmacro: VirtualHost is using mod_macro
:ivar VirtualHost ancestor: A non-SSL VirtualHost this is based on
2014-12-16 02:52:18 -05:00
2015-07-23 04:34:51 -04:00
https://httpd.apache.org/docs/2.4/vhosts/details.html
2015-08-22 10:30:59 -04:00
2015-07-23 04:34:51 -04:00
.. todo:: Any vhost that includes the magic _default_ wildcard is given the
2015-08-22 10:30:59 -04:00
same ServerName as the main server.
2015-07-21 20:16:46 -04:00
2014-12-16 02:52:18 -05:00
"""
2015-07-21 20:16:46 -04:00
# ?: is used for not returning enclosed characters
strip_name: Pattern = re.compile(r"^(?:.+://)?([^ :$]*)")
2015-07-21 20:16:46 -04:00
def __init__(self, filepath: str, path: str, addrs: Set["Addr"], ssl: bool,
enabled: bool, name: Optional[str] = None, aliases: Optional[Set[str]] = None,
modmacro: bool = False, ancestor: Optional["VirtualHost"] = None,
node: Optional[Union[ApacheBlockNode, AugeasBlockNode, DualBlockNode]] = None
) -> None:
2014-12-16 02:52:18 -05:00
"""Initialize a VH."""
self.filep = filepath
2014-12-16 02:52:18 -05:00
self.path = path
self.addrs = addrs
2015-07-21 20:16:46 -04:00
self.name = name
2015-07-24 18:47:38 -04:00
self.aliases = aliases if aliases is not None else set()
2014-12-16 02:52:18 -05:00
self.ssl = ssl
self.enabled = enabled
self.modmacro = modmacro
self.ancestor = ancestor
self.node = node
2014-12-16 02:52:18 -05:00
def get_names(self) -> Set[str]:
2015-07-22 05:05:01 -04:00
"""Return a set of all names."""
all_names: Set[str] = set()
2015-07-24 18:47:38 -04:00
all_names.update(self.aliases)
2015-07-21 20:16:46 -04:00
# Strip out any scheme:// and <port> field from servername
if self.name is not None:
all_names.add(VirtualHost.strip_name.findall(self.name)[0])
return all_names
2014-12-16 02:52:18 -05:00
def __str__(self) -> str:
2015-06-25 21:57:10 -04:00
return (
f"File: {self.filep}\n"
f"Vhost path: {self.path}\n"
f"Addresses: {', '.join(str(addr) for addr in self.addrs)}\n"
f"Name: {self.name if self.name is not None else ''}\n"
f"Aliases: {', '.join(name for name in self.aliases)}\n"
f"TLS Enabled: {'Yes' if self.ssl else 'No'}\n"
f"Site Enabled: {'Yes' if self.enabled else 'No'}\n"
f"mod_macro Vhost: {'Yes' if self.modmacro else 'No'}"
)
2014-12-16 02:52:18 -05:00
def display_repr(self) -> str:
"""Return a representation of VHost to be used in dialog"""
return (
f"File: {self.filep}\n"
f"Addresses: {', '.join(str(addr) for addr in self.addrs)}\n"
f"Names: {', '.join(self.get_names())}\n"
f"HTTPS: {'Yes' if self.ssl else 'No'}\n"
)
def __eq__(self, other: Any) -> bool:
2014-12-16 02:52:18 -05:00
if isinstance(other, self.__class__):
return (self.filep == other.filep and self.path == other.path and
self.addrs == other.addrs and
2015-07-21 20:16:46 -04:00
self.get_names() == other.get_names() and
self.ssl == other.ssl and
self.enabled == other.enabled and
self.modmacro == other.modmacro)
2014-12-16 02:52:18 -05:00
return False
2015-07-21 20:16:46 -04:00
def __hash__(self) -> int:
return hash((self.filep, self.path,
tuple(self.addrs), tuple(self.get_names()),
self.ssl, self.enabled, self.modmacro))
def conflicts(self, addrs: Iterable[Addr]) -> bool:
2015-07-21 20:16:46 -04:00
"""See if vhost conflicts with any of the addrs.
This determines whether or not these addresses would/could overwrite
the vhost addresses.
:param addrs: Iterable Addresses
:type addrs: Iterable :class:~obj.Addr
2015-07-23 04:34:51 -04:00
:returns: If addresses conflicts with vhost
2015-07-21 20:16:46 -04:00
:rtype: bool
"""
2015-07-23 04:34:51 -04:00
for pot_addr in addrs:
for addr in self.addrs:
if addr.conflicts(pot_addr):
return True
2015-07-21 20:16:46 -04:00
return False
def same_server(self, vhost: "VirtualHost", generic: bool = False) -> bool:
2015-07-21 20:16:46 -04:00
"""Determines if the vhost is the same 'server'.
Used in redirection - indicates whether or not the two virtual hosts
serve on the exact same IP combinations, but different ports.
2016-02-22 21:08:06 -05:00
The generic flag indicates that that we're trying to match to a
default or generic vhost
2015-07-21 20:16:46 -04:00
.. todo:: Handle _default_
"""
2016-02-16 18:48:36 -05:00
if not generic:
if vhost.get_names() != self.get_names():
return False
2015-07-21 20:16:46 -04:00
2016-02-16 18:48:36 -05:00
# If equal and set is not empty... assume same server
if self.name is not None or self.aliases:
return True
2016-03-25 14:19:12 -04:00
# If we're looking for a generic vhost,
# don't return one with a ServerName
2016-02-22 21:08:06 -05:00
elif self.name:
2016-02-23 18:53:56 -05:00
return False
2015-07-21 20:16:46 -04:00
# Both sets of names are empty.
# Make conservative educated guess... this is very restrictive
# Consider adding more safety checks.
if len(vhost.addrs) != len(self.addrs):
return False
# already_found acts to keep everything very conservative.
# Don't allow multiple ip:ports in same set.
already_found: Set[str] = set()
2015-07-21 20:16:46 -04:00
for addr in vhost.addrs:
for local_addr in self.addrs:
if (local_addr.get_addr() == addr.get_addr() and
2015-07-23 04:34:51 -04:00
local_addr != addr and
local_addr.get_addr() not in already_found):
2015-07-21 20:16:46 -04:00
# This intends to make sure we aren't double counting...
2015-07-23 04:34:51 -04:00
# e.g. 127.0.0.1:* - We require same number of addrs
# currently
2015-07-21 20:16:46 -04:00
already_found.add(local_addr.get_addr())
break
else:
return False
2015-07-24 18:47:38 -04:00
return True