1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296
|
#!/usr/bin/env python
import argparse
import logging
import os
import re
from Cookie import SimpleCookie
import sp_conf
from urlparse import parse_qs
from saml2 import BINDING_HTTP_REDIRECT
from saml2 import time_util
from saml2.httputil import NotFound
from saml2.httputil import Redirect
from saml2.httputil import Response
from saml2.httputil import Unauthorized
# from saml2.httputil import ServiceError
from saml2.metadata import create_metadata_string
logger = logging.getLogger("saml2.SP")
args = None
# -----------------------------------------------------------------------------
def dict_to_table(ava, lev=0, width=1):
txt = [f'<table border={width} bordercolor="black">\n']
for prop, valarr in ava.items():
txt.append("<tr>\n")
if isinstance(valarr, basestring):
txt.append(f"<th>{str(prop)}</th>\n")
try:
txt.append(f"<td>{valarr.encode('utf8')}</td>\n")
except AttributeError:
txt.append(f"<td>{valarr}</td>\n")
elif isinstance(valarr, list):
i = 0
n = len(valarr)
for val in valarr:
if not i:
txt.append(f"<th rowspan={len(valarr)}>{prop}</td>\n")
else:
txt.append("<tr>\n")
if isinstance(val, dict):
txt.append("<td>\n")
txt.extend(dict_to_table(val, lev + 1, width - 1))
txt.append("</td>\n")
else:
try:
txt.append(f"<td>{val.encode('utf8')}</td>\n")
except AttributeError:
txt.append(f"<td>{val}</td>\n")
if n > 1:
txt.append("</tr>\n")
n -= 1
i += 1
elif isinstance(valarr, dict):
txt.append(f"<th>{prop}</th>\n")
txt.append("<td>\n")
txt.extend(dict_to_table(valarr, lev + 1, width - 1))
txt.append("</td>\n")
txt.append("</tr>\n")
txt.append("</table>\n")
return txt
def _expiration(timeout, tformat=None):
if timeout == "now":
return time_util.instant(tformat)
else:
# validity time should match lifetime of assertions
return time_util.in_a_while(minutes=timeout, format=tformat)
def delete_cookie(environ, name):
kaka = environ.get("HTTP_COOKIE", "")
if kaka:
cookie_obj = SimpleCookie(kaka)
morsel = cookie_obj.get(name, None)
cookie = SimpleCookie()
cookie[name] = morsel
cookie[name]["expires"] = _expiration("now", "%a, %d-%b-%Y %H:%M:%S CET")
return tuple(cookie.output().split(": ", 1))
return None
# ----------------------------------------------------------------------------
# noinspection PyUnusedLocal
def whoami(environ, start_response, user):
nameid = environ["repoze.who.identity"]["login"]
ava = environ["repoze.who.identity"]["user"]
if not nameid:
return not_authn(environ, start_response)
if ava:
response = ["<h2>Your identity is supposed to be</h2>"]
response.extend(dict_to_table(ava))
else:
response = ["<h2>The system did not return any information about you</h2>"]
response.extend("<a href='logout'>Logout</a>")
resp = Response(response)
return resp(environ, start_response)
# noinspection PyUnusedLocal
def not_found(environ, start_response):
"""Called if no URL matches."""
resp = NotFound("Not Found")
return resp(environ, start_response)
# noinspection PyUnusedLocal
def not_authn(environ, start_response):
resp = Unauthorized("Unknown user")
return resp(environ, start_response)
# noinspection PyUnusedLocal
def slo(environ, start_response, user):
# so here I might get either a LogoutResponse or a LogoutRequest
client = environ["repoze.who.plugins"]["saml2auth"]
sc = client.saml_client
if "QUERY_STRING" in environ:
query = parse_qs(environ["QUERY_STRING"])
logger.info("query: %s", query)
try:
response = sc.parse_logout_request_response(query["SAMLResponse"][0], binding=BINDING_HTTP_REDIRECT)
if response:
logger.info("LOGOUT response parsed OK")
except KeyError:
# return error reply
response = None
if response is None:
request = sc.lo
headers = []
delco = delete_cookie(environ, "pysaml2")
if delco:
headers.append(delco)
resp = Redirect("/done", headers=headers)
return resp(environ, start_response)
# noinspection PyUnusedLocal
def logout(environ, start_response, user):
# This is where it starts when a user wants to log out
client = environ["repoze.who.plugins"]["saml2auth"]
subject_id = environ["repoze.who.identity"]["repoze.who.userid"]
logger.info("[logout] subject_id: '%s'", subject_id)
target = "/done"
# What if more than one
_dict = client.saml_client.global_logout(subject_id)
logger.info("[logout] global_logout > %s", _dict)
rem = environ["repoze.who.plugins"][client.rememberer_name]
rem.forget(environ, subject_id)
for key, item in _dict.items():
if isinstance(item, tuple):
binding, htargs = item
else: # result from logout, should be OK
pass
resp = Redirect("Successful Logout", headers=[("Location", target)])
return resp(environ, start_response)
# else:
# resp = ServiceError("Failed to logout from identity services")
# start_response("500 Internal Server Error")
# return []
# noinspection PyUnusedLocal
def done(environ, start_response, user):
# remove cookie and stored info
logger.info("[done] environ: %s", environ)
subject_id = environ["repoze.who.identity"]["repoze.who.userid"]
client = environ["repoze.who.plugins"]["saml2auth"]
logger.info("[logout done] remaining subjects: %s", client.saml_client.users.subjects())
start_response("200 OK", [("Content-Type", "text/html")])
return ["<h3>You are now logged out from this service</h3>"]
# ----------------------------------------------------------------------------
# map urls to functions
urls = [
(r"whoami$", whoami),
(r"logout$", logout),
(r"done$", done),
(r"slo$", slo),
(r"^$", whoami),
]
# ----------------------------------------------------------------------------
def metadata(environ, start_response):
try:
path = args.path
if path is None or len(path) == 0:
path = os.path.dirname(os.path.abspath(__file__))
if path[-1] != "/":
path += "/"
metadata = create_metadata_string(
f"{path}sp_conf.py", None, args.valid, args.cert, args.keyfile, args.id, args.name, args.sign
)
start_response("200 OK", [("Content-Type", "text/xml")])
return metadata
except Exception as ex:
logger.error("An error occured while creating metadata: %s", ex.message)
return not_found(environ, start_response)
def application(environ, start_response):
"""
The main WSGI application. Dispatch the current request to
the functions from above and store the regular expression
captures in the WSGI environment as `myapp.url_args` so that
the functions from above can access the url placeholders.
If nothing matches, call the `not_found` function.
:param environ: The HTTP application environment
:param start_response: The application to run when the handling of the
request is done
:return: The response as a list of lines
"""
path = environ.get("PATH_INFO", "").lstrip("/")
logger.info("<application> PATH: %s", path)
if path == "metadata":
return metadata(environ, start_response)
user = environ.get("REMOTE_USER", "")
if not user:
user = environ.get("repoze.who.identity", "")
logger.info("repoze.who.identity: '%s'", user)
else:
logger.info("REMOTE_USER: '%s'", user)
# logger.info(logging.Logger.manager.loggerDict)
for regex, callback in urls:
if user:
match = re.search(regex, path)
if match is not None:
try:
environ["myapp.url_args"] = match.groups()[0]
except IndexError:
environ["myapp.url_args"] = path
return callback(environ, start_response, user)
else:
return not_authn(environ, start_response)
return not_found(environ, start_response)
# ----------------------------------------------------------------------------
from repoze.who.config import make_middleware_with_config
app_with_auth = make_middleware_with_config(application, {"here": "."}, "./who.ini", log_file="repoze_who.log")
# ----------------------------------------------------------------------------
HOST = sp_conf.HOST
PORT = sp_conf.PORT
# allow uwsgi or gunicorn mount
# by moving some initialization out of __name__ == '__main__' section.
# uwsgi -s 0.0.0.0:8087 --protocol http --callable app_with_auth --module idp
if __name__ == "__main__":
# make_metadata arguments
parser = argparse.ArgumentParser()
parser.add_argument("-p", dest="path", help="Path to configuration file.")
parser.add_argument(
"-v", dest="valid", default="4", help="How long, in days, the metadata is valid from the time of creation"
)
parser.add_argument("-c", dest="cert", help="certificate")
parser.add_argument("-i", dest="id", help="The ID of the entities descriptor in the metadata")
parser.add_argument("-k", dest="keyfile", help="A file with a key to sign the metadata with")
parser.add_argument("-n", dest="name")
parser.add_argument("-s", dest="sign", action="store_true", help="sign the metadata")
args = parser.parse_args()
from wsgiref.simple_server import make_server
srv = make_server(HOST, PORT, app_with_auth)
print(f"SP listening on {HOST}:{PORT}")
srv.serve_forever()
|