Skip to content

Commit 648239b

Browse files
author
Jonas Bardino
committedJan 15, 2014
very basic DAV support over HTTPS and with basic username+password auth
git-svn-id: svn+ssh://svn.code.sf.net/p/migrid/code/trunk@2143 b75ad72c-e7d7-11dd-a971-7dbc132099af
1 parent c56c1e8 commit 648239b

File tree

2 files changed

+273
-1
lines changed

2 files changed

+273
-1
lines changed
 

‎mig/server/grid_dav.py

+272
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,272 @@
1+
#!/usr/bin/python
2+
# -*- coding: utf-8 -*-
3+
#
4+
# --- BEGIN_HEADER ---
5+
#
6+
# grid_dav - DAV server providing access to MiG user homes
7+
# Copyright (C) 2014 The MiG Project lead by Brian Vinter
8+
#
9+
# This file is part of MiG.
10+
#
11+
# MiG is free software: you can redistribute it and/or modify
12+
# it under the terms of the GNU General Public License as published by
13+
# the Free Software Foundation; either version 2 of the License, or
14+
# (at your option) any later version.
15+
#
16+
# MiG is distributed in the hope that it will be useful,
17+
# but WITHOUT ANY WARRANTY; without even the implied warranty of
18+
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
19+
# GNU General Public License for more details.
20+
#
21+
# You should have received a copy of the GNU General Public License
22+
# along with this program; if not, write to the Free Software
23+
# Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
24+
#
25+
# -- END_HEADER ---
26+
#
27+
28+
"""Provide DAV access to MiG user homes"""
29+
30+
import BaseHTTPServer
31+
import SimpleHTTPServer
32+
import SocketServer
33+
import base64
34+
import glob
35+
import logging
36+
import ssl
37+
import os
38+
import socket
39+
import shutil
40+
import sys
41+
import threading
42+
import time
43+
from StringIO import StringIO
44+
45+
import pywebdav.lib
46+
from pywebdav.server.fileauth import DAVAuthHandler
47+
#from pywebdav.server.mysqlauth import MySQLAuthHandler
48+
from pywebdav.server.fshandler import FilesystemHandler
49+
#from pywebdav.server.daemonize import startstop
50+
51+
from pywebdav.lib.INI_Parse import Configuration
52+
from pywebdav.lib import VERSION, AUTHOR
53+
54+
55+
from shared.base import client_dir_id, client_alias, invisible_path
56+
from shared.conf import get_configuration_object
57+
from shared.useradm import ssh_authpasswords, get_ssh_authpasswords, \
58+
check_password_hash, extract_field, generate_password_hash
59+
60+
61+
configuration, logger = None, None
62+
63+
64+
class ThreadedHTTPServer(SocketServer.ThreadingMixIn,
65+
BaseHTTPServer.HTTPServer):
66+
"""Handle requests in a separate thread."""
67+
68+
pass
69+
70+
71+
def setupDummyConfig(**kw):
72+
73+
class DummyConfigDAV:
74+
def __init__(self, **kw):
75+
self.__dict__.update(**kw)
76+
77+
def getboolean(self, name):
78+
return (str(getattr(self, name, 0)) in ('1', "yes", "true", "on", "True"))
79+
80+
class DummyConfig:
81+
DAV = DummyConfigDAV(**kw)
82+
83+
return DummyConfig()
84+
85+
86+
class User(object):
87+
"""User login class to hold a single valid login for a user"""
88+
def __init__(self, username, password,
89+
chroot=True, home=None, public_key=None):
90+
self.username = username
91+
self.password = password
92+
self.chroot = chroot
93+
self.public_key = public_key
94+
if type(public_key) in (str, unicode):
95+
# We already checked that key is valid if we got here
96+
self.public_key = parse_pub_key(public_key)
97+
98+
self.home = home
99+
if self.home is None:
100+
self.home = self.username
101+
102+
103+
class MiGDAVAuthHandler(DAVAuthHandler):
104+
"""
105+
Provides MiG specific authentication based on parameters. The calling
106+
class has to inject password and username into this.
107+
(Variables: auth_user and auth_pass)
108+
109+
Override simple static user/password auth with a simple password lookup in
110+
the MiG user DB.
111+
"""
112+
113+
# TMP! load from DB
114+
allow_password = True
115+
users = {'jonas': [User('jonas', generate_password_hash('test1234'))]}
116+
117+
# Do not forget to set IFACE_CLASS by caller
118+
# ex.: IFACE_CLASS = FilesystemHandler('/tmp', 'http://localhost/')
119+
verbose = False
120+
121+
def _log(self, message):
122+
if self.verbose:
123+
log.info(message)
124+
125+
def get_userinfo(self, user, pw, command):
126+
"""authenticate user against user DB"""
127+
128+
username, password = user, pw
129+
130+
offered = None
131+
if self.allow_password and self.users.has_key(username):
132+
# list of User login objects for username
133+
entries = self.users[username]
134+
offered = password
135+
for entry in entries:
136+
if entry.password is not None:
137+
allowed = entry.password
138+
logging.debug("Password check for %s" % username)
139+
if check_password_hash(offered, allowed):
140+
logging.info("Authenticated %s" % username)
141+
self.authenticated_user = username
142+
return 1
143+
err_msg = "Password authentication failed for %s" % username
144+
logging.error(err_msg)
145+
print err_msg
146+
return 0
147+
148+
149+
def run(conf):
150+
"""SSL wrap HTTP server for secure DAV access"""
151+
152+
handler = MiGDAVAuthHandler
153+
154+
# Pass conf options to DAV handler in required object format
155+
156+
dav_conf_dict = conf['dav_cfg']
157+
for name in ('host', 'port'):
158+
dav_conf_dict[name] = conf[name]
159+
dav_conf = setupDummyConfig(**dav_conf_dict)
160+
# injecting options
161+
handler._config = dav_conf
162+
163+
server = ThreadedHTTPServer
164+
165+
directory = dav_conf_dict['directory']
166+
directory = directory.strip()
167+
directory = directory.rstrip('/')
168+
verbose = dav_conf.DAV.getboolean('verbose')
169+
noauth = dav_conf.DAV.getboolean('noauth')
170+
host = conf['host']
171+
host = host.strip()
172+
port = conf['port']
173+
174+
if not os.path.isdir(directory):
175+
logging.error('%s is not a valid directory!' % directory)
176+
return sys.exit(233)
177+
178+
# basic checks against wrong hosts
179+
if host.find('/') != -1 or host.find(':') != -1:
180+
logging.error('Malformed host %s' % host)
181+
return sys.exit(233)
182+
183+
# no root directory
184+
if directory == '/':
185+
logging.error('Root directory not allowed!')
186+
sys.exit(233)
187+
188+
# dispatch directory and host to the filesystem handler
189+
# This handler is responsible from where to take the data
190+
handler.IFACE_CLASS = FilesystemHandler(directory, 'http://%s:%s/' % \
191+
(host, port), verbose)
192+
193+
# put some extra vars
194+
handler.verbose = verbose
195+
if noauth:
196+
logging.warning('Authentication disabled!')
197+
handler.DO_AUTH = False
198+
199+
logging.info('Serving data from %s' % directory)
200+
201+
if not dav_conf.DAV.getboolean('lockemulation'):
202+
logging.info('Deactivated LOCK, UNLOCK (WebDAV level 2) support')
203+
204+
handler.IFACE_CLASS.mimecheck = True
205+
if not dav_conf.DAV.getboolean('mimecheck'):
206+
handler.IFACE_CLASS.mimecheck = False
207+
logging.info('Disabled mimetype sniffing (All files will have type application/octet-stream)')
208+
209+
if dav_conf_dict['baseurl']:
210+
logging.info('Using %(baseurl)s as base url for PROPFIND requests' % \
211+
dav_conf_dict)
212+
handler.IFACE_CLASS.baseurl = dav_conf_dict['baseurl']
213+
214+
# initialize server on specified port
215+
runner = server((host, port), handler)
216+
# Wrap in SSL
217+
cert_path = os.path.join(conf['cert_base'], conf['cert_file'])
218+
runner.socket = ssl.wrap_socket(runner.socket,
219+
certfile=cert_path,
220+
server_side=True)
221+
print('Listening on %s (%i)' % (host, port))
222+
223+
try:
224+
runner.serve_forever()
225+
except KeyboardInterrupt:
226+
logging.info('Killed by user')
227+
228+
229+
def main(conf):
230+
"""Run server"""
231+
if conf['log_path']:
232+
logging.basicConfig(path=conf['log_path'], level=conf['log_level'],
233+
format=conf['log_format'])
234+
else:
235+
logging.basicConfig(level=conf['log_level'],
236+
format=conf['log_format'])
237+
logging.info("starting DAV server")
238+
try:
239+
run(conf)
240+
except KeyboardInterrupt:
241+
logging.info("received interrupt - shutting down")
242+
except Exception, exc:
243+
logging.error("exiting on unexpected exception: %s" % exc)
244+
245+
246+
if __name__ == "__main__":
247+
cfg = {'log_level': logging.INFO,
248+
'log_path': None,
249+
'log_format': '%(asctime)s %(levelname)s %(message)s',
250+
'host': 'localhost',
251+
'port': 4443,
252+
'cert_base': '../../MiG-certificates',
253+
'cert_file': 'localhost.pem',
254+
#'configfile': '',
255+
'dav_cfg': {
256+
'verbose': False,
257+
'directory': '/tmp',
258+
'no_auth': False,
259+
'user': '',
260+
'password': '',
261+
'daemonize': False,
262+
'daemonaction': 'start',
263+
'counter': 0,
264+
'mysql': False,
265+
'lockemulation': True,
266+
'http_response_use_iterator': True,
267+
'chunked_http_response': True,
268+
'mimecheck': True,
269+
'baseurl': '',
270+
},
271+
}
272+
main(cfg)

‎mig/server/grid_sftp.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -4,7 +4,7 @@
44
# --- BEGIN_HEADER ---
55
#
66
# grid_sftp - SFTP server providing access to MiG user homes
7-
# Copyright (C) 2010-2012 The MiG Project lead by Brian Vinter
7+
# Copyright (C) 2010-2013 The MiG Project lead by Brian Vinter
88
#
99
# This file is part of MiG.
1010
#

0 commit comments

Comments
 (0)
Please sign in to comment.