mirror of
https://github.com/moparisthebest/HttpUploadComponent
synced 2024-11-24 09:52:15 -05:00
Merge pull request #23 from chaotix-/remove-old-uploads
Add expiry and user quotas
This commit is contained in:
commit
6ea1a86e24
30
README.md
30
README.md
@ -37,6 +37,36 @@ config file.
|
|||||||
For the configuration of the XMPP server side have a look into the contrib
|
For the configuration of the XMPP server side have a look into the contrib
|
||||||
directory or check the server documentation.
|
directory or check the server documentation.
|
||||||
|
|
||||||
|
#### Expiry and user quotas
|
||||||
|
|
||||||
|
Expiry and user quotas are controlled by four config options:
|
||||||
|
|
||||||
|
```expire_interval``` determines how often (in seconds) files should be
|
||||||
|
deleted. As every expiry run needs to check all uploaded files of all
|
||||||
|
users this should not be set too small.
|
||||||
|
|
||||||
|
Files older than ```expire_maxage``` (in seconds) will be deleted by an
|
||||||
|
expiry run. Set this to ```0``` to disable deletions based on file age.
|
||||||
|
|
||||||
|
After an expiry run at most ```user_quota_soft``` space (in bytes) will be
|
||||||
|
occupied per user. The oldest files will be deleted first until the occupied
|
||||||
|
space is less than ```user_quota_soft```. Set this to ```0``` to disable
|
||||||
|
file deletions based on a users occupied space.
|
||||||
|
|
||||||
|
```user_quota_hard``` sets a hard limit how much space (in bytes) a user
|
||||||
|
may occupy. If an upload would make his files exceed this size it will be
|
||||||
|
rejected. This setting is not dependend on ```expire_interval```. Set
|
||||||
|
this to ```0``` to disable upload rejection based on occupied space.
|
||||||
|
|
||||||
|
```expire_maxage``` and ```user_quota_soft``` depend on ```expire_interval```.
|
||||||
|
|
||||||
|
```user_quota_hard``` is honoured even without expiry runs. But some kind
|
||||||
|
of expiry is recommended otherwise a user will not be able to upload
|
||||||
|
anymore files once his hard quota is reached.
|
||||||
|
|
||||||
|
The difference between ```user_quota_hard``` and ```user_quota_soft```
|
||||||
|
determines how much a user may upload per ```expire_interval```.
|
||||||
|
|
||||||
### Run
|
### Run
|
||||||
|
|
||||||
Running the component is as easy as invoking ```python server.py```
|
Running the component is as easy as invoking ```python server.py```
|
||||||
|
@ -9,3 +9,9 @@ http_address: 127.0.0.1 #use 0.0.0.0 if you don't want to use a proxy
|
|||||||
http_port: 8080
|
http_port: 8080
|
||||||
get_url : http://upload.yoursite.tld:8080
|
get_url : http://upload.yoursite.tld:8080
|
||||||
put_url : http://upload.yoursite.tld:8080
|
put_url : http://upload.yoursite.tld:8080
|
||||||
|
#keyfile: /etc/ssl/private/your.key
|
||||||
|
#certfile: /etc/ssl/certs/your.crt
|
||||||
|
expire_interval: 82800 #time in secs between expiry runs (82800 secs = 23 hours). set to '0' to disable
|
||||||
|
expire_maxage: 2592000 #files older than this (in secs) get deleted by expiry runs (2592000 = 30 days)
|
||||||
|
user_quota_hard: 104857600 #100MiB. set to '0' to disable rejection on uploads over hard quota
|
||||||
|
user_quota_soft: 78643200 #75MiB. set to '0' to disable deletion of old uploads over soft quota an expiry runs
|
||||||
|
142
server.py
142
server.py
@ -10,9 +10,12 @@ import random
|
|||||||
import shutil
|
import shutil
|
||||||
import ssl
|
import ssl
|
||||||
import string
|
import string
|
||||||
|
import sys
|
||||||
|
import time
|
||||||
import yaml
|
import yaml
|
||||||
|
|
||||||
from sleekxmpp.componentxmpp import ComponentXMPP
|
from sleekxmpp.componentxmpp import ComponentXMPP
|
||||||
|
from threading import Event
|
||||||
from threading import Lock
|
from threading import Lock
|
||||||
|
|
||||||
try:
|
try:
|
||||||
@ -43,6 +46,7 @@ LOGLEVEL=logging.DEBUG
|
|||||||
global files
|
global files
|
||||||
global files_lock
|
global files_lock
|
||||||
global config
|
global config
|
||||||
|
global quotas
|
||||||
|
|
||||||
def normalize_path(path):
|
def normalize_path(path):
|
||||||
"""
|
"""
|
||||||
@ -51,6 +55,78 @@ def normalize_path(path):
|
|||||||
"""
|
"""
|
||||||
return os.path.normcase(os.path.normpath(path))
|
return os.path.normcase(os.path.normpath(path))
|
||||||
|
|
||||||
|
def expire(quotaonly=False, kill_event=None):
|
||||||
|
"""
|
||||||
|
Expire all files over 'user_quota_soft' and older than 'expire_maxage'
|
||||||
|
|
||||||
|
- quotaonly - If true don't delete anything just calculate the
|
||||||
|
used space per user and return. Otherwise make an exiry run
|
||||||
|
every config['expire_interval'] seconds.
|
||||||
|
- kill_event - threading.Event to listen to. When set, quit to
|
||||||
|
prevent hanging on KeyboardInterrupt. Only applicable when
|
||||||
|
quotaonly = False
|
||||||
|
"""
|
||||||
|
global config
|
||||||
|
global quotas
|
||||||
|
|
||||||
|
while True:
|
||||||
|
if not quotaonly:
|
||||||
|
# Wait expire_interval secs or return on kill_event
|
||||||
|
if kill_event.wait(config['expire_interval']):
|
||||||
|
return
|
||||||
|
|
||||||
|
now = time.time()
|
||||||
|
# Scan each senders upload directories seperatly
|
||||||
|
for sender in os.listdir(config['storage_path']):
|
||||||
|
senderdir = os.path.join(config['storage_path'], sender)
|
||||||
|
quota = 0
|
||||||
|
filelist = []
|
||||||
|
# Traverse sender directory, delete anything older expire_maxage and collect file stats.
|
||||||
|
for dirname, dirs, files in os.walk(senderdir, topdown=False):
|
||||||
|
removed = []
|
||||||
|
for name in files:
|
||||||
|
fullname = os.path.join(dirname, name)
|
||||||
|
stats = os.stat(fullname)
|
||||||
|
if not quotaonly:
|
||||||
|
if now - stats.st_mtime > config['expire_maxage']:
|
||||||
|
logging.debug('Expiring %s. Age: %s', fullname, now - stats.st_mtime)
|
||||||
|
try:
|
||||||
|
os.unlink(fullname)
|
||||||
|
removed += [name]
|
||||||
|
except OSError as e:
|
||||||
|
logging.warning("Exception '%s' deleting file '%s'.", e, fullname)
|
||||||
|
quota += stats.st_size
|
||||||
|
filelist += [(stats.st_mtime, fullname, stats.st_size)]
|
||||||
|
else:
|
||||||
|
quota += stats.st_size
|
||||||
|
filelist += [(stats.st_mtime, fullname, stats.st_size)]
|
||||||
|
if dirs == [] and removed == files: # Directory is empty, so we can remove it
|
||||||
|
logging.debug('Removing directory %s.', dirname)
|
||||||
|
try:
|
||||||
|
os.rmdir(dirname)
|
||||||
|
except OSError as e:
|
||||||
|
logging.warning("Exception '%s' deleting directory '%s'.", e, dirname)
|
||||||
|
|
||||||
|
if not quotaonly and config['user_quota_soft']:
|
||||||
|
# Delete oldest files of sender until occupied space is <= user_quota_soft
|
||||||
|
filelist.sort()
|
||||||
|
while quota > config['user_quota_soft']:
|
||||||
|
entry = filelist[0]
|
||||||
|
try:
|
||||||
|
logging.debug('user_quota_soft exceeded. Removing %s. Age: %s', entry[1], now - entry[0])
|
||||||
|
os.unlink(entry[1])
|
||||||
|
quota -= entry[2]
|
||||||
|
except OSError as e:
|
||||||
|
logging.warning("Exception '%s' deleting file '%s'.", e, entry[1])
|
||||||
|
filelist.pop(0)
|
||||||
|
quotas[sender] = quota
|
||||||
|
|
||||||
|
logging.debug('Expire run finished in %fs', time.time() - now)
|
||||||
|
|
||||||
|
if quotaonly:
|
||||||
|
return
|
||||||
|
|
||||||
|
|
||||||
class MissingComponent(ComponentXMPP):
|
class MissingComponent(ComponentXMPP):
|
||||||
def __init__(self, jid, secret):
|
def __init__(self, jid, secret):
|
||||||
ComponentXMPP.__init__(self, jid, secret, "localhost", 5347)
|
ComponentXMPP.__init__(self, jid, secret, "localhost", 5347)
|
||||||
@ -71,6 +147,11 @@ class MissingComponent(ComponentXMPP):
|
|||||||
elif 'whitelist' not in config or iq['from'].domain in config['whitelist']:
|
elif 'whitelist' not in config or iq['from'].domain in config['whitelist']:
|
||||||
sender = iq['from'].bare
|
sender = iq['from'].bare
|
||||||
sender_hash = hashlib.sha1(sender.encode()).hexdigest()
|
sender_hash = hashlib.sha1(sender.encode()).hexdigest()
|
||||||
|
if config['user_quota_hard'] and quotas.setdefault(sender_hash, 0) + int(request['size']) > config['user_quota_hard']:
|
||||||
|
msg = 'quota would be exceeded. max file size is %d' % (config['user_quota_hard'] - quotas[sender_hash])
|
||||||
|
logging.debug(msg)
|
||||||
|
self._sendError(iq, 'modify', 'not-acceptable', msg)
|
||||||
|
return
|
||||||
filename = request['filename']
|
filename = request['filename']
|
||||||
folder = ''.join(random.SystemRandom().choice(string.ascii_uppercase + string.digits) for _ in range(len(sender_hash)))
|
folder = ''.join(random.SystemRandom().choice(string.ascii_uppercase + string.digits) for _ in range(len(sender_hash)))
|
||||||
sane_filename = "".join([c for c in filename if c.isalpha() or c.isdigit() or c=="."]).rstrip()
|
sane_filename = "".join([c for c in filename if c.isalpha() or c.isdigit() or c=="."]).rstrip()
|
||||||
@ -85,7 +166,7 @@ class MissingComponent(ComponentXMPP):
|
|||||||
reply['slot']['put'] = os.path.join(config['put_url'], path)
|
reply['slot']['put'] = os.path.join(config['put_url'], path)
|
||||||
reply.send()
|
reply.send()
|
||||||
else:
|
else:
|
||||||
self. _sendError(iq,'cancel','not-allowed','not allowed to request upload slots')
|
self._sendError(iq,'cancel','not-allowed','not allowed to request upload slots')
|
||||||
|
|
||||||
def _sendError(self, iq, error_type, condition, text):
|
def _sendError(self, iq, error_type, condition, text):
|
||||||
reply = iq.reply()
|
reply = iq.reply()
|
||||||
@ -104,6 +185,9 @@ class HttpHandler(BaseHTTPRequestHandler):
|
|||||||
path = normalize_path(self.path[1:])
|
path = normalize_path(self.path[1:])
|
||||||
length = int(self.headers['Content-Length'])
|
length = int(self.headers['Content-Length'])
|
||||||
maxfilesize = int(config['max_file_size'])
|
maxfilesize = int(config['max_file_size'])
|
||||||
|
if config['user_quota_hard']:
|
||||||
|
sender_hash = path.split('/')[0]
|
||||||
|
maxfilesize = min(maxfilesize, config['user_quota_hard'] - quotas.setdefault(sender_hash, 0))
|
||||||
if maxfilesize < length:
|
if maxfilesize < length:
|
||||||
self.send_response(400,'file too large')
|
self.send_response(400,'file too large')
|
||||||
self.end_headers()
|
self.end_headers()
|
||||||
@ -119,7 +203,10 @@ class HttpHandler(BaseHTTPRequestHandler):
|
|||||||
with open(filename,'wb') as f:
|
with open(filename,'wb') as f:
|
||||||
data = self.rfile.read(min(4096,remaining))
|
data = self.rfile.read(min(4096,remaining))
|
||||||
while data and remaining >= 0:
|
while data and remaining >= 0:
|
||||||
remaining -= len(data)
|
databytes = len(data)
|
||||||
|
remaining -= databytes
|
||||||
|
if config['user_quota_hard']:
|
||||||
|
quotas[sender_hash] += databytes
|
||||||
f.write(data)
|
f.write(data)
|
||||||
data = self.rfile.read(min(4096,remaining))
|
data = self.rfile.read(min(4096,remaining))
|
||||||
self.send_response(200,'ok')
|
self.send_response(200,'ok')
|
||||||
@ -165,10 +252,6 @@ class ThreadedHTTPServer(ThreadingMixIn, HTTPServer):
|
|||||||
"""Handle requests in a separate thread."""
|
"""Handle requests in a separate thread."""
|
||||||
|
|
||||||
if __name__ == "__main__":
|
if __name__ == "__main__":
|
||||||
global files
|
|
||||||
global files_lock
|
|
||||||
global config
|
|
||||||
|
|
||||||
parser = argparse.ArgumentParser()
|
parser = argparse.ArgumentParser()
|
||||||
parser.add_argument("-c", "--config", default='config.yml', help='Specify alternate config file.')
|
parser.add_argument("-c", "--config", default='config.yml', help='Specify alternate config file.')
|
||||||
parser.add_argument("-l", "--logfile", default=None, help='File where the server log will be stored. If not specified log to stdout.')
|
parser.add_argument("-l", "--logfile", default=None, help='File where the server log will be stored. If not specified log to stdout.')
|
||||||
@ -179,16 +262,59 @@ if __name__ == "__main__":
|
|||||||
|
|
||||||
files = set()
|
files = set()
|
||||||
files_lock = Lock()
|
files_lock = Lock()
|
||||||
|
kill_event = Event()
|
||||||
logging.basicConfig(level=LOGLEVEL,
|
logging.basicConfig(level=LOGLEVEL,
|
||||||
format='%(asctime)-24s %(levelname)-8s %(message)s',
|
format='%(asctime)-24s %(levelname)-8s %(message)s',
|
||||||
filename=args.logfile)
|
filename=args.logfile)
|
||||||
server = ThreadedHTTPServer((config['http_address'], config['http_port']), HttpHandler)
|
|
||||||
|
# Sanitize config['user_quota_*'] and calculate initial quotas
|
||||||
|
quotas = {}
|
||||||
|
try:
|
||||||
|
config['user_quota_hard'] = int(config.get('user_quota_hard', 0))
|
||||||
|
config['user_quota_soft'] = int(config.get('user_quota_soft', 0))
|
||||||
|
if config['user_quota_soft'] or config['user_quota_hard']:
|
||||||
|
expire(quotaonly=True)
|
||||||
|
except ValueError:
|
||||||
|
logging.warning("Invalid user_quota_hard ('%s') or user_quota_soft ('%s'). Quotas disabled.", config['user_quota_soft'], config['user_quota_soft'])
|
||||||
|
config['user_quota_soft'] = 0
|
||||||
|
config['user_quota_hard'] = 0
|
||||||
|
|
||||||
|
# Sanitize config['expire_*'] and start expiry thread
|
||||||
|
try:
|
||||||
|
config['expire_interval'] = float(config.get('expire_interval', 0))
|
||||||
|
config['expire_maxage'] = float(config.get('expire_maxage', 0))
|
||||||
|
if config['expire_interval'] > 0 and (config['user_quota_soft'] or config['expire_maxage']):
|
||||||
|
t = Thread(target=expire, kwargs={'kill_event': kill_event})
|
||||||
|
t.start()
|
||||||
|
else:
|
||||||
|
logging.info('Expiring disabled.')
|
||||||
|
except ValueError:
|
||||||
|
logging.warning("Invalid expire_interval ('%s') or expire_maxage ('%s') set in config file. Expiring disabled.",
|
||||||
|
config['expire_interval'], config['expire_maxage'])
|
||||||
|
|
||||||
|
try:
|
||||||
|
server = ThreadedHTTPServer((config['http_address'], config['http_port']), HttpHandler)
|
||||||
|
except Exception as e:
|
||||||
|
import traceback
|
||||||
|
logging.debug(traceback.format_exc())
|
||||||
|
kill_event.set()
|
||||||
|
sys.exit(1)
|
||||||
|
|
||||||
if 'keyfile' in config and 'certfile' in config:
|
if 'keyfile' in config and 'certfile' in config:
|
||||||
server.socket = ssl.wrap_socket(server.socket, keyfile=config['keyfile'], certfile=config['certfile'])
|
server.socket = ssl.wrap_socket(server.socket, keyfile=config['keyfile'], certfile=config['certfile'])
|
||||||
xmpp = MissingComponent(config['jid'],config['secret'])
|
xmpp = MissingComponent(config['jid'],config['secret'])
|
||||||
if xmpp.connect():
|
if xmpp.connect():
|
||||||
xmpp.process()
|
xmpp.process()
|
||||||
print("connected")
|
print("connected")
|
||||||
server.serve_forever()
|
try:
|
||||||
|
server.serve_forever()
|
||||||
|
except (KeyboardInterrupt, Exception) as e:
|
||||||
|
if e == KeyboardInterrupt:
|
||||||
|
logging.debug('Ctrl+C pressed')
|
||||||
|
else:
|
||||||
|
import traceback
|
||||||
|
logging.debug(traceback.format_exc())
|
||||||
|
kill_event.set()
|
||||||
else:
|
else:
|
||||||
print("unable to connect")
|
print("unable to connect")
|
||||||
|
kill_event.set()
|
||||||
|
Loading…
Reference in New Issue
Block a user