add settee
add settee


Former-commit-id: 8203d752e1039f49fd4e70908447eacbcfabd25b

--- /dev/null
+++ b/couchdb/settee/.travis.yml
@@ -1,1 +1,6 @@
+language: php
+phps:
+  - 5.3
+  - 5.4
+before_script: cd tests/
 

--- /dev/null
+++ b/couchdb/settee/LICENSE.txt
@@ -1,1 +1,9 @@
+(The MIT License)
 
+Copyright (c) 2011 Irakli Nadareishvili
+
+Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the 'Software'), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.

--- /dev/null
+++ b/couchdb/settee/README.textile
@@ -1,1 +1,60 @@
+Inspired by: "CouchRest library for Ruby":http://jchrisa.net/drl/_design/sofa/_list/post/post-page?startkey=%5B%22couchrest__restful_ruby_client_%22%5D and the "couchdb-python":http://packages.python.org/CouchDB/client.html#document library.
 
+h3. Server Functions
+
+# Specify a server: 
+@$server = new SetteeServer('http://127.0.0.1:5984');@
+# Database API
+## Create a database:
+@$ret = $server->create_db('irakli_test');@ 
+## Drop a database:
+@$ret = $server->drop_db('irakli_test');@ 
+## List all databases:
+@$ret = $server->list_dbs();@
+## Get a database object
+@$db = $server->get_db('irakli_test');@
+# Document API
+## Create/Update a document:
+@$ret = $db->save($doc);@
+## Retrieve a document:
+@$db_doc = $db->get($id);@
+## Determine the latest revision_id for a document:
+@$rev = $db->get_rev($id);@
+## Delete a document:
+@$db_doc = $db->delete($doc);@
+# Attachments API
+## Add  content as attachment:
+@$db->add_attachment($doc, "foo.txt", "Some text that will be base64 encoded", "text/plain");@
+## Add a file path to be attached:
+@$db->add_attachment_file($doc, "foo.pdf", $file_path, "application/pdf");@
+## Add a file path to be attached (mime-type is auto-detected):
+@$db->add_attachment_file($doc, "foo.pdf", $file_path);@
+## Full attachment saving example:
+    $doc = new stdClass();
+    $doc->_id = "attachment_doc";
+    $file_path = dirname(__FILE__) . "/resources/couch-logo.pdf";
+    $this->db->add_attachment_file($doc, "foo.pdf", $file_path, "application/pdf");
+    $db_doc = $this->db->save($doc);
+## ATTENTION: there is no "load_attachments" method, because when you load a document, all its attachments get loaded with it, as well.
+# Views API
+## Create a new view or save a view:
+@$view = $db->save_view("some_design_document_id", "a_view_name", $map_src);@
+@$view = $db->save_view("some_design_document_id", "a_view_name", $map_src, $reduce_src);@
+## Get a view (run query and get results):
+@$view = $db->get_view("some_design_document_id", "a_view_name");@
+## Parametrized view:
+@$view = $db->get_view("some_design_document_id", "a_view_name", "2009/02/17 21:13:39");@
+## Parametrized view with key range:
+@$view = $db->get_view("some_design_document_id", "a_view_name", array("2009/01/30 18:04:11", "2009/02/17 21:13:39"));@
+## Parametrized view with key range, ordered descending:
+@$view = $db->get_view("some_design_document_id", "a_view_name", array("2009/01/30 18:04:11", "2009/02/17 21:13:39"), true);@
+
+
+h3. Requirements
+# PHP 5.2 or newer
+
+h3. Recommended
+# PHP 5.3 or newer. With PHP 5.2 following functionality will not work:
+## Some unit-tests
+## Mime type auto-detection.
+# pecl_http

--- /dev/null
+++ b/couchdb/settee/examples/db.ops.php
@@ -1,1 +1,50 @@
+#!/usr/bin/env php
 
+<?php
+
+require (realpath(dirname(__FILE__) . '/../src/settee.php'));
+
+$server = new SetteeServer('http://127.0.0.1:5984');
+
+
+$dbs = array (
+  1 => "settee_test_perf_01",
+  2 => "settee_test_perf_02",
+  3 => "settee_test_perf_03",
+);
+
+print ("creating databases: \n");
+
+foreach ($dbs as $db) {
+  $start = microtime(true);
+  try {
+    $ret = $server->create_db($db);
+  } catch (Exception $e) {
+    //-- re-throw. this is just for demo
+    throw $e;
+  }
+  $elapsed = microtime(true) - $start;
+  print("Time elapsed: $elapsed \n");
+}
+
+$ret = $server->list_dbs();
+print_r($ret);
+print ("\n");
+
+print ("dropping databases: \n");
+
+foreach ($dbs as $db) {
+  $start = microtime(true);
+  try {
+    $ret = $server->drop_db($db);
+  } catch (Exception $e) {
+    //-- re-throw. this is just for demo
+    throw $e;
+  }
+  $elapsed = microtime(true) - $start;
+  print("Time elapsed: $elapsed \n");
+}
+
+$ret = $server->list_dbs();
+print_r($ret);
+

--- /dev/null
+++ b/couchdb/settee/examples/doc.ops.php
@@ -1,1 +1,40 @@
+#!/usr/bin/env php
 
+<?php
+
+require (realpath(dirname(__FILE__) . '/../src/settee.php'));
+
+$server = new SetteeServer('http://127.0.0.1:5984');
+$dname = 'irakli';
+$db = $server->get_db('irakli');
+
+try {
+  $server->create_db($db);
+} catch (Exception $e) {
+  print_r("database irakli already exists! \n");
+}
+
+$doc = new StdClass();
+$doc->firstName = "Irakli";
+$doc->lastName = "Nadareishvili";
+$doc->IQ = 200;
+$doc->hobbies = array("skiing", "swimming");
+$doc->pets = array ("whitey" => "labrador", "mikey" => "pug");
+
+// Should work with json string as well:
+//$doc = '{"firstName":"irakli","lastName":"Nadareishvili","IQ":200,"hobbies":["skiing","swimming"],"pets":{"whitey":"labrador","mikey":"pug"}}';
+
+$doc = $db->save($doc);
+print_r($doc);
+
+$doc = $db->get($doc->_id);
+print_r($doc);
+
+$doc->firstName = "Ika";
+$doc = $db->save($doc);
+print_r($doc);
+
+$db->delete($doc);
+
+
+

--- /dev/null
+++ b/couchdb/settee/src/classes/SetteeDatabase.class.php
@@ -1,1 +1,310 @@
-
+<?php
+
+/**
+* Databaase class.
+*/
+class SetteeDatabase {
+
+  /**
+  * Base URL of the CouchDB REST API
+  */
+  private $conn_url;
+  
+  /**
+  * HTTP REST Client instance
+  */
+  protected $rest_client;
+  
+  /**
+  * Name of the database
+  */
+  private $dbname;
+  
+  /**
+  * Default constructor
+  */ 
+  function __construct($conn_url, $dbname) {
+    $this->conn_url = $conn_url;
+    $this->dbname = $dbname;
+    $this->rest_client = SetteeRestClient::get_instance($this->conn_url);
+  }
+
+
+  /**
+  * Get UUID from CouchDB
+  *
+  * @return
+  *     CouchDB-generated UUID string
+  *
+  */
+  function gen_uuid() {
+    $ret = $this->rest_client->http_get('_uuids');
+    return $ret['decoded']->uuids[0]; // should never be empty at this point, so no checking
+  }
+
+ /**
+  * Create or update a document database
+  *
+  * @param $document
+  *     PHP object, a PHP associative array, or a JSON String representing the document to be saved. PHP Objects and arrays are JSON-encoded automatically.
+  *
+  * <p>If $document has a an "_id" property set, it will be used as document's unique id (even for "create" operation).
+  * If "_id" is missing, CouchDB will be used to generate a UUID.
+  *
+  * <p>If $document has a "_rev" property (revision), document will be updated, rather than creating a new document.
+  * You have to provide "_rev" if you want to update an existing document, otherwise operation will be assumed to be
+  * one of creation and you will get a duplicate document exception from CouchDB. Also, you may not provide "_rev" but
+  * not provide "_id" since that is an invalid input.
+  *
+  * @param $allowRevAutoDetection
+  *   Default: false. When true and _rev is missing from the document, save() function will auto-detect latest revision
+  * for a document and use it. This option is "false" by default because it involves an extra http HEAD request and
+  * therefore can make save() operation slightly slower if such auto-detection is not required.
+  *
+  * @return
+  *     document object with the database id (uuid) and revision attached;
+  *
+  *  @throws SetteeCreateDatabaseException
+  */
+  function save($document, $allowRevAutoDetection = false) {
+    if (is_string($document)) {
+      $document = json_decode($document);
+    }
+
+    // Allow passing of $document as an array (for syntactic simplicity and also because in JSON world it does not matter) 
+    if(is_array($document)) {
+      $document = (object) $document;
+    }
+
+    if (empty($document->_id) && empty($document->_rev)) {
+      $id = $this->gen_uuid();
+    }
+    elseif (empty($document->_id) && !empty($document->_rev)) {
+      throw new SetteeWrongInputException("Error: You can not save a document with a revision provided, but missing id");
+    }
+    else {
+      $id = $document->_id;
+
+      if ($allowRevAutoDetection) {
+        try {
+          $rev = $this->get_rev($id);
+        } catch (SetteeRestClientException $e) {
+          // auto-detection may fail legitimately, if a document has never been saved before (new doc), so skipping error
+        }
+        if (!empty($rev)) {
+          $document->_rev = $rev;
+        }
+      }
+    }
+    
+    $full_uri = $this->dbname . "/" . $this->safe_urlencode($id);
+    $document_json = json_encode($document, JSON_NUMERIC_CHECK);
+    
+    $ret = $this->rest_client->http_put($full_uri, $document_json);
+
+    $document->_id = $ret['decoded']->id;
+    $document->_rev = $ret['decoded']->rev;
+
+    return $document;
+  }
+
+  /**
+   * @param  $doc
+   * @param  $name
+   * @param  $content
+   *    Content of the attachment in a string-buffer format. This function will automatically base64-encode content for
+   *    you, so you don't have to do it.
+   * @param  $mime_type
+   *    Optional. Will be auto-detected if not provided
+   * @return void
+   */
+  public function add_attachment($doc, $name, $content, $mime_type = null) {
+    if (empty($doc->_attachments) || !is_object($doc->_attachments)) {
+      $doc->_attachments = new stdClass();
+    }
+
+    if (empty($mime_type)) {
+      $mime_type = $this->rest_client->content_mime_type($content);
+    }
+
+    $doc->_attachments->$name = new stdClass();
+    $doc->_attachments->$name->content_type = $mime_type;
+    $doc->_attachments->$name->data = base64_encode($content);
+  }  
+
+  /**
+   * @param  $doc
+   * @param  $name
+   * @param  $file
+   *    Full path to a file (e.g. as returned by PHP's realpath function).
+   * @param  $mime_type
+   *    Optional. Will be auto-detected if not provided
+   * @return void
+   */
+  public function add_attachment_file($doc, $name, $file, $mime_type = null) {
+    $content = file_get_contents($file);
+    $this->add_attachment($doc, $name, $content, $mime_type);
+  }
+
+  /**
+   *
+   * Retrieve a document from CouchDB
+   *
+   * @throws SetteeWrongInputException
+   * 
+   * @param  $id
+   *    Unique ID (usually: UUID) of the document to be retrieved.
+   * @return
+   *    database document in PHP object format.
+   */
+  function get($id) {
+    if (empty($id)) {
+      throw new SetteeWrongInputException("Error: Can't retrieve a document without a uuid.");
+    }
+
+    $full_uri = $this->dbname . "/" . $this->safe_urlencode($id);
+$full_uri = str_replace("%3Frev%3D","?rev=",$full_uri);
+    $ret = $this->rest_client->http_get($full_uri);
+    return $ret['decoded'];
+  }
+
+    /**
+   *
+   * Get the latest revision of a document with document id: $id in CouchDB.
+   *
+   * @throws SetteeWrongInputException
+   *
+   * @param  $id
+   *    Unique ID (usually: UUID) of the document to be retrieved.
+   * @return
+   *    database document in PHP object format.
+   */
+  function get_rev($id) {
+    if (empty($id)) {
+      throw new SetteeWrongInputException("Error: Can't query a document without a uuid.");
+    }
+
+    $full_uri = $this->dbname . "/" . $this->safe_urlencode($id);
+    $headers = $this->rest_client->http_head($full_uri);
+	if (empty($headers['Etag'])) {
+	  throw new SetteeRestClientException("Error: could not retrieve revision. Server unexpectedly returned empty Etag");
+	}
+    $etag = str_replace('"', '', $headers['Etag']);
+    return $etag;
+  }
+  
+  /**
+  * Delete a document
+  *
+  * @param $document
+  *    a PHP object or JSON representation of the document that has _id and _rev fields.
+  *
+  * @return void 
+  */  
+  function delete($document) {
+    if (!is_object($document)) {
+      $document = json_decode($document);
+    }
+
+    $full_uri = $this->dbname . "/" . $this->safe_urlencode($document->_id) . "?rev=" . $document->_rev;
+    $this->rest_client->http_delete($full_uri);
+  }
+
+  
+  /*-----------------  View-related functions --------------*/
+
+  /**
+   * Create a new view or update an existing one.
+   *
+   * @param  $design_doc
+   * @param  $view_name
+   * @param  $map_src
+   *    Source code of the map function in Javascript
+   * @param  $reduce_src
+   *    Source code of the reduce function  in Javascript (optional)
+   * @return void
+   */
+  function save_view($design_doc, $view_name, $map_src, $reduce_src = null) {
+    $obj = new stdClass();
+    $obj->_id = "_design/" . urlencode($design_doc);
+    $view_name = urlencode($view_name);
+    $obj->views->$view_name->map = $map_src;
+    if (!empty($reduce_src)) {
+      $obj->views->$view_name->reduce = $reduce_src;
+    }
+
+    // allow safe updates (even if slightly slower due to extra: rev-detection check).
+    return $this->save($obj, true);
+  }
+
+  /**
+   * Create a new view or update an existing one.
+   *
+   * @param  $design_doc
+   * @param  $view_name
+   * @param  $key
+   *    key parameter to a view. Can be a single value or an array (for a range). If passed an array, function assumes
+   *    that first element is startkey, second: endkey.
+   * @param  $descending
+   *    return results in descending order. Please don't forget that if you are using a startkey/endkey, when you change
+   *  order you also need to swap startkey and endkey values!
+   * 
+   * @return void
+   */
+  function get_view($design_doc, $view_name, $key = null, $descending = false, $limit = false) {
+    $id = "_design/" . urlencode($design_doc);
+    $view_name = urlencode($view_name);
+    $id .= "/_view/$view_name";
+
+    $data = array();
+    if (!empty($key)) {
+      if (is_string($key)) {
+        $data = "key=" . '"' . $key . '"';
+      }
+      elseif (is_array($key)) {
+        list($startkey, $endkey) = $key;
+        $data = "startkey=" . '"' . $startkey . '"&' . "endkey=" . '"' . $endkey . '"';
+      }
+
+      if ($descending) {
+        $data .= "&descending=true";
+      }
+      if ($limit) {
+          $data .= "&limit=".$limit;
+      }
+    }
+
+
+
+    if (empty($id)) {
+      throw new SetteeWrongInputException("Error: Can't retrieve a document without a uuid.");
+    }
+
+    $full_uri = $this->dbname . "/" . $this->safe_urlencode($id);
+$full_uri = str_replace("%253Fgroup%253D","?group=",$full_uri);
+$full_uri = str_replace("%253Flimit%253D","?limit=",$full_uri);
+    $ret = $this->rest_client->http_get($full_uri, $data);
+    return $ret['decoded'];
+    
+  }
+
+  /**
+   * @param  $id
+   * @return
+   *    return a properly url-encoded id.
+   */
+  private function safe_urlencode($id) {
+    //-- System views like _design can have "/" in their URLs.
+    $id = rawurlencode($id);
+    if (substr($id, 0, 1) == '_') {
+      $id = str_replace('%2F', '/', $id);
+    }
+    return $id;
+  }
+  
+  /** Getter for a database name */
+  function get_name() {
+    return $this->dbname;
+  }
+
+}

--- /dev/null
+++ b/couchdb/settee/src/classes/SetteeRestClient.class.php
@@ -1,1 +1,246 @@
-
+<?php
+
+/**
+* HTTP REST Client for CouchDB API
+*/
+class SetteeRestClient {
+  
+  /**
+  * HTTP Timeout in Milliseconds
+  */
+  const HTTP_TIMEOUT = 2000;
+  
+  private $base_url;
+  private $curl;
+  
+  private static $curl_workers = array();
+
+  /**
+  * Singleton factory method   
+  */
+  static function get_instance($base_url) {
+
+    if (empty(self::$curl_workers[$base_url])) {
+      self::$curl_workers[$base_url] = new SetteeRestClient($base_url);
+    }
+    
+    return self::$curl_workers[$base_url];
+  }
+  
+  /**
+  * Class constructor
+  */
+  private function __construct($base_url) {
+    $this->base_url = $base_url;
+
+    $curl = curl_init();
+    curl_setopt($curl, CURLOPT_USERAGENT, "Settee CouchDB Client/1.0");
+    curl_setopt($curl, CURLOPT_HTTPHEADER, array('Content-Type: application/json'));
+    curl_setopt($curl, CURLOPT_RETURNTRANSFER, 1);
+    curl_setopt($curl, CURLOPT_HEADER, 0);
+    curl_setopt($curl, CURLOPT_FOLLOWLOCATION, 1);
+    curl_setopt($curl, CURLOPT_TIMEOUT_MS, self::HTTP_TIMEOUT);
+    curl_setopt($curl, CURLOPT_FORBID_REUSE, false); // Connection-pool for CURL
+
+    $this->curl = $curl;
+    
+  }
+
+ /**
+  * Class destructor cleans up any resources
+  */
+  function __destruct() {
+     curl_close($this->curl);
+  }
+
+ /**
+  * HTTP HEAD
+  *
+  * @return
+  *     Raw HTTP Headers of the response.
+  *
+  * @see: http://www.php.net/manual/en/context.params.php
+  * 
+  */
+  function http_head($uri) {
+    curl_setopt($this->curl, CURLOPT_HEADER, 1);
+
+    $full_url = $this->get_full_url($uri);
+    curl_setopt($this->curl, CURLOPT_URL, $full_url);
+    curl_setopt($this->curl, CURLOPT_CUSTOMREQUEST, 'HEAD');
+    curl_setopt($this->curl, CURLOPT_NOBODY, true);
+
+
+    $response = curl_exec($this->curl);
+    // Restore default values
+    curl_setopt($this->curl, CURLOPT_NOBODY, false);
+    curl_setopt($this->curl, CURLOPT_HEADER, false);
+    
+    $resp_code = curl_getinfo($this->curl, CURLINFO_HTTP_CODE);
+    if ($resp_code == 404 ) {
+      throw new SetteeRestClientException("Couch document not found at: '$full_url'");
+    }
+
+    if (function_exists('http_parse_headers')) {
+      $headers = http_parse_headers($response);
+    }
+    else {
+      $headers = $this->_http_parse_headers($response);
+    }
+    
+    return $headers;
+  }
+
+  /**
+   * Backup PHP impl. for when PECL http_parse_headers() function is not available
+   *
+   * @param  $header
+   * @return array
+   * @source http://www.php.net/manual/en/function.http-parse-headers.php#77241
+   */
+  private function _http_parse_headers( $header ) {
+    $retVal = array();
+    $fields = explode("\r\n", preg_replace('/\x0D\x0A[\x09\x20]+/', ' ', $header));
+    foreach( $fields as $field ) {
+        if( preg_match('/([^:]+): (.+)/m', $field, $match) ) {
+            $match[1] = preg_replace('/(?<=^|[\x09\x20\x2D])./e', 'strtoupper("\0")', strtolower(trim($match[1])));
+            if( isset($retVal[$match[1]]) ) {
+                $retVal[$match[1]] = array($retVal[$match[1]], $match[2]);
+            } else {
+                $retVal[$match[1]] = trim($match[2]);
+            }
+        }
+    }
+    return $retVal;
+  }
+
+  /**
+  * HTTP GET
+  */
+  function http_get($uri, $data = array()) {
+    $data = (is_array($data)) ? http_build_query($data) : $data;
+    if (!empty($data)) {
+      $uri .= "?$data";
+    }
+    return $this->http_request('GET', $uri);
+  }
+  
+  /**
+  * HTTP PUT
+  */
+  function http_put($uri, $data = array()) {
+    return $this->http_request('PUT', $uri, $data);
+  }
+
+  /**
+  * HTTP DELETE
+  */
+  function http_delete($uri, $data = array()) {
+    return $this->http_request('DELETE', $uri, $data);
+  }
+
+  /**
+   * Generic implementation of a HTTP Request.
+   *
+   * @param $http_method
+   * @param  $uri
+   * @param array $data
+   * @return
+   *  an array containing json and decoded versions of the response.
+   */
+  private function http_request($http_method, $uri, $data = array()) {
+    $data = (is_array($data)) ? http_build_query($data) : $data;
+
+    if (!empty($data)) {
+      curl_setopt($this->curl, CURLOPT_HTTPHEADER, array('Content-Length: ' . strlen($data)));
+      curl_setopt($this->curl, CURLOPT_POSTFIELDS, $data);
+    }
+
+    curl_setopt($this->curl, CURLOPT_URL, $this->get_full_url($uri));
+    curl_setopt($this->curl, CURLOPT_CUSTOMREQUEST, $http_method);
+
+    $response = curl_exec($this->curl);
+    $response_decoded = $this->decode_response($response);
+    $response = array('json' => $response, 'decoded'=>$response_decoded);
+
+    $this->check_status($response,$uri);
+
+    return $response;
+  }
+  
+  /**
+   * Check http status for safe return codes
+   *
+   * @throws SetteeRestClientException
+   */
+  private function check_status($response,$uri) {
+    $resp_code = curl_getinfo($this->curl, CURLINFO_HTTP_CODE);
+
+    if ($resp_code < 199 || $resp_code > 399 || !empty($response['decoded']->error)) {
+      $msg = "CouchDB returned: \"HTTP 1.1. $resp_code\". ERROR: " . $response['json'] . $uri;
+      throw new SetteeRestClientException($msg);
+    }
+  }
+
+  /**
+   * @param  $path
+   *    Full path to a file (e.g. as returned by PHP's realpath function).
+   * @return void
+   */
+  public function file_mime_type ($path)  {
+    $ftype = 'application/octet-stream';
+    
+    if (function_exists("finfo_file")) {
+      $finfo = new finfo(FILEINFO_MIME_TYPE | FILEINFO_SYMLINK);
+      $fres = $finfo->file($path);
+      if (is_string($fres) && !empty($fres)) {
+         $ftype = $fres;
+      }
+    }
+
+    return $ftype;
+  }
+
+  /**
+   * @param  $content
+   *    content of a file in a string buffer format.
+   * @return void
+   */
+  public function content_mime_type ($content)  {
+    $ftype = 'application/octet-stream';
+
+    if (function_exists("finfo_file")) {
+      $finfo = new finfo(FILEINFO_MIME_TYPE | FILEINFO_SYMLINK);
+      $fres = $finfo->buffer($content);
+      if (is_string($fres) && !empty($fres)) {
+         $ftype = $fres;
+      }
+    }
+
+    return $ftype;
+  }
+  
+
+  /**
+   *
+   * @param $json
+   *    json-encoded response from CouchDB
+   * 
+   * @return
+   *    decoded PHP object
+   */
+  private function decode_response($json) {
+    return json_decode($json);
+  }
+
+  /**
+  * Get full URL from a partial one
+  */
+  private function get_full_url($uri) {
+    // We do not want "/", "?", "&" and "=" separators to be encoded!!!
+    $uri = str_replace(array('%2F', '%3F', '%3D', '%26'), array('/', '?', '=', '&'), urlencode($uri));
+    return $this->base_url . '/' . $uri;
+  }
+}
+
+class SetteeRestClientException extends Exception {}

--- /dev/null
+++ b/couchdb/settee/src/classes/SetteeServer.class.php
@@ -1,1 +1,106 @@
+<?php
 
+/**
+* CouchDB Server Manager
+*/
+class SetteeServer {
+
+  /**
+  * Base URL of the CouchDB REST API
+  */
+  private $conn_url;
+  
+  /**
+  * HTTP REST Client instance
+  */
+  protected $rest_client;
+
+  
+  /**
+   * Class constructor
+   * 
+   * @param $conn_url
+   *    (optional) URL of the CouchDB server to connect to. Default value: http://127.0.0.1:5984
+   */
+  function __construct($conn_url = "http://127.0.0.1:5984") {
+    $this->conn_url = rtrim($conn_url, ' /');
+    $this->rest_client = SetteeRestClient::get_instance($this->conn_url);
+  }
+  
+  /**
+  * Create database
+  *
+  * @param $db
+  *     Either a database object or a String name of the database.
+  *
+  * @return
+  *     json string from the server.
+  *
+  *  @throws SetteeCreateDatabaseException
+  */
+  function create_db($db) {
+    if ($db instanceof SetteeDatabase) {
+      $db = $db->get_name();
+    }
+    $ret = $this->rest_client->http_put($db);
+    if (!empty($ret['decoded']->error)) {
+      throw new SetteeDatabaseException("Could not create database: " . $ret["json"]);
+    }
+    return $ret['decoded'];
+  }
+  
+  /**
+  * Drop database
+  *
+  * @param $db
+  *     Either a database object or a String name of the database.
+  *
+  * @return
+  *     json string from the server.
+  *
+  *  @throws SetteeDropDatabaseException
+  */
+  function drop_db($db) {
+    if ($db instanceof SetteeDatabase) {
+      $db = $db->get_name();
+    }
+    $ret =  $this->rest_client->http_delete($db);
+    if (!empty($ret['decoded']->error)) {
+      throw new SetteeDatabaseException("Could not create database: " . $ret["json"]);
+    }
+    return $ret['decoded'];
+  }
+  
+  /**
+  * Instantiate a database object
+  *
+  * @param $dbname
+  *    name of the newly created database
+  *
+  * @return SetteeDatabase
+  *     new SetteeDatabase instance.
+  */
+  function get_db($dbname) {
+    return new SetteeDatabase($this->conn_url, $dbname);
+  }
+
+
+  /**
+  * Return an array containing all databases
+  *
+  * @return Array
+  *    an array of database names in the CouchDB instance
+  */
+  function list_dbs() {
+    $ret = $this->rest_client->http_get('_all_dbs');
+    if (!empty($ret['decoded']["error"])) {
+      throw new SetteeDatabaseException("Could not get list of databases: " . $ret["json"]);
+    }
+    return $ret['decoded'];
+  }
+
+}
+
+class SetteeServerErrorException extends Exception {}
+class SetteeDatabaseException extends Exception {}
+class SetteeWrongInputException extends Exception {}

--- /dev/null
+++ b/couchdb/settee/src/settee.php
@@ -1,1 +1,6 @@
+<?php
 
+require(dirname(__FILE__) . '/classes/SetteeRestClient.class.php');
+
+require(dirname(__FILE__) . '/classes/SetteeServer.class.php');
+require(dirname(__FILE__) . '/classes/SetteeDatabase.class.php');

--- /dev/null
+++ b/couchdb/settee/tests/README
@@ -1,1 +1,10 @@
+1. Make sure you have latest PEAR PHPUnit installed:
+  > sudo upgrade pear
+  > sudo pear channel-discover pear.phpunit.de
+  > sudo pear install phpunit/PHPUnit
 
+2. You need PHP 5.3.2 or later to run some tests that deal with private or protected methods. If you use an earlier
+  version of PHP, these tests will be skipped.
+  
+3. Run all tests with:
+  > phpunit .