2016-03-15 08:51:06 -05:00
|
|
|
#!/usr/bin/env python3
|
2015-11-01 14:08:45 -06:00
|
|
|
#
|
|
|
|
# Bookmark management utility
|
|
|
|
#
|
|
|
|
# Copyright (C) 2015 Arun Prakash Jana <engineerarun@gmail.com>
|
|
|
|
#
|
|
|
|
# This program is free software: you can redistribute it and/or modify
|
|
|
|
# it under the terms of the GNU General Public License as published by
|
|
|
|
# the Free Software Foundation, either version 3 of the License, or
|
|
|
|
# (at your option) any later version.
|
|
|
|
#
|
|
|
|
# This program is distributed in the hope that it will be useful,
|
|
|
|
# but WITHOUT ANY WARRANTY; without even the implied warranty of
|
|
|
|
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
|
|
|
# GNU General Public License for more details.
|
|
|
|
#
|
|
|
|
# You should have received a copy of the GNU General Public License
|
2015-12-19 14:16:24 -06:00
|
|
|
# along with buku. If not, see <http://www.gnu.org/licenses/>.
|
2015-11-01 14:04:41 -06:00
|
|
|
|
2015-11-04 08:11:16 -06:00
|
|
|
import sys
|
2015-11-06 14:26:08 -06:00
|
|
|
import os
|
2015-11-01 14:04:41 -06:00
|
|
|
import sqlite3
|
2016-04-24 14:19:32 -05:00
|
|
|
import argparse
|
2015-11-06 13:26:20 -06:00
|
|
|
import readline
|
2015-11-06 13:59:57 -06:00
|
|
|
import webbrowser
|
2015-11-06 16:32:08 -06:00
|
|
|
import html.parser as HTMLParser
|
2016-04-04 04:50:23 -05:00
|
|
|
from http.client import HTTPConnection, HTTPSConnection
|
2016-04-09 04:22:31 -05:00
|
|
|
from urllib.parse import urljoin, quote, unquote
|
2016-04-09 06:52:47 -05:00
|
|
|
import gzip
|
|
|
|
import io
|
2016-03-16 10:10:55 -05:00
|
|
|
import signal
|
2015-11-04 08:11:16 -06:00
|
|
|
|
2015-12-19 10:23:29 -06:00
|
|
|
# Import libraries needed for encryption
|
2015-12-19 09:02:55 -06:00
|
|
|
try:
|
2015-12-19 10:23:29 -06:00
|
|
|
import getpass
|
2015-12-19 09:02:55 -06:00
|
|
|
import hashlib
|
|
|
|
from Crypto.Cipher import AES
|
|
|
|
from Crypto import Random
|
2015-12-19 10:23:29 -06:00
|
|
|
import struct
|
2015-12-19 09:02:55 -06:00
|
|
|
|
|
|
|
no_crypto = False
|
2015-12-19 13:55:05 -06:00
|
|
|
BLOCKSIZE = 65536
|
2015-12-20 13:00:34 -06:00
|
|
|
SALT_SIZE = 32
|
|
|
|
CHUNKSIZE = 0x80000 # Read/write 512 KB chunks
|
2015-12-19 09:02:55 -06:00
|
|
|
except ImportError:
|
|
|
|
no_crypto = True
|
|
|
|
|
2015-12-19 10:23:29 -06:00
|
|
|
|
2015-11-04 13:07:10 -06:00
|
|
|
# Globals
|
2016-04-05 23:55:25 -05:00
|
|
|
update = False # Update a bookmark in DB
|
2016-05-18 12:23:08 -05:00
|
|
|
tagsearch = False # Search bookmarks by tag
|
2016-04-05 23:55:25 -05:00
|
|
|
titleData = None # Title fetched from a page
|
|
|
|
titleManual = None # Manually add a title offline
|
2016-05-17 15:11:31 -05:00
|
|
|
description = None # Description of the bookmark
|
2016-04-17 11:07:26 -05:00
|
|
|
jsonOutput = False # Output json formatted result
|
2016-04-25 11:23:03 -05:00
|
|
|
showOpt = 0 # Modify show. 1: show only URL, 2: show URL and tag
|
2016-04-24 16:18:56 -05:00
|
|
|
debug = False # Enable debug logs
|
2016-04-05 23:55:25 -05:00
|
|
|
pipeargs = [] # Holds arguments piped to the program
|
2016-05-01 11:20:56 -05:00
|
|
|
_VERSION_ = 2.0 # Program version
|
2016-04-05 23:55:25 -05:00
|
|
|
|
|
|
|
|
2016-04-05 06:25:40 -05:00
|
|
|
class BMHTMLParser(HTMLParser.HTMLParser):
|
2016-04-05 23:39:56 -05:00
|
|
|
"""Class to parse and fetch the title from a HTML page, if available"""
|
|
|
|
|
2016-04-05 06:25:40 -05:00
|
|
|
def __init__(self):
|
|
|
|
HTMLParser.HTMLParser.__init__(self)
|
|
|
|
self.inTitle = False
|
|
|
|
self.data = ""
|
|
|
|
self.lasttag = None
|
|
|
|
|
|
|
|
def handle_starttag(self, tag, attrs):
|
|
|
|
self.inTitle = False
|
|
|
|
if tag == "title":
|
|
|
|
self.inTitle = True
|
|
|
|
self.lasttag = tag
|
|
|
|
|
|
|
|
def handle_endtag(self, tag):
|
|
|
|
global titleData
|
|
|
|
|
|
|
|
if tag == "title":
|
|
|
|
self.inTitle = False
|
|
|
|
if self.data != "":
|
|
|
|
titleData = self.data
|
|
|
|
self.reset() # We have received title data, exit parsing
|
|
|
|
|
|
|
|
def handle_data(self, data):
|
|
|
|
if self.lasttag == "title" and self.inTitle == True:
|
|
|
|
self.data += data
|
|
|
|
|
2016-04-10 02:09:51 -05:00
|
|
|
def error(self, message):
|
|
|
|
pass
|
|
|
|
|
2016-04-05 06:25:40 -05:00
|
|
|
|
2016-04-07 16:34:05 -05:00
|
|
|
def getDataPath():
|
2016-04-10 07:28:49 -05:00
|
|
|
"""Determine the DB file path:
|
|
|
|
if $XDG_DATA_HOME is defined, use it
|
|
|
|
else if $HOME exists, use it
|
|
|
|
else use the current directory
|
|
|
|
"""
|
|
|
|
|
2016-04-07 16:34:05 -05:00
|
|
|
data_home = os.environ.get('XDG_DATA_HOME')
|
|
|
|
if data_home is None:
|
|
|
|
if os.environ.get('HOME') is None:
|
|
|
|
data_home = '.'
|
|
|
|
else:
|
|
|
|
data_home = os.path.join(os.environ.get('HOME'), '.local', 'share')
|
|
|
|
|
|
|
|
return os.path.join(data_home, 'buku')
|
|
|
|
|
|
|
|
|
2016-04-08 07:38:40 -05:00
|
|
|
def moveOldDatabase():
|
2016-04-10 07:28:49 -05:00
|
|
|
"""Move database file from earlier path used in versions <= 1.8
|
|
|
|
to new path. Errors out if both the old and new DB files exist.
|
|
|
|
"""
|
|
|
|
|
2016-04-08 07:38:40 -05:00
|
|
|
olddbpath = os.path.join(os.environ.get('HOME'), '.cache', 'buku')
|
|
|
|
olddbfile = os.path.join(olddbpath, 'bookmarks.db')
|
|
|
|
|
|
|
|
if not os.path.exists(olddbfile):
|
|
|
|
return
|
|
|
|
|
|
|
|
newdbpath = getDataPath()
|
|
|
|
newdbfile = os.path.join(newdbpath, 'bookmarks.db')
|
|
|
|
|
|
|
|
if os.path.exists(newdbfile):
|
|
|
|
print("Both old (%s) and new (%s) databases exist, need manual action" % (olddbfile, newdbfile))
|
|
|
|
sys.exit(1)
|
|
|
|
|
|
|
|
if not os.path.exists(newdbpath):
|
|
|
|
os.makedirs(newdbpath)
|
|
|
|
|
2016-05-14 10:29:03 -05:00
|
|
|
os.rename(olddbfile, newdbfile)
|
2016-04-08 09:15:47 -05:00
|
|
|
print("Database was moved from old (%s) to new (%s) location.\n" % (olddbfile, newdbfile))
|
2016-04-08 07:38:40 -05:00
|
|
|
|
|
|
|
os.rmdir(olddbpath)
|
2015-11-01 14:04:41 -06:00
|
|
|
|
2015-11-08 12:56:52 -06:00
|
|
|
|
2015-11-05 09:18:51 -06:00
|
|
|
def initdb():
|
2016-04-05 06:25:40 -05:00
|
|
|
"""Initialize the database connection. Create DB file and/or bookmarks table
|
|
|
|
if they don't exist. Alert on encryption options on first execution.
|
|
|
|
|
|
|
|
Returns: connection, cursor
|
|
|
|
"""
|
|
|
|
|
2016-04-07 16:34:05 -05:00
|
|
|
dbpath = getDataPath()
|
2015-11-09 23:04:34 -06:00
|
|
|
if not os.path.exists(dbpath):
|
|
|
|
os.makedirs(dbpath)
|
|
|
|
|
2016-03-24 13:47:57 -05:00
|
|
|
dbfile = os.path.join(dbpath, 'bookmarks.db')
|
|
|
|
|
2015-12-19 12:49:44 -06:00
|
|
|
encpath = os.path.join(dbpath, 'bookmarks.db.enc')
|
2016-03-24 13:47:57 -05:00
|
|
|
# Notify if DB file needs to be decrypted first
|
|
|
|
if os.path.exists(encpath) and not os.path.exists(dbfile):
|
2015-12-19 12:49:44 -06:00
|
|
|
print("Unlock database first")
|
|
|
|
sys.exit(1)
|
|
|
|
|
2016-03-24 13:47:57 -05:00
|
|
|
# Show info on first creation
|
|
|
|
if no_crypto == False and not os.path.exists(dbfile):
|
|
|
|
print("DB file is being created. You may want to encrypt it later.")
|
|
|
|
|
2016-05-07 10:56:20 -05:00
|
|
|
try:
|
|
|
|
# Create a connection
|
|
|
|
conn = sqlite3.connect(dbfile)
|
|
|
|
cur = conn.cursor()
|
|
|
|
|
|
|
|
# Create table if it doesn't exist
|
|
|
|
cur.execute('''CREATE TABLE if not exists bookmarks \
|
2016-05-17 15:11:31 -05:00
|
|
|
(id integer PRIMARY KEY, URL text NOT NULL UNIQUE, metadata text, tags text, desc text)''')
|
2016-05-07 10:56:20 -05:00
|
|
|
conn.commit()
|
|
|
|
except Exception as e:
|
|
|
|
print("\x1b[1mEXCEPTION\x1b[21m [initdb]: (%s) %s" % (type(e).__name__, e))
|
|
|
|
sys.exit(1)
|
|
|
|
|
2016-05-17 15:11:31 -05:00
|
|
|
# Add description column in existing DB (from version 2.1)
|
|
|
|
try:
|
|
|
|
cur.execute("""ALTER TABLE bookmarks ADD COLUMN desc text default \'\'""")
|
|
|
|
conn.commit()
|
|
|
|
except:
|
|
|
|
pass
|
|
|
|
|
2015-11-05 09:18:51 -06:00
|
|
|
return (conn, cur)
|
|
|
|
|
2015-11-08 12:56:52 -06:00
|
|
|
|
2016-04-09 09:10:30 -05:00
|
|
|
def getPageResp(url, fullurl=False):
|
2016-04-05 06:25:40 -05:00
|
|
|
"""Connect to a server and fetch the requested page data.
|
2016-04-09 06:52:47 -05:00
|
|
|
Supports gzip compression.
|
2016-04-10 07:41:00 -05:00
|
|
|
|
2016-04-05 06:25:40 -05:00
|
|
|
Params: URL to fetch, redirection status
|
|
|
|
Returns: connection, HTTP(S) GET response
|
|
|
|
"""
|
|
|
|
|
2016-03-25 01:17:20 -05:00
|
|
|
if url.find("%20") != -1:
|
2016-04-19 12:02:15 -05:00
|
|
|
url = unquote(url).replace(" ", "%20")
|
2016-03-25 01:17:20 -05:00
|
|
|
else:
|
|
|
|
url = unquote(url)
|
2016-03-25 03:02:43 -05:00
|
|
|
|
|
|
|
if debug:
|
|
|
|
print("unquoted: %s" % url)
|
2016-03-25 01:17:20 -05:00
|
|
|
|
2016-03-23 09:58:21 -05:00
|
|
|
if url.find("https://") >= 0: # Secure connection
|
2016-03-22 15:23:46 -05:00
|
|
|
server = url[8:]
|
2016-03-23 09:58:21 -05:00
|
|
|
marker = server.find("/")
|
|
|
|
if marker > 0:
|
2016-04-09 09:10:30 -05:00
|
|
|
if fullurl == False:
|
2016-03-23 09:58:21 -05:00
|
|
|
url = server[marker:]
|
|
|
|
server = server[:marker]
|
|
|
|
urlconn = HTTPSConnection(server, timeout=30)
|
|
|
|
elif url.find("http://") >= 0: # Insecure connection
|
2016-03-22 15:23:46 -05:00
|
|
|
server = url[7:]
|
2016-03-23 09:58:21 -05:00
|
|
|
marker = server.find("/")
|
|
|
|
if marker > 0:
|
2016-04-09 09:10:30 -05:00
|
|
|
if fullurl == False:
|
2016-03-23 09:58:21 -05:00
|
|
|
url = server[marker:]
|
|
|
|
server = server[:marker]
|
|
|
|
urlconn = HTTPConnection(server, timeout=30)
|
2016-03-22 15:23:46 -05:00
|
|
|
else:
|
2016-04-01 09:56:00 -05:00
|
|
|
printmsg("Not a valid HTTP(S) url", "WARNING")
|
2016-05-01 12:49:02 -05:00
|
|
|
if url.find(":") == -1:
|
|
|
|
printmsg("Doesn't appear to be a valid url either", "WARNING")
|
2016-03-23 09:58:21 -05:00
|
|
|
return (None, None)
|
2016-03-22 15:23:46 -05:00
|
|
|
|
2016-03-23 09:58:21 -05:00
|
|
|
if debug:
|
2016-04-14 09:04:02 -05:00
|
|
|
print("server [%s] url [%s]" % (server, url))
|
2016-03-23 09:58:21 -05:00
|
|
|
|
2016-04-09 04:22:31 -05:00
|
|
|
# Handle URLs passed with %xx escape
|
|
|
|
try:
|
|
|
|
url.encode('ascii')
|
|
|
|
except:
|
|
|
|
url = quote(url)
|
|
|
|
|
2016-04-09 06:52:47 -05:00
|
|
|
urlconn.request("GET", url, None, {
|
|
|
|
"Accept-encoding": "gzip",
|
|
|
|
})
|
2016-04-09 08:11:46 -05:00
|
|
|
return (urlconn, urlconn.getresponse())
|
2016-03-23 09:58:21 -05:00
|
|
|
|
|
|
|
|
2016-04-05 06:25:40 -05:00
|
|
|
def getTitleData(resp):
|
|
|
|
"""Invoke HTML parser and extract title from HTTP response
|
2016-04-10 07:41:00 -05:00
|
|
|
|
2016-04-05 06:25:40 -05:00
|
|
|
Params: GET response
|
|
|
|
"""
|
|
|
|
|
2016-04-09 06:52:47 -05:00
|
|
|
data = None
|
2016-04-05 06:25:40 -05:00
|
|
|
charset = resp.headers.get_content_charset()
|
2016-04-09 06:52:47 -05:00
|
|
|
|
|
|
|
if resp.headers.get('Content-Encoding') == 'gzip':
|
2016-04-10 02:09:51 -05:00
|
|
|
if debug:
|
|
|
|
print("gzip response")
|
2016-04-09 06:52:47 -05:00
|
|
|
data = gzip.GzipFile(fileobj=io.BytesIO(resp.read())).read()
|
|
|
|
else:
|
|
|
|
data = resp.read()
|
|
|
|
|
2016-04-05 06:25:40 -05:00
|
|
|
if charset == None:
|
|
|
|
charset = 'utf-8'
|
2016-04-14 09:04:02 -05:00
|
|
|
if debug:
|
|
|
|
printmsg("Charset missing in response", "WARNING")
|
|
|
|
|
2016-04-05 06:25:40 -05:00
|
|
|
if debug:
|
|
|
|
print("charset: %s" % charset)
|
|
|
|
|
|
|
|
parser = BMHTMLParser()
|
|
|
|
try:
|
|
|
|
if charset == 'utf-8':
|
2016-04-09 06:52:47 -05:00
|
|
|
parser.feed(data.decode(charset, "replace"))
|
2016-04-05 06:25:40 -05:00
|
|
|
else:
|
2016-04-09 06:52:47 -05:00
|
|
|
parser.feed(data.decode(charset))
|
2016-04-05 06:25:40 -05:00
|
|
|
except Exception as e:
|
2016-04-10 00:07:16 -05:00
|
|
|
if debug and str(e) != "we should not get here!":
|
|
|
|
# Suppress Exception due to intentional self.reset() in HTMLParser
|
2016-04-09 12:39:00 -05:00
|
|
|
print("\x1b[1mEXCEPTION\x1b[21m [getTitleData]: (%s) %s" % (type(e).__name__, e))
|
2016-04-05 06:25:40 -05:00
|
|
|
|
|
|
|
|
2016-03-23 09:58:21 -05:00
|
|
|
def fetchTitle(url):
|
2016-04-05 06:25:40 -05:00
|
|
|
"""Handle server connection and redirections
|
2016-04-10 07:41:00 -05:00
|
|
|
|
2016-04-05 06:25:40 -05:00
|
|
|
Params: URL to fetch
|
|
|
|
Returns: page title or empty string, if not found
|
|
|
|
"""
|
|
|
|
|
2016-03-23 09:58:21 -05:00
|
|
|
global titleData
|
2016-03-24 13:02:39 -05:00
|
|
|
titleData = None
|
2016-03-23 09:58:21 -05:00
|
|
|
urlconn = None
|
2016-04-09 08:43:12 -05:00
|
|
|
retry = False
|
2016-03-22 15:23:46 -05:00
|
|
|
|
|
|
|
try:
|
2016-04-05 07:40:05 -05:00
|
|
|
urlconn, resp = getPageResp(url, False)
|
2016-03-23 09:58:21 -05:00
|
|
|
|
2016-03-24 15:38:38 -05:00
|
|
|
while 1:
|
|
|
|
if resp is None:
|
|
|
|
break
|
2016-04-09 23:47:09 -05:00
|
|
|
elif resp.status == 200:
|
2016-03-24 15:38:38 -05:00
|
|
|
getTitleData(resp)
|
|
|
|
break
|
2016-04-09 23:47:09 -05:00
|
|
|
elif resp.status in [301, 302]:
|
2016-03-25 01:17:20 -05:00
|
|
|
redirurl = urljoin(url, resp.getheader('location', ''))
|
2016-04-01 09:56:00 -05:00
|
|
|
printmsg(redirurl, "REDIRECTION")
|
2016-03-22 15:23:46 -05:00
|
|
|
|
2016-04-10 08:01:11 -05:00
|
|
|
if redirurl.find("sorry/IndexRedirect?") >= 0: # gracefully handle Google blocks
|
2016-04-01 09:56:00 -05:00
|
|
|
printmsg("Connection blocked due to unusual activity", "ERROR")
|
2016-03-24 15:38:38 -05:00
|
|
|
break
|
2016-03-25 01:17:20 -05:00
|
|
|
|
|
|
|
marker = redirurl.find("redirectUrl=")
|
|
|
|
if marker != -1:
|
|
|
|
redirurl = redirurl[marker + 12:]
|
|
|
|
|
|
|
|
# break same URL redirection loop
|
|
|
|
if url == redirurl:
|
2016-04-01 09:56:00 -05:00
|
|
|
printmsg("Detected repeated redirection to same URL", "ERROR")
|
2016-03-25 01:17:20 -05:00
|
|
|
break
|
|
|
|
|
|
|
|
url = redirurl
|
|
|
|
urlconn.close()
|
2016-04-09 09:10:30 -05:00
|
|
|
# Try with complete URL on redirection
|
2016-04-05 07:40:05 -05:00
|
|
|
urlconn, resp = getPageResp(url, True)
|
2016-04-09 23:47:09 -05:00
|
|
|
elif resp.status == 500 and retry == False:
|
2016-04-09 08:43:12 -05:00
|
|
|
"""Retry on status 500 (Internal Server Error) with truncated
|
|
|
|
URL. Some servers support truncated request URL on redirection.
|
|
|
|
"""
|
|
|
|
urlconn.close()
|
|
|
|
if debug:
|
|
|
|
print("Received status 500: retrying.")
|
|
|
|
urlconn, resp = getPageResp(url, False)
|
|
|
|
retry = True
|
2016-03-24 15:38:38 -05:00
|
|
|
else:
|
2016-04-01 09:56:00 -05:00
|
|
|
printmsg(("[" + str(resp.status) + "] " + resp.reason), "ERROR")
|
2016-03-24 15:38:38 -05:00
|
|
|
break
|
2016-03-22 15:23:46 -05:00
|
|
|
except Exception as e:
|
2016-04-09 12:39:00 -05:00
|
|
|
print("\x1b[1mEXCEPTION\x1b[21m [fetchTitle]: (%s) %s" % (type(e).__name__, e))
|
2016-03-22 15:23:46 -05:00
|
|
|
finally:
|
2016-03-23 09:58:21 -05:00
|
|
|
if urlconn is not None:
|
|
|
|
urlconn.close()
|
|
|
|
if titleData is None:
|
|
|
|
return ''
|
2016-03-22 15:38:35 -05:00
|
|
|
return titleData.strip().replace("\n","")
|
2016-03-22 15:23:46 -05:00
|
|
|
|
|
|
|
|
2016-04-10 06:45:11 -05:00
|
|
|
def isBookmarkAdded(cur, url):
|
|
|
|
"""Check if URL already exists in DB
|
|
|
|
|
|
|
|
Params: cursor, URL to search
|
|
|
|
Returns: DB index if URL found, else -1
|
|
|
|
"""
|
|
|
|
|
|
|
|
cur.execute("SELECT id FROM bookmarks WHERE URL = ?", (url,))
|
|
|
|
resultset = cur.fetchall()
|
|
|
|
if len(resultset) == 0:
|
|
|
|
return -1
|
|
|
|
|
|
|
|
return resultset[0][0]
|
|
|
|
|
|
|
|
|
2016-04-25 08:06:23 -05:00
|
|
|
def AddUpdateEntry(conn, cur, keywords, updateindex, insertindex=0):
|
|
|
|
"""Add a new bookmark or update an existing record at
|
|
|
|
updateindex or insert a new record at insertindex (if empty)
|
2016-04-10 07:41:00 -05:00
|
|
|
|
2016-04-25 08:06:23 -05:00
|
|
|
Params: connection, cursor, keywords, index to update, index to insert at
|
2016-04-05 06:25:40 -05:00
|
|
|
"""
|
|
|
|
|
2016-03-03 11:49:43 -06:00
|
|
|
global titleManual
|
2016-05-17 15:11:31 -05:00
|
|
|
global description
|
2015-11-05 09:18:51 -06:00
|
|
|
tags = ','
|
2016-03-07 07:37:33 -06:00
|
|
|
meta = ''
|
2015-11-05 09:18:51 -06:00
|
|
|
url = keywords[0]
|
2016-03-07 07:37:33 -06:00
|
|
|
|
2016-04-10 06:45:11 -05:00
|
|
|
"""In case of an add or insert operation ensure
|
|
|
|
that the URL does not exist in DB already
|
|
|
|
"""
|
2016-04-25 11:23:03 -05:00
|
|
|
if updateindex == 0:
|
2016-04-10 06:45:11 -05:00
|
|
|
id = isBookmarkAdded(cur, url)
|
|
|
|
if id != -1:
|
|
|
|
print("URL already exists at index %d" % id)
|
|
|
|
return
|
|
|
|
|
2016-03-22 15:23:46 -05:00
|
|
|
# Cleanse and get the tags
|
2015-11-09 04:18:44 -06:00
|
|
|
if len(keywords) > 1:
|
|
|
|
for tag in keywords[1:]:
|
2016-03-16 10:49:35 -05:00
|
|
|
if tag[-1] == ',':
|
2016-04-19 12:02:15 -05:00
|
|
|
tag = tag.strip(',') + ',' # if delimiter is present, maintain it
|
2016-03-16 10:49:35 -05:00
|
|
|
else:
|
2016-03-24 13:02:39 -05:00
|
|
|
tag = tag.strip(',') # a token in a multi-word tag
|
2016-03-16 10:49:35 -05:00
|
|
|
|
2016-03-16 11:35:34 -05:00
|
|
|
if tag == ',':
|
|
|
|
continue
|
|
|
|
|
2016-03-16 10:49:35 -05:00
|
|
|
if tags[-1] == ',':
|
2015-11-09 04:18:44 -06:00
|
|
|
tags += tag
|
|
|
|
else:
|
2016-03-16 10:49:35 -05:00
|
|
|
tags += ' ' + tag
|
2015-11-05 09:18:51 -06:00
|
|
|
|
2016-03-16 10:49:35 -05:00
|
|
|
if tags[-1] != ',':
|
|
|
|
tags += ','
|
2015-11-05 09:18:51 -06:00
|
|
|
|
2016-04-25 08:06:23 -05:00
|
|
|
if titleManual is not None:
|
2016-04-27 12:56:57 -05:00
|
|
|
meta = titleManual
|
2016-04-21 09:24:06 -05:00
|
|
|
else:
|
2016-03-22 15:23:46 -05:00
|
|
|
meta = fetchTitle(url)
|
|
|
|
if meta == '':
|
|
|
|
print("\x1B[91mTitle: []\x1B[0m")
|
2015-11-07 01:19:13 -06:00
|
|
|
else:
|
2016-03-22 15:23:46 -05:00
|
|
|
print("Title: [%s]" % meta)
|
2015-11-06 16:32:08 -06:00
|
|
|
|
2016-04-25 11:23:03 -05:00
|
|
|
if updateindex == 0: # Add or insert a new entry
|
2016-05-17 15:11:31 -05:00
|
|
|
if description is None:
|
|
|
|
description = ''
|
|
|
|
|
2015-11-07 07:29:38 -06:00
|
|
|
try:
|
2016-04-25 08:06:23 -05:00
|
|
|
if insertindex == 0: # insertindex is index number to insert record at
|
2016-05-17 15:11:31 -05:00
|
|
|
cur.execute('INSERT INTO bookmarks(URL, metadata, tags, desc) VALUES (?, ?, ?, ?)', (url, meta, tags, description))
|
2015-11-07 12:10:21 -06:00
|
|
|
else:
|
2016-05-17 15:11:31 -05:00
|
|
|
cur.execute('INSERT INTO bookmarks(id, URL, metadata, tags, desc) VALUES (?, ?, ?, ?, ?)', (insertindex, url, meta, tags, description))
|
2015-11-07 07:29:38 -06:00
|
|
|
conn.commit()
|
2016-03-24 15:48:36 -05:00
|
|
|
print("Added at index %d\n" % cur.lastrowid)
|
2016-04-24 17:05:46 -05:00
|
|
|
printdb(cur, cur.lastrowid)
|
2015-11-07 07:29:38 -06:00
|
|
|
except sqlite3.IntegrityError:
|
2015-11-08 17:29:06 -06:00
|
|
|
for row in cur.execute("SELECT id from bookmarks where URL LIKE ?", (url,)):
|
|
|
|
print("URL already exists at index %s" % row[0])
|
|
|
|
return
|
|
|
|
|
2016-04-25 08:06:23 -05:00
|
|
|
print("Index %d exists" % insertindex)
|
2015-11-07 07:29:38 -06:00
|
|
|
else: # Update an existing entry
|
|
|
|
try:
|
2016-05-17 15:11:31 -05:00
|
|
|
if description is None:
|
|
|
|
cur.execute("UPDATE bookmarks SET URL = ?, metadata = ?, tags = ? WHERE id = ?", (url, meta, tags, updateindex,))
|
|
|
|
else:
|
|
|
|
cur.execute("UPDATE bookmarks SET URL = ?, metadata = ?, tags = ?, desc = ? WHERE id = ?", (url, meta, tags, description, updateindex,))
|
2015-11-07 07:29:38 -06:00
|
|
|
conn.commit()
|
|
|
|
if cur.rowcount == 1:
|
2016-04-25 11:23:03 -05:00
|
|
|
print("Updated index %d\n" % updateindex)
|
|
|
|
printdb(cur, updateindex)
|
2015-11-07 07:29:38 -06:00
|
|
|
else:
|
|
|
|
print("No matching index")
|
|
|
|
except sqlite3.IntegrityError:
|
|
|
|
print("URL already exists")
|
2015-11-05 09:18:51 -06:00
|
|
|
|
2015-11-08 12:56:52 -06:00
|
|
|
|
2016-04-21 22:12:17 -05:00
|
|
|
def dbRefresh(conn, cur, index):
|
2016-04-05 06:25:40 -05:00
|
|
|
"""Refresh ALL records in the database. Fetch title for each
|
|
|
|
bookmark from the web and update the records. Doesn't udpate
|
|
|
|
the record if title is empty.
|
|
|
|
This API doesn't change DB index, URL or tags of a bookmark.
|
2016-04-10 07:41:00 -05:00
|
|
|
|
2016-04-05 06:25:40 -05:00
|
|
|
Params: connection, cursor
|
|
|
|
"""
|
|
|
|
|
2016-04-21 23:53:38 -05:00
|
|
|
global titleManual
|
|
|
|
|
2016-04-21 22:12:17 -05:00
|
|
|
if index == 0:
|
|
|
|
cur.execute("SELECT id, url FROM bookmarks ORDER BY id ASC")
|
|
|
|
else:
|
|
|
|
cur.execute("SELECT id, url FROM bookmarks WHERE id = ?", (index,))
|
2016-04-21 23:53:38 -05:00
|
|
|
|
2016-03-24 13:47:57 -05:00
|
|
|
resultset = cur.fetchall()
|
2016-04-22 09:40:58 -05:00
|
|
|
if titleManual is None:
|
|
|
|
for row in resultset:
|
2016-04-21 23:53:38 -05:00
|
|
|
title = fetchTitle(row[1])
|
|
|
|
if title == '':
|
|
|
|
print("\x1B[91mTitle: []")
|
|
|
|
print("\x1b[1mNOT updating index %d\x1b[21m\x1B[0m\n" % row[0])
|
|
|
|
continue
|
|
|
|
else:
|
|
|
|
print("Title: [%s]" % title)
|
2016-04-22 09:40:58 -05:00
|
|
|
|
|
|
|
cur.execute("UPDATE bookmarks SET metadata = ? WHERE id = ?", (title, row[0],))
|
|
|
|
conn.commit()
|
|
|
|
print("Updated index %d\n" % row[0])
|
|
|
|
else:
|
2016-04-27 12:56:57 -05:00
|
|
|
title = titleManual
|
2016-03-24 13:47:57 -05:00
|
|
|
|
2016-04-22 09:40:58 -05:00
|
|
|
for row in resultset:
|
|
|
|
cur.execute("UPDATE bookmarks SET metadata = ? WHERE id = ?", (title, row[0],))
|
|
|
|
conn.commit()
|
|
|
|
print("Updated index %d\n" % row[0])
|
2016-03-24 13:47:57 -05:00
|
|
|
|
|
|
|
|
2016-04-24 15:33:59 -05:00
|
|
|
def searchdb(cur, keywords, all_keywords=False):
|
2016-04-05 06:25:40 -05:00
|
|
|
"""Search the database for an entries with tags or URL
|
|
|
|
or title info matching keywords and list those.
|
2016-04-10 07:41:00 -05:00
|
|
|
|
2016-04-25 08:06:23 -05:00
|
|
|
Params: cursor, keywords to search, search any or all keywords
|
2016-04-05 06:25:40 -05:00
|
|
|
"""
|
|
|
|
|
2016-03-22 18:33:13 -05:00
|
|
|
global jsonOutput
|
2015-11-08 11:44:35 -06:00
|
|
|
arguments = []
|
|
|
|
placeholder = "'%' || ? || '%'"
|
2016-05-17 15:11:31 -05:00
|
|
|
query = "SELECT id, url, metadata, tags, desc FROM bookmarks WHERE"
|
2016-04-19 13:32:28 -05:00
|
|
|
|
2016-04-24 15:33:59 -05:00
|
|
|
if all_keywords == True: # Match all keywords in URL or Title
|
2015-11-11 05:41:53 -06:00
|
|
|
for token in keywords:
|
2016-05-17 15:11:31 -05:00
|
|
|
query += " (tags LIKE (%s) OR URL LIKE (%s) OR metadata LIKE (%s) OR desc LIKE (%s)) AND" % (placeholder, placeholder, placeholder, placeholder)
|
|
|
|
arguments.append(token)
|
2015-11-11 05:41:53 -06:00
|
|
|
arguments.append(token)
|
|
|
|
arguments.append(token)
|
2016-04-19 13:32:28 -05:00
|
|
|
arguments.append(token)
|
|
|
|
query = query[:-4]
|
2015-11-11 05:41:53 -06:00
|
|
|
else: # Match any keyword in URL or Title
|
|
|
|
for token in keywords:
|
2016-05-17 15:11:31 -05:00
|
|
|
query += " tags LIKE (%s) OR URL LIKE (%s) OR metadata LIKE (%s) OR desc LIKE (%s) OR" % (placeholder, placeholder, placeholder, placeholder)
|
|
|
|
arguments.append(token)
|
2016-04-19 13:32:28 -05:00
|
|
|
arguments.append(token)
|
2015-11-11 05:41:53 -06:00
|
|
|
arguments.append(token)
|
|
|
|
arguments.append(token)
|
2016-04-19 13:32:28 -05:00
|
|
|
query = query[:-3]
|
2015-11-11 05:41:53 -06:00
|
|
|
|
2015-11-08 12:19:12 -06:00
|
|
|
if debug:
|
2015-11-11 05:41:53 -06:00
|
|
|
print("\"%s\", (%s)" % (query, arguments))
|
2015-11-05 12:26:02 -06:00
|
|
|
|
2016-05-16 12:30:47 -05:00
|
|
|
cur.execute(query, arguments)
|
2016-05-17 10:57:12 -05:00
|
|
|
results = cur.fetchall()
|
|
|
|
if len(results) == 0:
|
|
|
|
return
|
|
|
|
|
|
|
|
if jsonOutput == False:
|
2016-05-18 10:46:08 -05:00
|
|
|
showPrompt(results)
|
|
|
|
else:
|
|
|
|
print(formatJson(results))
|
2016-05-17 10:57:12 -05:00
|
|
|
|
|
|
|
|
2016-05-18 10:46:08 -05:00
|
|
|
def searchTag(cur, tag):
|
|
|
|
"""Search and list bookmarks with a tag
|
2016-05-17 10:57:12 -05:00
|
|
|
|
2016-05-18 10:46:08 -05:00
|
|
|
Params: cursor, tag to search
|
|
|
|
"""
|
2016-05-17 10:57:12 -05:00
|
|
|
|
2016-05-18 10:46:08 -05:00
|
|
|
global jsonOutput
|
|
|
|
cur.execute("SELECT id, url, metadata, tags, desc FROM bookmarks WHERE tags LIKE '%' || ? || '%'", (tag,))
|
|
|
|
results = cur.fetchall()
|
|
|
|
if len(results) == 0:
|
|
|
|
return
|
|
|
|
|
|
|
|
if jsonOutput == False:
|
|
|
|
showPrompt(results)
|
2016-05-17 10:57:12 -05:00
|
|
|
else:
|
|
|
|
print(formatJson(results))
|
2016-04-17 09:45:29 -05:00
|
|
|
|
2016-03-20 00:39:07 -05:00
|
|
|
def compactDB(conn, cur, index):
|
2016-04-05 06:25:40 -05:00
|
|
|
"""When an entry at index is deleted, move the last
|
|
|
|
entry in DB to index, if index is lesser.
|
2016-04-10 07:41:00 -05:00
|
|
|
|
2016-04-05 06:25:40 -05:00
|
|
|
Params: connection, cursor, index of deleted entry
|
|
|
|
"""
|
|
|
|
|
2016-03-20 00:39:07 -05:00
|
|
|
cur.execute('SELECT MAX(id) from bookmarks')
|
2016-04-24 15:43:00 -05:00
|
|
|
if cur.rowcount < 1:
|
|
|
|
return
|
|
|
|
|
2016-03-20 00:39:07 -05:00
|
|
|
results = cur.fetchall()
|
|
|
|
for row in results:
|
|
|
|
if row[0] > index:
|
2016-05-17 15:11:31 -05:00
|
|
|
cur.execute('SELECT id, URL, metadata, tags, desc FROM bookmarks WHERE id = ?', (row[0],))
|
2016-03-20 00:39:07 -05:00
|
|
|
results = cur.fetchall()
|
|
|
|
for row in results:
|
|
|
|
cur.execute('DELETE FROM bookmarks WHERE id = ?', (row[0],))
|
|
|
|
conn.commit()
|
2016-05-17 15:11:31 -05:00
|
|
|
cur.execute('INSERT INTO bookmarks(id, URL, metadata, tags, desc) VALUES (?, ?, ?, ?, ?)', (index, row[1], row[2], row[3], row[4],))
|
2016-03-20 00:39:07 -05:00
|
|
|
conn.commit()
|
|
|
|
print("Index %d moved to %d" % (row[0], index))
|
|
|
|
|
|
|
|
|
2015-11-10 05:20:30 -06:00
|
|
|
def cleardb(conn, cur, index):
|
2016-04-05 06:25:40 -05:00
|
|
|
"""Delete a single record or remove the table if index is None
|
2016-04-10 07:41:00 -05:00
|
|
|
|
2016-04-05 06:25:40 -05:00
|
|
|
Params: connection, cursor, index to delete
|
|
|
|
"""
|
|
|
|
|
2016-04-24 15:33:59 -05:00
|
|
|
if index == 0: # Remove the table
|
2016-03-19 23:18:13 -05:00
|
|
|
resp = input("ALL bookmarks will be removed. Enter \x1b[1my\x1b[21m to confirm: ")
|
|
|
|
if resp != 'y':
|
|
|
|
print("No bookmarks deleted")
|
|
|
|
return
|
|
|
|
|
2015-11-07 07:29:38 -06:00
|
|
|
cur.execute('DROP TABLE if exists bookmarks')
|
|
|
|
conn.commit()
|
2016-03-19 23:18:13 -05:00
|
|
|
print("All bookmarks deleted")
|
2015-11-07 07:29:38 -06:00
|
|
|
else: # Remove a single entry
|
|
|
|
try:
|
2016-04-24 15:33:59 -05:00
|
|
|
cur.execute('DELETE FROM bookmarks WHERE id = ?', (index,))
|
2015-11-07 07:29:38 -06:00
|
|
|
conn.commit()
|
|
|
|
if cur.rowcount == 1:
|
2016-04-24 15:33:59 -05:00
|
|
|
print("Removed index %d" % index)
|
|
|
|
compactDB(conn, cur, index)
|
2015-11-07 07:29:38 -06:00
|
|
|
else:
|
|
|
|
print("No matching index")
|
|
|
|
except IndexError:
|
2015-11-09 12:32:10 -06:00
|
|
|
print("Index out of bound")
|
2015-11-05 09:18:51 -06:00
|
|
|
|
2015-11-08 12:56:52 -06:00
|
|
|
|
2016-05-18 10:46:08 -05:00
|
|
|
def showPrompt(results):
|
|
|
|
"""Show each matching result from a search"""
|
|
|
|
|
|
|
|
count = 0
|
|
|
|
for row in results:
|
|
|
|
count += 1
|
|
|
|
printRecord(row, count)
|
|
|
|
|
|
|
|
while True:
|
|
|
|
try:
|
|
|
|
nav = input("Result number to open: ")
|
|
|
|
except EOFError:
|
|
|
|
return
|
|
|
|
|
|
|
|
if is_int(nav):
|
|
|
|
index = int(nav) - 1
|
|
|
|
if index < 0 or index >= count:
|
|
|
|
print("Index out of bound")
|
|
|
|
continue
|
|
|
|
|
|
|
|
try:
|
|
|
|
browser_open(unquote(results[index][1]))
|
|
|
|
except Exception as e:
|
|
|
|
print("\x1b[1mEXCEPTION\x1b[21m [searchdb]: (%s) %s" % (type(e).__name__, e))
|
|
|
|
else:
|
|
|
|
break
|
|
|
|
|
|
|
|
|
2016-05-17 15:11:31 -05:00
|
|
|
def printRecord(row, count=0):
|
|
|
|
"""Print a single DB record
|
|
|
|
Handles differently for search and print (count = 0)
|
|
|
|
"""
|
|
|
|
|
|
|
|
# Print index and URL
|
|
|
|
if count != 0:
|
|
|
|
print("\x1B[1m\x1B[93m%d. \x1B[0m\x1B[92m%s\x1B[0m\t[%d]" % (count, row[1], row[0]))
|
|
|
|
else:
|
|
|
|
print("\x1B[1m\x1B[93m%d. \x1B[0m\x1B[92m%s\x1B[0m" % (row[0], row[1]))
|
|
|
|
|
|
|
|
# Print title
|
|
|
|
if row[2] != '':
|
2016-05-17 17:35:01 -05:00
|
|
|
print(" \x1B[91m>\x1B[0m %s" % row[2])
|
2016-05-17 15:11:31 -05:00
|
|
|
|
|
|
|
# Print description
|
|
|
|
if row[4] != '':
|
2016-05-17 17:35:01 -05:00
|
|
|
print(" \x1B[91m+\x1B[0m %s" % row[4])
|
2016-05-17 15:11:31 -05:00
|
|
|
|
|
|
|
# Print tags
|
|
|
|
if row[3] != ',':
|
2016-05-17 17:35:01 -05:00
|
|
|
print(" \x1B[91m#\x1B[0m %s" % row[3][1:-1])
|
2016-05-17 15:11:31 -05:00
|
|
|
|
|
|
|
print("")
|
|
|
|
|
|
|
|
|
2016-03-25 02:52:52 -05:00
|
|
|
def printdb(cur, index, empty=False):
|
2016-04-05 06:25:40 -05:00
|
|
|
"""Print bookmark details at index or all bookmarks if index is None
|
2016-04-24 17:05:46 -05:00
|
|
|
Print only bookmarks with blank title or tag if empty is True
|
2016-04-24 16:18:56 -05:00
|
|
|
Note: URL is printed on top because title may be blank
|
2016-04-10 07:41:00 -05:00
|
|
|
|
2016-04-05 06:25:40 -05:00
|
|
|
Params: cursor, index to print, flag to show only bookmarks with no title or tags
|
|
|
|
"""
|
|
|
|
|
2015-11-11 01:28:37 -06:00
|
|
|
global showOpt
|
2016-03-22 18:31:17 -05:00
|
|
|
global jsonOutput
|
2015-11-11 01:28:37 -06:00
|
|
|
|
2016-03-25 02:52:52 -05:00
|
|
|
resultset = None
|
2016-04-24 17:05:46 -05:00
|
|
|
if index == 0: # Show all entries
|
2016-03-25 02:52:52 -05:00
|
|
|
if empty == False:
|
|
|
|
cur.execute('SELECT * FROM bookmarks')
|
|
|
|
resultset = cur.fetchall()
|
|
|
|
else:
|
|
|
|
cur.execute("SELECT * FROM bookmarks WHERE metadata = '' OR tags = ','")
|
|
|
|
resultset = cur.fetchall()
|
|
|
|
print("\x1b[1m%d records found\x1b[21m\n" % len(resultset))
|
|
|
|
|
2016-03-22 18:32:37 -05:00
|
|
|
if jsonOutput == False:
|
2016-04-19 12:02:15 -05:00
|
|
|
if showOpt == 0:
|
|
|
|
for row in resultset:
|
2016-05-17 15:11:31 -05:00
|
|
|
printRecord(row)
|
2016-04-19 12:02:15 -05:00
|
|
|
elif showOpt == 1:
|
|
|
|
for row in resultset:
|
2016-03-22 18:32:37 -05:00
|
|
|
print("%s %s" % (row[0], row[1]))
|
2016-04-19 12:02:15 -05:00
|
|
|
elif showOpt == 2:
|
|
|
|
for row in resultset:
|
2016-03-22 18:32:37 -05:00
|
|
|
print("%s %s %s" % (row[0], row[1], row[3][1:-1]))
|
2016-04-19 12:02:15 -05:00
|
|
|
|
2016-03-22 18:32:37 -05:00
|
|
|
else:
|
|
|
|
print(formatJson(resultset))
|
2015-11-10 05:20:30 -06:00
|
|
|
else: # Show record at index
|
2015-11-09 12:32:10 -06:00
|
|
|
try:
|
2016-04-24 17:05:46 -05:00
|
|
|
resultset = cur.execute("SELECT * FROM bookmarks WHERE id = ?", (index,))
|
2016-03-22 18:32:37 -05:00
|
|
|
except IndexError:
|
|
|
|
print("Index out of bound")
|
2016-03-23 07:10:26 -05:00
|
|
|
return
|
2016-03-22 18:32:37 -05:00
|
|
|
|
|
|
|
if jsonOutput == False:
|
|
|
|
for row in resultset:
|
2016-05-17 15:11:31 -05:00
|
|
|
printRecord(row)
|
2015-11-09 12:32:10 -06:00
|
|
|
return
|
|
|
|
print("No matching index")
|
2016-03-22 18:32:37 -05:00
|
|
|
else:
|
|
|
|
print(formatJson(resultset, True))
|
|
|
|
|
2016-03-23 07:10:08 -05:00
|
|
|
|
2016-03-22 18:29:45 -05:00
|
|
|
def formatJson(resultset, single=False):
|
2016-05-16 09:39:01 -05:00
|
|
|
"""Return results in Json format"""
|
|
|
|
|
2016-03-22 18:29:45 -05:00
|
|
|
global showOpt
|
|
|
|
|
|
|
|
if single == False:
|
|
|
|
marks = []
|
|
|
|
for row in resultset:
|
|
|
|
if showOpt == 1:
|
|
|
|
record = { 'url': row[1] }
|
|
|
|
elif showOpt == 2:
|
|
|
|
record = { 'url': row[1], 'tags': row[3][1:-1] }
|
|
|
|
else:
|
2016-05-18 14:15:57 -05:00
|
|
|
record = { 'url': row[1], 'title': row[2], 'comment': row[4], 'tags': row[3][1:-1]}
|
2016-03-22 18:29:45 -05:00
|
|
|
|
|
|
|
marks.append(record)
|
|
|
|
else:
|
|
|
|
marks = {}
|
|
|
|
for row in resultset:
|
|
|
|
if showOpt == 1:
|
|
|
|
marks['url'] = row[1]
|
|
|
|
elif showOpt == 2:
|
|
|
|
marks['title'] = row[2]
|
|
|
|
marks['tags'] = row[3][1:-1]
|
|
|
|
else:
|
|
|
|
marks['url'] = row[1]
|
|
|
|
marks['title'] = row[2]
|
2016-05-18 14:15:57 -05:00
|
|
|
marks['comment'] = row[4]
|
2016-03-22 18:29:45 -05:00
|
|
|
marks['tags'] = row[3][1:-1]
|
2015-11-05 09:18:51 -06:00
|
|
|
|
2016-03-22 18:29:45 -05:00
|
|
|
return json.dumps(marks, sort_keys=True, indent=4)
|
2015-11-08 12:56:52 -06:00
|
|
|
|
2016-05-16 09:39:01 -05:00
|
|
|
|
2016-03-16 13:03:15 -05:00
|
|
|
def showUniqueTags(cur):
|
2016-04-05 06:25:40 -05:00
|
|
|
"""Print all unique tags ordered alphabetically
|
2016-04-10 07:41:00 -05:00
|
|
|
|
2016-04-05 06:25:40 -05:00
|
|
|
Params: cursor
|
|
|
|
"""
|
|
|
|
|
2016-03-16 13:03:15 -05:00
|
|
|
count = 1
|
|
|
|
Tags = []
|
|
|
|
uniqueTags = []
|
|
|
|
for row in cur.execute('SELECT DISTINCT tags FROM bookmarks'):
|
|
|
|
if row[0] == ',':
|
|
|
|
continue
|
|
|
|
|
|
|
|
Tags.extend(row[0].strip(',').split(','))
|
|
|
|
|
|
|
|
for tag in Tags:
|
|
|
|
if tag not in uniqueTags:
|
|
|
|
uniqueTags.append(tag)
|
|
|
|
|
|
|
|
Tags = sorted(uniqueTags, key=str.lower)
|
|
|
|
for tag in Tags:
|
|
|
|
print("%6d. %s" % (count, tag))
|
|
|
|
count += 1
|
|
|
|
|
|
|
|
|
2016-04-29 12:29:06 -05:00
|
|
|
def replaceTags(conn, cur, orig, new=None):
|
2016-04-05 06:25:40 -05:00
|
|
|
"""Replace orig tags with new tags in DB for all records.
|
|
|
|
Remove orig tag is new tag is empty.
|
2016-04-10 07:41:00 -05:00
|
|
|
|
2016-04-05 06:25:40 -05:00
|
|
|
Params: connection, cursor, original and new tags
|
|
|
|
"""
|
|
|
|
|
2016-03-19 12:06:44 -05:00
|
|
|
update = False
|
|
|
|
delete = False
|
|
|
|
|
2016-03-19 10:55:13 -05:00
|
|
|
orig = ',' + orig + ','
|
2016-04-29 12:29:06 -05:00
|
|
|
if new is None:
|
|
|
|
newtags = ','
|
2016-03-19 12:06:44 -05:00
|
|
|
delete = True
|
2016-03-19 10:55:13 -05:00
|
|
|
else:
|
2016-04-29 12:29:06 -05:00
|
|
|
newtags = ','
|
|
|
|
for tag in new:
|
|
|
|
if tag[-1] == ',':
|
|
|
|
tag = tag.strip(',') + ',' # if delimiter is present, maintain it
|
|
|
|
else:
|
|
|
|
tag = tag.strip(',') # a token in a multi-word tag
|
2016-03-19 10:55:13 -05:00
|
|
|
|
2016-04-29 12:29:06 -05:00
|
|
|
if tag == ',':
|
|
|
|
continue
|
|
|
|
|
|
|
|
if newtags[-1] == ',':
|
|
|
|
newtags += tag
|
|
|
|
else:
|
|
|
|
newtags += ' ' + tag
|
|
|
|
|
|
|
|
if newtags[-1] != ',':
|
|
|
|
newtags += ','
|
|
|
|
|
|
|
|
if newtags == ',':
|
|
|
|
delete = True
|
2016-03-19 10:55:13 -05:00
|
|
|
|
2016-04-29 12:29:06 -05:00
|
|
|
if orig == newtags:
|
2016-03-19 12:19:58 -05:00
|
|
|
print("Tags are same.")
|
|
|
|
return
|
|
|
|
|
2016-03-19 10:55:13 -05:00
|
|
|
cur.execute("SELECT id, tags FROM bookmarks WHERE tags LIKE ?", ('%' + orig + '%',))
|
|
|
|
results = cur.fetchall()
|
|
|
|
|
|
|
|
for row in results:
|
2016-03-19 12:06:44 -05:00
|
|
|
if delete == False:
|
2016-04-29 12:29:06 -05:00
|
|
|
# Check if tag newtags is already added
|
|
|
|
if row[1].find(newtags) >= 0:
|
|
|
|
newtags = ','
|
2016-03-19 12:06:44 -05:00
|
|
|
|
2016-04-29 12:29:06 -05:00
|
|
|
newtags = row[1].replace(orig, newtags)
|
2016-03-19 10:55:13 -05:00
|
|
|
cur.execute("UPDATE bookmarks SET tags = ? WHERE id = ?", (newtags, row[0],))
|
2016-03-19 12:06:44 -05:00
|
|
|
print("Updated index %d" % row[0])
|
|
|
|
update = True
|
2016-03-19 10:55:13 -05:00
|
|
|
|
2016-03-19 12:06:44 -05:00
|
|
|
if update:
|
|
|
|
conn.commit()
|
2016-03-19 10:55:13 -05:00
|
|
|
|
|
|
|
|
2015-11-10 05:20:30 -06:00
|
|
|
def fetchopen(index):
|
2016-04-05 06:25:40 -05:00
|
|
|
"""Fetch URL at index and open in browser
|
2016-04-10 07:41:00 -05:00
|
|
|
|
2016-04-05 06:25:40 -05:00
|
|
|
Params: index
|
|
|
|
"""
|
|
|
|
|
2015-11-10 05:20:30 -06:00
|
|
|
try:
|
2016-04-24 16:18:56 -05:00
|
|
|
for row in cur.execute("SELECT URL FROM bookmarks WHERE id = ?", (index,)):
|
2015-11-10 05:20:30 -06:00
|
|
|
url = unquote(row[0])
|
|
|
|
browser_open(url)
|
|
|
|
return
|
|
|
|
print("No matching index")
|
|
|
|
except IndexError:
|
|
|
|
print("Index out of bound")
|
|
|
|
|
|
|
|
|
2015-11-06 13:59:57 -06:00
|
|
|
def is_int(string):
|
2016-04-05 06:25:40 -05:00
|
|
|
"""Check if a string is a digit
|
2016-04-10 07:41:00 -05:00
|
|
|
|
2016-04-05 06:25:40 -05:00
|
|
|
Params: string
|
|
|
|
"""
|
|
|
|
|
2015-11-06 13:59:57 -06:00
|
|
|
try:
|
|
|
|
int(string)
|
|
|
|
return True
|
|
|
|
except:
|
|
|
|
return False
|
|
|
|
|
2015-11-08 12:56:52 -06:00
|
|
|
|
2015-11-10 03:11:05 -06:00
|
|
|
def browser_open(url):
|
2016-04-05 07:55:29 -05:00
|
|
|
"""Duplicate stdin, stdout (to suppress showing errors
|
|
|
|
on the terminal) and open URL in default browser
|
2015-11-06 16:32:08 -06:00
|
|
|
|
2016-04-05 07:55:29 -05:00
|
|
|
Params: url to open
|
|
|
|
"""
|
2015-11-08 12:56:52 -06:00
|
|
|
|
2015-11-10 05:20:30 -06:00
|
|
|
url = url.replace("%22", "\"")
|
|
|
|
|
2015-11-10 03:11:05 -06:00
|
|
|
_stderr = os.dup(2)
|
|
|
|
os.close(2)
|
|
|
|
_stdout = os.dup(1)
|
|
|
|
os.close(1)
|
|
|
|
fd = os.open(os.devnull, os.O_RDWR)
|
|
|
|
os.dup2(fd, 2)
|
|
|
|
os.dup2(fd, 1)
|
|
|
|
try:
|
|
|
|
webbrowser.open(url)
|
|
|
|
except Exception as e:
|
2016-04-09 12:39:00 -05:00
|
|
|
print("\x1b[1mEXCEPTION\x1b[21m [browser_open]: (%s) %s" % (type(e).__name__, e))
|
2015-11-10 03:11:05 -06:00
|
|
|
finally:
|
|
|
|
os.close(fd)
|
|
|
|
os.dup2(_stderr, 2)
|
|
|
|
os.dup2(_stdout, 1)
|
|
|
|
|
|
|
|
|
2015-12-19 13:55:05 -06:00
|
|
|
def get_filehash(filepath):
|
2016-04-05 07:55:29 -05:00
|
|
|
"""Get the SHA256 hash of a file
|
|
|
|
|
|
|
|
Params: path to the file
|
|
|
|
"""
|
|
|
|
|
2015-12-19 13:55:05 -06:00
|
|
|
with open(filepath, 'rb') as f:
|
|
|
|
hasher = hashlib.sha256()
|
|
|
|
buf = f.read(BLOCKSIZE)
|
|
|
|
while len(buf) > 0:
|
|
|
|
hasher.update(buf)
|
|
|
|
buf = f.read(BLOCKSIZE)
|
|
|
|
|
|
|
|
return hasher.digest()
|
|
|
|
|
|
|
|
|
2016-04-25 12:28:35 -05:00
|
|
|
def encrypt_file(iterations):
|
2016-04-05 07:55:29 -05:00
|
|
|
"""Encrypt the bookmarks database file"""
|
|
|
|
|
2016-04-07 16:34:05 -05:00
|
|
|
dbpath = os.path.join(getDataPath(), 'bookmarks.db')
|
2016-03-20 03:11:52 -05:00
|
|
|
encpath = dbpath + '.enc'
|
2015-12-19 10:23:29 -06:00
|
|
|
if not os.path.exists(dbpath):
|
2015-12-19 12:49:44 -06:00
|
|
|
print("%s missing. Already encrypted?" % dbpath)
|
2015-12-19 10:23:29 -06:00
|
|
|
sys.exit(1)
|
|
|
|
|
2016-03-20 03:11:52 -05:00
|
|
|
# If both encrypted file and flat file exist, error out
|
|
|
|
if os.path.exists(dbpath) and os.path.exists(encpath):
|
2016-04-01 09:56:00 -05:00
|
|
|
printmsg("Both encrypted and flat DB files exist!", "ERROR")
|
2016-03-20 03:11:52 -05:00
|
|
|
sys.exit(1)
|
|
|
|
|
2015-12-19 10:23:29 -06:00
|
|
|
password = ''
|
|
|
|
password = getpass.getpass()
|
|
|
|
passconfirm = getpass.getpass()
|
|
|
|
if password == '':
|
|
|
|
print("Empty password");
|
|
|
|
sys.exit(1)
|
|
|
|
if password != passconfirm:
|
|
|
|
print("Passwords don't match");
|
|
|
|
sys.exit(1)
|
|
|
|
|
2015-12-19 13:55:05 -06:00
|
|
|
# Get SHA256 hash of DB file
|
|
|
|
dbhash = get_filehash(dbpath)
|
|
|
|
|
2016-04-10 08:01:11 -05:00
|
|
|
# Generate random 256-bit salt and key
|
2016-04-10 07:41:00 -05:00
|
|
|
salt = Random.get_random_bytes(SALT_SIZE)
|
2015-12-20 13:00:34 -06:00
|
|
|
key = (password + salt.decode('utf-8', "replace")).encode('utf-8')
|
2015-12-22 12:10:24 -06:00
|
|
|
for i in range(iterations):
|
2015-12-20 13:00:34 -06:00
|
|
|
key = hashlib.sha256(key).digest()
|
|
|
|
|
|
|
|
iv = Random.get_random_bytes(16)
|
2015-12-19 10:23:29 -06:00
|
|
|
cipher = AES.new(key, AES.MODE_CBC, iv)
|
|
|
|
filesize = os.path.getsize(dbpath)
|
|
|
|
|
|
|
|
with open(dbpath, 'rb') as infile:
|
|
|
|
with open(encpath, 'wb') as outfile:
|
|
|
|
outfile.write(struct.pack('<Q', filesize))
|
2015-12-20 13:00:34 -06:00
|
|
|
outfile.write(salt)
|
2015-12-19 10:23:29 -06:00
|
|
|
outfile.write(iv)
|
|
|
|
|
2015-12-19 13:55:05 -06:00
|
|
|
# Embed DB file hash in encrypted file
|
|
|
|
outfile.write(dbhash)
|
|
|
|
|
2015-12-19 10:23:29 -06:00
|
|
|
while True:
|
2015-12-20 13:00:34 -06:00
|
|
|
chunk = infile.read(CHUNKSIZE)
|
2015-12-19 10:23:29 -06:00
|
|
|
if len(chunk) == 0:
|
|
|
|
break
|
|
|
|
elif len(chunk) % 16 != 0:
|
|
|
|
chunk += ' ' * (16 - len(chunk) % 16)
|
|
|
|
|
|
|
|
outfile.write(cipher.encrypt(chunk))
|
|
|
|
|
2015-12-19 11:15:17 -06:00
|
|
|
os.remove(dbpath)
|
2015-12-19 10:23:29 -06:00
|
|
|
print("File encrypted")
|
|
|
|
sys.exit(0)
|
|
|
|
|
|
|
|
|
2016-04-25 12:28:35 -05:00
|
|
|
def decrypt_file(iterations):
|
2016-04-05 07:55:29 -05:00
|
|
|
"""Decrypt the bookmarks database file"""
|
|
|
|
|
2016-04-07 16:34:05 -05:00
|
|
|
dbpath = os.path.join(getDataPath(), 'bookmarks.db')
|
2015-12-19 11:15:17 -06:00
|
|
|
encpath = dbpath + '.enc'
|
|
|
|
if not os.path.exists(encpath):
|
2016-04-01 09:56:00 -05:00
|
|
|
printmsg((encpath + " missing"), "ERROR")
|
2015-12-19 11:15:17 -06:00
|
|
|
sys.exit(1)
|
|
|
|
|
2016-03-20 03:11:52 -05:00
|
|
|
# If both encrypted file and flat file exist, error out
|
|
|
|
if os.path.exists(dbpath) and os.path.exists(encpath):
|
2016-04-01 09:56:00 -05:00
|
|
|
printmsg("Both encrypted and flat DB files exist!", "ERROR")
|
2015-12-19 11:15:17 -06:00
|
|
|
sys.exit(1)
|
|
|
|
|
|
|
|
password = ''
|
|
|
|
password = getpass.getpass()
|
|
|
|
if password == '':
|
2016-04-24 17:05:46 -05:00
|
|
|
printmsg("Decryption failed", "ERROR");
|
2015-12-19 11:15:17 -06:00
|
|
|
sys.exit(1)
|
|
|
|
|
|
|
|
with open(encpath, 'rb') as infile:
|
|
|
|
origsize = struct.unpack('<Q', infile.read(struct.calcsize('Q')))[0]
|
2015-12-20 13:00:34 -06:00
|
|
|
|
|
|
|
# Read 256-bit salt and generate key
|
|
|
|
salt = infile.read(32)
|
|
|
|
key = (password + salt.decode('utf-8', "replace")).encode('utf-8')
|
2015-12-22 12:10:24 -06:00
|
|
|
for i in range(iterations):
|
2015-12-20 13:00:34 -06:00
|
|
|
key = hashlib.sha256(key).digest()
|
|
|
|
|
2015-12-19 11:15:17 -06:00
|
|
|
iv = infile.read(16)
|
|
|
|
cipher = AES.new(key, AES.MODE_CBC, iv)
|
|
|
|
|
2015-12-19 13:55:05 -06:00
|
|
|
# Get original DB file's SHA256 hash from encrypted file
|
|
|
|
enchash = infile.read(32)
|
|
|
|
|
2015-12-19 11:15:17 -06:00
|
|
|
with open(dbpath, 'wb') as outfile:
|
|
|
|
while True:
|
2015-12-20 13:00:34 -06:00
|
|
|
chunk = infile.read(CHUNKSIZE)
|
2015-12-19 11:15:17 -06:00
|
|
|
if len(chunk) == 0:
|
|
|
|
break;
|
|
|
|
|
|
|
|
outfile.write(cipher.decrypt(chunk))
|
|
|
|
|
|
|
|
outfile.truncate(origsize)
|
|
|
|
|
2015-12-19 13:55:05 -06:00
|
|
|
# Match hash of generated file with that of original DB file
|
|
|
|
dbhash = get_filehash(dbpath)
|
|
|
|
if dbhash != enchash:
|
|
|
|
os.remove(dbpath)
|
2016-04-24 17:05:46 -05:00
|
|
|
printmsg("Decryption failed", "ERROR");
|
2016-04-24 16:18:56 -05:00
|
|
|
sys.exit(1)
|
2015-12-19 13:55:05 -06:00
|
|
|
else:
|
|
|
|
os.remove(encpath)
|
|
|
|
print("File decrypted")
|
|
|
|
|
2015-12-19 11:15:17 -06:00
|
|
|
|
2016-03-16 10:10:55 -05:00
|
|
|
def sigint_handler(signum, frame):
|
2016-04-05 07:55:29 -05:00
|
|
|
"""Custom SIGINT handler"""
|
|
|
|
|
2016-03-16 10:10:55 -05:00
|
|
|
print('\nInterrupted.', file=sys.stderr)
|
|
|
|
sys.exit(1)
|
|
|
|
|
|
|
|
signal.signal(signal.SIGINT, sigint_handler)
|
|
|
|
|
|
|
|
|
2016-05-01 12:29:46 -05:00
|
|
|
def closequit(conn=None, exitval=0):
|
|
|
|
"""Close a DB connection and exit"""
|
|
|
|
|
|
|
|
if conn is not None:
|
|
|
|
conn.close()
|
|
|
|
sys.exit(exitval)
|
|
|
|
|
|
|
|
|
2016-04-01 09:56:00 -05:00
|
|
|
def printmsg(msg, level=None):
|
2016-04-05 07:55:29 -05:00
|
|
|
"""Print a message in 2 parts, with the level in bold
|
|
|
|
|
|
|
|
Params: msg, level
|
|
|
|
"""
|
|
|
|
|
2016-04-01 09:56:00 -05:00
|
|
|
if level is not None:
|
|
|
|
print("\x1b[1m%s:\x1b[21m %s" % (level, msg))
|
|
|
|
else:
|
|
|
|
print("%s" % msg)
|
|
|
|
|
2016-04-05 07:55:29 -05:00
|
|
|
|
2016-04-27 12:56:57 -05:00
|
|
|
class customUpdateAction(argparse.Action):
|
2016-05-18 12:23:08 -05:00
|
|
|
"""Class to capture if optional param 'update'
|
2016-04-25 12:57:01 -05:00
|
|
|
is actually used, even if sans arguments
|
|
|
|
"""
|
|
|
|
|
2016-04-25 11:23:03 -05:00
|
|
|
def __call__(self, parser, args, values, option_string=None):
|
|
|
|
global update
|
|
|
|
|
|
|
|
update = True
|
|
|
|
# NOTE: the following converts a None argument to an empty array []
|
|
|
|
setattr(args, self.dest, values)
|
|
|
|
|
2016-04-26 12:23:48 -05:00
|
|
|
|
2016-05-18 12:23:08 -05:00
|
|
|
class customTagSearchAction(argparse.Action):
|
|
|
|
"""Class to capture if optional param 'stag'
|
|
|
|
is actually used, even if sans arguments
|
|
|
|
"""
|
|
|
|
|
|
|
|
def __call__(self, parser, args, values, option_string=None):
|
|
|
|
global tagsearch
|
|
|
|
|
|
|
|
tagsearch = True
|
|
|
|
setattr(args, self.dest, values)
|
|
|
|
|
|
|
|
|
2016-04-27 12:56:57 -05:00
|
|
|
class customTitleAction(argparse.Action):
|
2016-05-18 12:23:08 -05:00
|
|
|
"""Class to capture if optional param 'title'
|
2016-04-27 12:56:57 -05:00
|
|
|
is actually used, even if sans arguments
|
|
|
|
"""
|
|
|
|
|
|
|
|
def __call__(self, parser, args, values, option_string=None):
|
|
|
|
global titleManual
|
|
|
|
|
|
|
|
titleManual = ''
|
|
|
|
setattr(args, self.dest, values)
|
|
|
|
|
|
|
|
|
2016-05-17 15:11:31 -05:00
|
|
|
class customDescAction(argparse.Action):
|
2016-05-18 12:23:08 -05:00
|
|
|
"""Class to capture if optional param 'comment'
|
2016-05-17 15:11:31 -05:00
|
|
|
is actually used, even if sans arguments
|
|
|
|
"""
|
|
|
|
|
|
|
|
def __call__(self, parser, args, values, option_string=None):
|
|
|
|
global description
|
|
|
|
|
|
|
|
description = ''
|
|
|
|
setattr(args, self.dest, values)
|
|
|
|
|
|
|
|
|
2016-04-24 14:19:32 -05:00
|
|
|
class ExtendedArgumentParser(argparse.ArgumentParser):
|
2016-04-25 12:57:01 -05:00
|
|
|
"""Extend classic argument parser"""
|
2016-04-24 14:19:32 -05:00
|
|
|
|
2016-04-25 15:45:10 -05:00
|
|
|
# Print additional help and info
|
|
|
|
@staticmethod
|
|
|
|
def print_extended_help(file=None):
|
2016-05-14 10:33:21 -05:00
|
|
|
file.write('''
|
|
|
|
prompt keys:
|
|
|
|
1-N open the Nth search result in web browser
|
2016-05-17 10:57:12 -05:00
|
|
|
Enter exit buku
|
2016-05-14 10:33:21 -05:00
|
|
|
|
|
|
|
Version %.1f
|
|
|
|
Copyright (C) 2015-2016 Arun Prakash Jana <engineerarun@gmail.com>
|
|
|
|
License: GPLv3
|
|
|
|
Webpage: https://github.com/jarun/buku
|
|
|
|
''' % _VERSION_)
|
2016-04-25 15:45:10 -05:00
|
|
|
|
|
|
|
# Help
|
2016-04-24 14:19:32 -05:00
|
|
|
def print_help(self, file=None):
|
|
|
|
super(ExtendedArgumentParser, self).print_help(file)
|
2016-04-25 15:45:10 -05:00
|
|
|
self.print_extended_help(file)
|
2016-04-05 23:55:25 -05:00
|
|
|
|
|
|
|
|
|
|
|
"""main starts here"""
|
2016-04-26 12:23:48 -05:00
|
|
|
|
|
|
|
# Handle piped input
|
2016-03-26 10:59:07 -05:00
|
|
|
def main(argv = sys.argv):
|
|
|
|
if not sys.stdin.isatty():
|
|
|
|
pipeargs.extend(sys.argv)
|
|
|
|
for s in sys.stdin.readlines():
|
|
|
|
pipeargs.extend(s.split())
|
|
|
|
|
|
|
|
if __name__ == "__main__":
|
|
|
|
try:
|
|
|
|
main(sys.argv)
|
|
|
|
except KeyboardInterrupt:
|
|
|
|
pass
|
|
|
|
|
2016-04-26 12:23:48 -05:00
|
|
|
# If piped input, set argument vector
|
|
|
|
if len(pipeargs) > 0:
|
|
|
|
sys.argv = pipeargs
|
|
|
|
|
|
|
|
# Setup custom argument parser
|
2016-04-24 14:19:32 -05:00
|
|
|
argparser = ExtendedArgumentParser(
|
2016-05-12 03:58:31 -05:00
|
|
|
description='A private command-line bookmark manager. Your mini web!',
|
2016-04-26 14:22:59 -05:00
|
|
|
formatter_class=argparse.RawTextHelpFormatter,
|
|
|
|
usage='''buku [-a URL [tags ...]] [-u [N [URL tags ...]]]
|
2016-05-17 15:11:31 -05:00
|
|
|
[-t [...]] [-c [...]] [-d [N]] [-h]
|
2016-05-18 12:23:08 -05:00
|
|
|
[-s keyword [...]] [-S keyword [...]] [--st [...]]
|
2016-04-26 14:22:59 -05:00
|
|
|
[-k [N]] [-l [N]] [-p [N]] [-f N]
|
2016-04-29 12:29:06 -05:00
|
|
|
[-r oldtag [newtag ...]] [-j] [-o N] [-z]''',
|
2016-04-26 14:22:59 -05:00
|
|
|
add_help=False
|
2016-04-24 14:19:32 -05:00
|
|
|
)
|
|
|
|
|
2016-04-26 16:13:27 -05:00
|
|
|
# General options
|
|
|
|
general_group = argparser.add_argument_group(title="general options",
|
|
|
|
description='''-a, --add URL [tags ...]
|
|
|
|
bookmark URL with comma separated tags
|
|
|
|
-u, --update [N [URL tags ...]]
|
|
|
|
update fields of bookmark at DB index N
|
|
|
|
refresh all titles, if no arguments
|
|
|
|
if URL omitted and -t is unused, update
|
|
|
|
title of bookmark at index N from web
|
2016-04-27 12:56:57 -05:00
|
|
|
-t, --title [...] manually set title, works with -a, -u
|
2016-04-29 12:29:06 -05:00
|
|
|
do not set title, if no arguments
|
2016-05-17 15:11:31 -05:00
|
|
|
-c, --comment [...] description of the bookmark, works with
|
|
|
|
-a, -u; clears comment, if no arguments
|
2016-04-26 16:13:27 -05:00
|
|
|
-d, --delete [N] delete bookmark at DB index N
|
|
|
|
delete all bookmarks, if no arguments
|
|
|
|
-h, --help show this information''')
|
|
|
|
general_group.add_argument('-a', '--add', nargs='+', dest='addurl', metavar=('URL', 'tags'), help=argparse.SUPPRESS)
|
2016-04-27 12:56:57 -05:00
|
|
|
general_group.add_argument('-u', '--update', nargs='*', dest='update', action=customUpdateAction, metavar=('N', 'URL tags'), help=argparse.SUPPRESS)
|
|
|
|
general_group.add_argument('-t', '--title', nargs='*', dest='title', action=customTitleAction, metavar='title', help=argparse.SUPPRESS)
|
2016-05-17 15:11:31 -05:00
|
|
|
general_group.add_argument('-c', '--comment', nargs='*', dest='desc', type=str, action=customDescAction, metavar='desc', help=argparse.SUPPRESS)
|
2016-04-26 16:13:27 -05:00
|
|
|
general_group.add_argument('-d', '--delete', nargs='?', dest='delete', type=int, const=0, metavar='N', help=argparse.SUPPRESS)
|
|
|
|
general_group.add_argument('-h', '--help', dest='help', action='store_true', help=argparse.SUPPRESS)
|
|
|
|
|
|
|
|
# Search options
|
|
|
|
search_group=argparser.add_argument_group(title="search options",
|
|
|
|
description='''-s, --sany keyword [...]
|
|
|
|
search bookmarks for ANY matching keyword
|
|
|
|
-S, --sall keyword [...]
|
|
|
|
search bookmarks with ALL keywords
|
2016-05-18 12:23:08 -05:00
|
|
|
special keyword -
|
2016-05-18 10:46:08 -05:00
|
|
|
"blank": list entries with empty title/tag
|
2016-05-18 12:23:08 -05:00
|
|
|
--st, --stag [...] search bookmarks by tag
|
|
|
|
list all tags alphabetically, if no arguments''')
|
2016-04-26 16:13:27 -05:00
|
|
|
search_group.add_argument('-s', '--sany', nargs='+', metavar='keyword', help=argparse.SUPPRESS)
|
|
|
|
search_group.add_argument('-S', '--sall', nargs='+', metavar='keyword', help=argparse.SUPPRESS)
|
2016-05-18 12:23:08 -05:00
|
|
|
search_group.add_argument('--st', '--stag', nargs='*', dest='stag', action=customTagSearchAction, metavar='keyword', help=argparse.SUPPRESS)
|
2016-04-26 16:13:27 -05:00
|
|
|
|
|
|
|
# Encryption options
|
|
|
|
crypto_group=argparser.add_argument_group(title="encryption options",
|
|
|
|
description='''-l, --lock [N] encrypt DB file with N (> 0, default 8)
|
|
|
|
hash iterations to generate key
|
|
|
|
-k, --unlock [N] decrypt DB file with N (> 0, default 8)
|
|
|
|
hash iterations to generate key''')
|
|
|
|
crypto_group.add_argument('-k', '--unlock', nargs='?', dest='decrypt', type=int, const=8, metavar='N', help=argparse.SUPPRESS)
|
|
|
|
crypto_group.add_argument('-l', '--lock', nargs='?', dest='encrypt', type=int, const=8, metavar='N', help=argparse.SUPPRESS)
|
|
|
|
|
|
|
|
# Power toys
|
|
|
|
power_group=argparser.add_argument_group(title="power toys",
|
|
|
|
description='''-p, --print [N] show details of bookmark at DB index N
|
|
|
|
show all bookmarks, if no arguments
|
|
|
|
-f, --format N modify -p output
|
|
|
|
N=1: show only URL, N=2: show URL and tag
|
2016-04-29 12:29:06 -05:00
|
|
|
-r, --replace oldtag [newtag ...]
|
2016-04-27 12:56:57 -05:00
|
|
|
replace oldtag with newtag in all bookmarks
|
2016-04-29 12:29:06 -05:00
|
|
|
delete oldtag, if no newtag
|
2016-05-18 14:15:57 -05:00
|
|
|
-j, --json Json formatted output, for -p, -s, -S, --st
|
2016-05-15 01:03:02 -05:00
|
|
|
-o, --open N open bookmark at DB index N in web browser
|
2016-04-26 16:13:27 -05:00
|
|
|
-z, --debug show debug information and additional logs''')
|
|
|
|
power_group.add_argument('-p', '--print', nargs='?', dest='printindex', type=int, const=0, metavar='N', help=argparse.SUPPRESS)
|
|
|
|
power_group.add_argument('-f', '--format', dest='showOpt', type=int, choices=[1, 2], metavar='N', help=argparse.SUPPRESS)
|
2016-04-29 12:29:06 -05:00
|
|
|
power_group.add_argument('-r', '--replace', nargs='+', dest='replace', metavar=('oldtag', 'newtag'), help=argparse.SUPPRESS)
|
2016-04-26 16:13:27 -05:00
|
|
|
power_group.add_argument('-j', '--json', dest='jsonOutput', action='store_true', help=argparse.SUPPRESS)
|
|
|
|
power_group.add_argument('-o', '--open', dest='openurl', type=int, metavar='N', help=argparse.SUPPRESS)
|
|
|
|
power_group.add_argument('-z', '--debug', dest='debug', action='store_true', help=argparse.SUPPRESS)
|
2015-11-04 08:11:16 -06:00
|
|
|
|
2016-05-02 12:42:29 -05:00
|
|
|
"""
|
|
|
|
# NOTE: Insert is functional but commented because DB compaction serves the purpose.
|
|
|
|
addarg = argparser.add_argument
|
|
|
|
addarg('-i', '--insert', nargs='+', dest='insert', metavar=('N', 'URL tags'),
|
|
|
|
help=" insert new bookmark with URL and tags at free DB index N; frees index if URL and tags are omitted")
|
|
|
|
"""
|
2016-04-26 14:22:59 -05:00
|
|
|
|
2016-05-02 12:42:29 -05:00
|
|
|
# Show help and exit if no arguments
|
2015-11-04 08:11:16 -06:00
|
|
|
if len(sys.argv) < 2:
|
2016-04-24 14:19:32 -05:00
|
|
|
argparser.print_help(sys.stderr)
|
|
|
|
sys.exit(1)
|
2015-11-07 07:29:38 -06:00
|
|
|
|
2016-04-26 12:23:48 -05:00
|
|
|
# Parse the arguments
|
2016-04-24 14:19:32 -05:00
|
|
|
args = argparser.parse_args()
|
2015-11-07 07:29:38 -06:00
|
|
|
|
2016-04-26 14:22:59 -05:00
|
|
|
# Show help and exit if help requested
|
|
|
|
if args.help == True:
|
|
|
|
argparser.print_help(sys.stderr)
|
|
|
|
sys.exit(0)
|
2015-11-07 07:29:38 -06:00
|
|
|
|
2016-04-24 17:05:46 -05:00
|
|
|
# Assign the values to globals
|
|
|
|
if args.showOpt is not None:
|
|
|
|
showOpt = args.showOpt
|
2016-04-27 12:56:57 -05:00
|
|
|
if titleManual is not None and len(args.title) > 0:
|
|
|
|
titleManual = " ".join(args.title)
|
2016-05-17 15:11:31 -05:00
|
|
|
if description is not None and len(args.desc) > 0:
|
|
|
|
description = " ".join(args.desc)
|
2016-05-14 10:17:38 -05:00
|
|
|
if args.jsonOutput:
|
|
|
|
import json
|
|
|
|
jsonOutput = args.jsonOutput
|
2016-04-24 14:19:32 -05:00
|
|
|
debug = args.debug
|
2015-11-04 08:11:16 -06:00
|
|
|
|
2016-04-24 14:19:32 -05:00
|
|
|
# Show version in debug logs
|
2016-03-30 14:28:37 -05:00
|
|
|
if debug:
|
|
|
|
print("Version %.1f" % _VERSION_)
|
|
|
|
|
2016-05-01 11:42:42 -05:00
|
|
|
# Move pre-1.9 database to new location
|
2016-04-08 07:38:40 -05:00
|
|
|
moveOldDatabase()
|
|
|
|
|
2015-12-22 12:10:24 -06:00
|
|
|
# Handle encrypt/decrypt options at top priority
|
2016-04-25 12:28:35 -05:00
|
|
|
if args.encrypt is not None:
|
2016-04-24 15:33:59 -05:00
|
|
|
if no_crypto:
|
|
|
|
printmsg("PyCrypto missing", "ERROR")
|
|
|
|
sys.exit(1)
|
2016-04-25 12:28:35 -05:00
|
|
|
if args.encrypt < 1:
|
2016-04-24 17:05:46 -05:00
|
|
|
printmsg("Iterations must be >= 1", "ERROR")
|
|
|
|
sys.exit(1)
|
2016-04-25 12:28:35 -05:00
|
|
|
encrypt_file(args.encrypt)
|
2015-12-22 12:10:24 -06:00
|
|
|
|
2016-04-25 12:28:35 -05:00
|
|
|
if args.decrypt is not None:
|
2016-04-24 15:33:59 -05:00
|
|
|
if no_crypto:
|
|
|
|
printmsg("PyCrypto missing", "ERROR")
|
|
|
|
sys.exit(1)
|
2016-04-25 12:28:35 -05:00
|
|
|
if args.decrypt < 1:
|
2016-04-24 17:05:46 -05:00
|
|
|
printmsg("Decryption failed", "ERROR");
|
|
|
|
sys.exit(1)
|
2016-04-25 12:28:35 -05:00
|
|
|
decrypt_file(args.decrypt)
|
2015-12-22 12:10:24 -06:00
|
|
|
|
2016-04-24 16:18:56 -05:00
|
|
|
# Initialize the database and get handles
|
2015-11-05 09:18:51 -06:00
|
|
|
conn, cur = initdb()
|
|
|
|
|
2016-04-24 15:33:59 -05:00
|
|
|
# Add a record
|
|
|
|
if args.addurl is not None:
|
2016-04-25 11:23:03 -05:00
|
|
|
AddUpdateEntry(conn, cur, args.addurl, 0)
|
2016-03-19 10:55:13 -05:00
|
|
|
|
2016-05-02 12:42:29 -05:00
|
|
|
# Delete record(s)
|
2016-04-24 15:33:59 -05:00
|
|
|
if args.delete is not None:
|
2016-04-24 17:05:46 -05:00
|
|
|
if args.delete < 0:
|
|
|
|
printmsg("Index must be >= 0", "ERROR")
|
2016-05-01 11:42:42 -05:00
|
|
|
closequit(conn, 1)
|
2016-04-24 15:33:59 -05:00
|
|
|
cleardb(conn, cur, args.delete)
|
|
|
|
|
2016-04-25 13:43:28 -05:00
|
|
|
# Search URLs, titles, tags for any keyword
|
2016-05-17 10:57:12 -05:00
|
|
|
if args.sany is not None:
|
|
|
|
searchdb(cur, args.sany)
|
2016-04-25 13:43:28 -05:00
|
|
|
|
2016-05-17 10:57:12 -05:00
|
|
|
# Search URLs, titles, tags with all keywords
|
2016-04-24 15:33:59 -05:00
|
|
|
if args.sall is not None:
|
2016-05-18 12:23:08 -05:00
|
|
|
if args.sall[0] == 'blank' and len(args.sall) == 1:
|
2016-04-25 13:43:28 -05:00
|
|
|
printdb(cur, 0, True)
|
2016-03-19 10:55:13 -05:00
|
|
|
else:
|
2016-04-25 13:43:28 -05:00
|
|
|
searchdb(cur, args.sall, True)
|
2015-11-05 09:18:51 -06:00
|
|
|
|
2016-05-18 10:46:08 -05:00
|
|
|
# Search bookmarks by tag
|
2016-05-18 12:23:08 -05:00
|
|
|
if tagsearch == True:
|
|
|
|
if len(args.stag) > 0:
|
|
|
|
tag = ',' + " ".join(args.stag) + ','
|
|
|
|
searchTag(cur, tag)
|
|
|
|
else:
|
|
|
|
showUniqueTags(cur)
|
2016-05-18 10:46:08 -05:00
|
|
|
|
2016-04-21 12:48:42 -05:00
|
|
|
# Update record
|
|
|
|
if update == True:
|
2016-04-25 11:23:03 -05:00
|
|
|
if len(args.update) == 0:
|
|
|
|
dbRefresh(conn, cur, 0)
|
|
|
|
elif not args.update[0].isdigit():
|
|
|
|
printmsg("Index must be a number >= 0", "ERROR")
|
2016-05-01 11:42:42 -05:00
|
|
|
closequit(conn, 1)
|
2016-04-25 11:23:03 -05:00
|
|
|
elif int(args.update[0]) == 0:
|
|
|
|
dbRefresh(conn, cur, 0)
|
|
|
|
elif len(args.update) == 1:
|
|
|
|
printmsg("At least URL should be provided for non-zero index", "ERROR")
|
2016-05-01 11:42:42 -05:00
|
|
|
closequit(conn, 1)
|
2016-04-21 12:48:42 -05:00
|
|
|
else:
|
2016-04-25 11:23:03 -05:00
|
|
|
AddUpdateEntry(conn, cur, args.update[1:], int(args.update[0]))
|
2015-11-05 12:26:02 -06:00
|
|
|
|
2015-11-08 12:56:52 -06:00
|
|
|
# Print all records
|
2016-04-24 17:05:46 -05:00
|
|
|
if args.printindex is not None:
|
|
|
|
if args.printindex < 0:
|
|
|
|
printmsg("Index must be >= 0", "ERROR")
|
2016-05-01 11:42:42 -05:00
|
|
|
closequit(conn, 1)
|
2016-04-24 17:05:46 -05:00
|
|
|
printdb(cur, args.printindex)
|
2016-03-16 13:03:15 -05:00
|
|
|
|
2016-04-24 17:52:15 -05:00
|
|
|
# Replace a tag in DB
|
|
|
|
if args.replace is not None:
|
2016-04-29 12:29:06 -05:00
|
|
|
if len(args.replace) == 1:
|
|
|
|
replaceTags(conn, cur, args.replace[0])
|
2016-04-24 17:52:15 -05:00
|
|
|
else:
|
2016-04-29 12:29:06 -05:00
|
|
|
replaceTags(conn, cur, args.replace[0], args.replace[1:])
|
2016-03-25 02:52:52 -05:00
|
|
|
|
2015-11-10 05:20:30 -06:00
|
|
|
# Open URL in browser
|
2016-04-25 13:43:28 -05:00
|
|
|
if args.openurl is not None:
|
|
|
|
if args.openurl < 1:
|
|
|
|
printmsg("Index must be >= 1", "ERROR")
|
2016-05-01 11:42:42 -05:00
|
|
|
closequit(conn, 1)
|
2016-04-25 13:43:28 -05:00
|
|
|
fetchopen(args.openurl)
|
2016-03-25 02:52:52 -05:00
|
|
|
|
2016-05-02 12:42:29 -05:00
|
|
|
"""
|
|
|
|
# NOTE: Insert is functional but commented because DB compaction serves the purpose.
|
2016-04-25 08:06:23 -05:00
|
|
|
# Insert a record at an index
|
|
|
|
if args.insert is not None:
|
|
|
|
if not args.insert[0].isdigit():
|
|
|
|
printmsg("Index must be a number >= 1", "ERROR")
|
2016-05-01 11:42:42 -05:00
|
|
|
closequit(conn, 1)
|
2016-04-25 08:06:23 -05:00
|
|
|
insertindex = int(args.insert[0])
|
|
|
|
if insertindex < 1:
|
|
|
|
printmsg("Index must be a number >= 1", "ERROR")
|
2016-05-01 11:42:42 -05:00
|
|
|
closequit(conn, 1)
|
2016-04-25 08:06:23 -05:00
|
|
|
if len(args.insert) == 1:
|
2016-04-25 13:43:28 -05:00
|
|
|
pass # No operation
|
2016-04-25 08:06:23 -05:00
|
|
|
else:
|
2016-04-25 11:23:03 -05:00
|
|
|
AddUpdateEntry(conn, cur, args.insert[1:], 0, insertindex)
|
2016-04-25 12:33:07 -05:00
|
|
|
"""
|
2015-11-05 21:40:44 -06:00
|
|
|
|
2015-11-08 12:56:52 -06:00
|
|
|
# Close the connection before exiting
|
2015-11-01 14:04:41 -06:00
|
|
|
conn.close()
|