Shantanu's Blog

Database Consultant

April 24, 2013

 

SQLite with Python examples

import sqlite3
conn = sqlite3.connect('/root/accounts.db', timeout=10)
c = conn.cursor()

c.execute('''CREATE TABLE stocks (date text, trans text, symbol text, qty real, price real)''')
c.execute("INSERT INTO stocks VALUES ('2006-01-05','BUY','RHAT',100,35.14)")

# Do this instead
t = ('2013-01-05','BUY','RHAT',100,35.14)

c.execute('INSERT INTO stocks VALUES (?,?,?,?,?)', t)

# Larger example that inserts many records at a time
purchases = [('2014-03-28', 'BUY', 'IBM', 1000, 45.00),
             ('2015-04-05', 'BUY', 'MSFT', 1000, 72.00),
             ('2016-04-06', 'SELL', 'IBM', 500, 53.00),
            ]
c.executemany('INSERT INTO stocks VALUES (?,?,?,?,?)', purchases)

# print all rows
for row in c.execute('SELECT * FROM stocks ORDER BY price'):
        print row

conn.commit()
conn.close()

_____

conn = sqlite3.connect('/Users/test/Desktop/my-accounts.db')
currentAccount = None

for row in conn.execute('SELECT email FROM accounts WHERE active=0'):
    currentAccount = row[0]
    print "Checking out: ",currentAccount
    break

if currentAccount is None:
    print "No available accounts"
else:
    conn.execute('UPDATE accounts SET active=1 WHERE email=?', [currentAccount,])
conn.close()

conn.commit()

_____

# A minimal SQLite shell for experiments

import sqlite3

con = sqlite3.connect(":memory:")
con.isolation_level = None
cur = con.cursor()

buffer = ""

print "Enter your SQL commands to execute in sqlite3."
print "Enter a blank line to exit."

while True:
    line = raw_input()
    if line == "":
        break
    buffer += line
    if sqlite3.complete_statement(buffer):
        try:
            buffer = buffer.strip()
            cur.execute(buffer)

            if buffer.lstrip().upper().startswith("SELECT"):
                print cur.fetchall()
        except sqlite3.Error as e:
            print "An error occurred:", e.args[0]
        buffer = ""

con.close()

_____


sqlite3 is the obvious alternative for a persistent store in python.
But its powerful SQL interface can be too complex when you just want a dict.

import sqlite3dbm
db = sqlite3dbm.sshelve.open('mydb.sqlite3')
db['foo'] = {'count': 100, 'ctr': .3}
db['bar'] = {'count': 314, 'ctr': .168}
db.items()
[('foo', {'count': 100, 'ctr': 0.29999999999999999}), ('bar', {'count': 314, 'ctr': 0.16800000000000001})]

db['foo']['count']
100

// if dbm is not installed...
easy_install sqlite3dbm

Labels: ,


 

Manage DynamoDB using python

// connect
import boto.dynamodb
conn = boto.connect_dynamodb (aws_access_key_id='', aws_secret_access_key='')

// list tables
conn.list_tables()
[u'MTA', u'reply']

// select table
table = conn.get_table('reply')

// select a record
item = table.get_item(hash_key='Amazon DynamoDB#DynamoDB Thread 2', range_key='2012-01-31 23:28:40')
print item

// update record
item['PostedBy'] = 'User X'
item.put()

// delete record
item.delete()

// add record
item_data = {
        'Message': 'DynamoDB Thread 3 Reply 4 text',
        'SentBy': 'User A',
        'PostedBy': 'User oksoft',
        'ReceivedTime': '12/9/2011 11:36:03 PM',
    }

item = table.new_item(
        # Our hash key is 'forum'
        hash_key='Amazon DynamoDB#DynamoDB Thread 3',
        # Our range key is 'subject'
        range_key='2013-04-24 23:28:40',
        # This has the
        attrs=item_data
    )

item.put()

Labels: ,


April 21, 2013

 

S3 versioning

It is possible to recover a deleted file if S3 versioning is enabled.
We simply need to find the version ID of the deleted file and restore it back on S3.

import boto
c = boto.connect_s3('access-key','secret-key')
bucket = c.get_bucket('todelapr15')

rs = bucket.list_versions()
for key in rs:
  print key, key.version_id

The above code will list all the files and their version ID as shown below.

74eHPzvO1HpNvyujXn1.hs.UG5yObfh_
p7uMSJjrNLwJbclPPbYo56TPyb1L4asu
gjhBuYB4RgpwGJt6DCbIFHVBX7Od_hP.
IoBQ7FB1h4kDJrvzLlDmhPtBRts.14RF
WN4oSvCvoOmfmnAPT5pZS.YFCohyrvjh
Im3ci98wSsng8vaAZNDBsw8hoaTYcR2l

The deleted file needs to be copied first to a new location before it can be downloaded.


bucket.copy_key('new_ptty.exe', 'todelapr15/testing', 'ptty.exe', metadata=None, src_version_id='WN4oSvCvoOmfmnAPT5pZS.YFCohyrvjh')

Labels: ,


 

python and YAML


YAML is a human friendly data serialization standard for all programming languages including python.

>>> import yaml
>>> document = """
  a: 1
  b:
    c: 3
    d: 4
"""

>>>print yaml.dump(yaml.load(document))
a: 1
b: {c: 3, d: 4}

>>> print yaml.dump(yaml.load(document), default_flow_style=False)
a: 1
b:
  c: 3
  d: 4

https://pypi.python.org/pypi/PyYAML

Labels:


 

run any shell command in python


Here is how to run a command in python and get the standard out and error out responses saved as variables.

>>> import envoy
>>> r = envoy.run('git config', data='data ', timeout=2)

>>> r.status_code
129
>>> r.std_out
'usage: git config [options]'
>>> r.std_err
''

Labels: ,


April 09, 2013

 

S3 to Glacier

Here is how to take the backup to Glacier from the S3 folder
http://docs.pythonboto.org/en/latest/s3_tut.html#transitioning-objects-to-glacier

// connect to the parent folder that will be archived to glacier
import boto
c = boto.connect_s3('acess-key','secret-key')
bucket = c.get_bucket('todelapr09')

// all objects under logs/* to Glacier after 1 day
from boto.s3.lifecycle import Lifecycle, Transition, Rule
to_glacier = Transition(days=1, storage_class='GLACIER')
rule = Rule('ruleid', 'logs/', 'Enabled', transition=to_glacier)
lifecycle = Lifecycle()
lifecycle.append(rule)
bucket.configure_lifecycle(lifecycle)

// confirm if the policy is set
current = bucket.get_lifecycle_config()
print current[0].transition

// confirm the storate engine has changed:
>>> for key in bucket.list():
...   print key, key.storage_class

// Or use prefix argument to the bucket.list method:
>>> print list(b.list(prefix='logs/testlog1.log'))[0].storage_class

// Restore from Glacier to S3
>>> key = bucket.get_key('logs1/Config.py')
>>> key.restore(days=5)

// Download from S3
>>> key.get_contents_to_filename('testlog1.log')

Labels: ,


April 05, 2013

 

glacier and boto


Here are 3 python scripts those will help to keep track of Glacier activity.
_____

Archive File Upload

from boto.glacier.layer1 import Layer1
from boto.glacier.vault import Vault
from boto.glacier.concurrent import ConcurrentUploader
import sys
import os.path

access_key = "..."
secret_key = "..."
target_vault_name = '...'

fname = sys.argv[1]

if(os.path.isfile(fname) == False):
    print("Can't find the file to upload!");
    sys.exit(-1);

glacier_layer1 = Layer1(aws_access_key_id=access_key, aws_secret_access_key=secret_key)

uploader = ConcurrentUploader(glacier_layer1, target_vault_name, 32*1024*1024)

print("operation starting...");

archive_id = uploader.upload(fname, fname)

print("Success! archive id: '%s'"%(archive_id))
_____

Initiate Job to Get Vault Inventory

from boto.glacier.layer1 import Layer1
from boto.glacier.vault import Vault
from boto.glacier.job import Job
import sys
import os.path
import json

access_key = "..."
secret_key = "..."
target_vault_name = '...'

glacier_layer1 = Layer1(aws_access_key_id=access_key, aws_secret_access_key=secret_key)

print("operation starting...");

job_id = glacier_layer1.initiate_job(target_vault_name, {"Description":"inventory-job", "Type":"inventory-retrieval", "Format":"JSON"})

print("inventory job id: %s"%(job_id,));

print("Operation complete.")
_____

Read Vault Inventory Job Result

from boto.glacier.layer1 import Layer1
from boto.glacier.vault import Vault
from boto.glacier.job import Job
import sys
import os.path
import json

access_key = "..."
secret_key = "..."
target_vault_name = '...'

if(len(sys.argv) < 2):
    jobid = None
else:
    jobid = sys.argv[1]

glacier_layer1 = Layer1(aws_access_key_id=access_key, aws_secret_access_key=secret_key)

print("operation starting...");

if(jobid != None):
    print glacier_layer1.get_job_output(target_vault_name, jobid)
else:
    print glacier_layer1.list_jobs(target_vault_name, completed=False)

print("Operation complete.")

Labels: ,


April 04, 2013

 

command line for redshift and glacier

This shell script can be set in a cron that will check if any redshift cluster is active at the end of the day and then drop the cluster after taking the snapshot.

59 23 * * * /root/aws.sh > /root/aws_succ.txt 2> /root/aws_err.txt

#!/bin/sh

# make sure amazon command line interface is installed
# http://aws.amazon.com/cli/

export AWS_ACCESS_KEY_ID=ABC
export AWS_SECRET_ACCESS_KEY=PQR+XYZ
export AWS_DEFAULT_REGION=us-east-1

identifier=`aws redshift describe-clusters | grep ClusterIdentifier | awk -F ':' '{print $2}' | sed 's/"//g' | sed 's/,//g'`

aws redshift delete-cluster --cluster-identifier $identifier --final-cluster-snapshot-identifier $identifier.`date '+%b%d'`

if [$? -eq 0 ];then
echo "successfully delete $identifier"
else
echo "error"
fi


_____

python is recommended to upload files to glacier.

cat import.py

# python can be used if boto is installed
# https://boto.readthedocs.org/en/latest/getting_started.html

# Import boto's layer2
import boto.glacier.layer2

# Various variables for AWS creds, vault name, local file name
awsAccess = "ABC"
awsSecret = "PQR+XYZ"
vaultName = "company_backup"

fileName = "backup.sql"

# Create a Layer2 object to connect to Glacier
l = boto.glacier.layer2.Layer2(aws_access_key_id=awsAccess, aws_secret_access_key=awsSecret)

# Get a vault based on vault name (assuming you created it already)
v = l.get_vault(vaultName)

# Create an archive from a local file on the vault
archiveID = v.create_archive_from_file(fileName)

# If you ever want, you can delete the archive on the vault
# with the archive ID.
# v.delete_archive(archiveID)

### perl or php can be used to upload a file to glacier

# perl glacier upload utility is here
# http://mt-aws.com/
# ./mtglacier upload-file --config=glacier.cfg --vault=Viva_Test --journal=journal.log --dir /root/ --filename=/root/test.pl

# php can be used if php SDK is installed
# http://aws.amazon.com/sdkforphp/

Labels: ,


Archives

June 2001   July 2001   January 2003   May 2003   September 2003   October 2003   December 2003   January 2004   February 2004   March 2004   April 2004   May 2004   June 2004   July 2004   August 2004   September 2004   October 2004   November 2004   December 2004   January 2005   February 2005   March 2005   April 2005   May 2005   June 2005   July 2005   August 2005   September 2005   October 2005   November 2005   December 2005   January 2006   February 2006   March 2006   April 2006   May 2006   June 2006   July 2006   August 2006   September 2006   October 2006   November 2006   December 2006   January 2007   February 2007   March 2007   April 2007   June 2007   July 2007   August 2007   September 2007   October 2007   November 2007   December 2007   January 2008   February 2008   March 2008   April 2008   July 2008   August 2008   September 2008   October 2008   November 2008   December 2008   January 2009   February 2009   March 2009   April 2009   May 2009   June 2009   July 2009   August 2009   September 2009   October 2009   November 2009   December 2009   January 2010   February 2010   March 2010   April 2010   May 2010   June 2010   July 2010   August 2010   September 2010   October 2010   November 2010   December 2010   January 2011   February 2011   March 2011   April 2011   May 2011   June 2011   July 2011   August 2011   September 2011   October 2011   November 2011   December 2011   January 2012   February 2012   March 2012   April 2012   May 2012   June 2012   July 2012   August 2012   October 2012   November 2012   December 2012   January 2013   February 2013   March 2013   April 2013   May 2013   June 2013   July 2013   September 2013   October 2013   January 2014   March 2014   April 2014   May 2014   July 2014   August 2014   September 2014   October 2014   November 2014   December 2014   January 2015   February 2015   March 2015   April 2015   May 2015   June 2015   July 2015   August 2015   September 2015   January 2016   February 2016   March 2016   April 2016   May 2016   June 2016   July 2016   August 2016   September 2016   October 2016   November 2016   December 2016   January 2017   February 2017   April 2017   May 2017   June 2017   July 2017   August 2017   September 2017   October 2017   November 2017   December 2017   February 2018   March 2018   April 2018   May 2018   June 2018   July 2018   August 2018   September 2018   October 2018   November 2018   December 2018   January 2019   February 2019   March 2019   April 2019   May 2019   July 2019   August 2019   September 2019   October 2019   November 2019   December 2019   January 2020   February 2020   March 2020   April 2020   May 2020   July 2020   August 2020   September 2020   October 2020   December 2020   January 2021   April 2021   May 2021   July 2021   September 2021   March 2022   October 2022   November 2022   March 2023   April 2023   July 2023   September 2023   October 2023   November 2023  

This page is powered by Blogger. Isn't yours?