/riak.go

https://code.google.com/p/goriak/ · Go · 529 lines · 370 code · 67 blank · 92 comment · 62 complexity · e2540486dec5a2bf2bb9553997cb17ad MD5 · raw file

  1. /*
  2. Riak (http://riak.basho.com/) database client for the go programming
  3. language.
  4. Basic Usage:
  5. package main
  6. import (
  7. "bytes"
  8. "riak"
  9. )
  10. func main() {
  11. r := riak.NewRiak("localhost:8098")
  12. // Key, Value example
  13. value =
  14. d = riak.NewDocument("test", "foo",
  15. // JSON Marshal example
  16. td := new(TestDocument)
  17. td.Foo = 1
  18. td.Bar = "Test Document"
  19. doc := riak.NewDocument("test", docId, make([]byte, 0))
  20. doc.JSONObject = td
  21. err := r.Put(doc)
  22. td2 := new(TestDocument)
  23. doc.JSONObject = td2
  24. err = r.Get(doc)
  25. err = r.Delete(bucketName, "test_key")
  26. }
  27. */
  28. package riak
  29. // Good example: http://github.com/c141charlie/riak.go/blob/master/riak.go
  30. // use http_conn := http.NewClientConn(conn, nil) because need to add
  31. // headers and things plus things like PUT, DELETE not just GET and POST.
  32. import (
  33. "net"
  34. "http"
  35. "os"
  36. "io"
  37. "io/ioutil"
  38. "json"
  39. "bytes"
  40. "log"
  41. "strconv"
  42. "strings"
  43. "regexp"
  44. //"fmt"
  45. )
  46. // Datastucture to make building url easier
  47. type URLBuilder struct {
  48. URL string
  49. FirstParam bool
  50. }
  51. // Create and return an instance of URLBuilder
  52. func NewURLBuilder(baseUrl string) *URLBuilder {
  53. ub := new(URLBuilder)
  54. ub.URL = baseUrl
  55. ub.FirstParam = true
  56. return ub
  57. }
  58. // Add params to url
  59. func (self *URLBuilder) AddParam(name, param string) {
  60. seperator := "&"
  61. if self.FirstParam {
  62. seperator = "?"
  63. self.FirstParam = false
  64. }
  65. self.URL = self.URL + seperator + name + "=" + http.URLEscape(param)
  66. }
  67. // From: http://github.com/c141charlie/riak.go/blob/master/riak.go
  68. type ClosingBuffer struct {
  69. *bytes.Buffer
  70. }
  71. func (cb *ClosingBuffer) Close() (err os.Error) {
  72. //we don't actually have to do anything here, since the buffer is just some data in memory
  73. //and the error is initialized to no-error
  74. return
  75. }
  76. // Definition of a link from one document to another
  77. type Link struct {
  78. Bucket string
  79. Key string
  80. Tag string
  81. }
  82. // Wrapper for making Link easier.
  83. func NewLink(bucket, key, tag string) *Link {
  84. l := new(Link)
  85. l.Bucket = bucket
  86. l.Key = key
  87. l.Tag = tag
  88. return l
  89. }
  90. // Define a basic document to reduce API calls
  91. type Document struct {
  92. Bucket string
  93. Key string
  94. Value []byte
  95. Links []*Link
  96. ContentType string
  97. JSONObject interface{}
  98. }
  99. func NewDocument(bucket, key string, value []byte) *Document {
  100. d := &Document{Bucket:bucket, Key:key, Value:value, ContentType:"application/octet-stream", JSONObject: nil}
  101. return d
  102. }
  103. // Mapping riak json bucket properties
  104. type BucketProperties struct {
  105. Name string
  106. N_val int
  107. Allow_mult bool
  108. Last_write_wins bool
  109. Precommit []string
  110. Postcommit []string
  111. Chash_keyfun map[string]string
  112. Linkfun map[string]string
  113. Old_vclock int
  114. Young_vclock int
  115. Big_vclock int
  116. Small_vclock int
  117. }
  118. // Returned json mapping of a bucket response
  119. type Bucket struct {
  120. Props BucketProperties
  121. Keys []string
  122. }
  123. // Basic riak datastructure
  124. type Riak struct {
  125. Host string
  126. Debug bool
  127. }
  128. // Create a new instance of the object
  129. func NewRiak(host string) *Riak {
  130. j := new(Riak)
  131. j.Host = host
  132. j.Debug = false
  133. return j
  134. }
  135. // Centralize string building
  136. func (self *Riak) BuildURL(bucketName, path string) string {
  137. url := "http://" + self.Host + "/riak/" + bucketName + "/" + path
  138. return url
  139. }
  140. // Helper to wrap creating an http.Request
  141. func (self *Riak) BuildRequest(method, url string) *http.Request {
  142. var req http.Request
  143. req.Method = method
  144. req.ProtoMajor = 1
  145. req.ProtoMinor = 1
  146. req.Close = true
  147. req.Header = map[string]string{
  148. "Content-Type": "application/json",
  149. "X-Riak-ClientId": "goriak",
  150. }
  151. req.TransferEncoding = []string{"chunked"}
  152. req.URL, _ = http.ParseURL(url)
  153. return &req
  154. }
  155. func (self *Riak) MakeRequest(req *http.Request) (*http.Response, os.Error) {
  156. conn, err := net.Dial("tcp", "", self.Host)
  157. // Make sure didn't get error on connection
  158. if err != nil {
  159. log.Print("Connection failed to: ", self.Host)
  160. return nil, err
  161. }
  162. clientConn := http.NewClientConn(conn, nil)
  163. defer clientConn.Close()
  164. if err := clientConn.Write(req); err != nil {
  165. log.Print("Could not write request on client connection")
  166. return nil, err
  167. }
  168. return clientConn.Read()
  169. }
  170. // Does all the network IO ops
  171. // Consider using panic / recover
  172. // http://blog.golang.org/2010/08/defer-panic-and-recover.html
  173. func (self *Riak) ProcessRequest(req *http.Request) ([]byte, os.Error) {
  174. var body []byte
  175. resp, err := self.MakeRequest(req)
  176. if err == nil {
  177. body, readError := ioutil.ReadAll(resp.Body)
  178. if readError == nil {
  179. return body, err
  180. } else {
  181. log.Print("Unable to read server response")
  182. }
  183. } else {
  184. log.Print("Request get failed not happy in Request function with"+
  185. "error: ",
  186. err)
  187. }
  188. return body, err
  189. }
  190. // Actually gets the bucket from the server and marshals the Bucket from
  191. // the json that is returned
  192. func (self *Riak) GetBucket(bucketName string) (*Bucket, os.Error) {
  193. bp := new(Bucket)
  194. url := self.BuildURL(bucketName, "")
  195. req := self.BuildRequest("GET", url)
  196. data, err := self.ProcessRequest(req)
  197. if err == nil {
  198. err = json.Unmarshal(data, &bp)
  199. if err != nil {
  200. log.Print("Could not unmarshal json for bucket error: ", err)
  201. }
  202. } else {
  203. log.Print("Request failed: ", err)
  204. return nil, err
  205. }
  206. return bp, err
  207. }
  208. // Wrapper around get since get will create the bucket
  209. func (self *Riak) CreateBucket(bucketName string) (*Bucket, os.Error) {
  210. return self.GetBucket(bucketName)
  211. }
  212. // Removes a bucket from the server.
  213. func (self *Riak) RemoveBucket(bucketName string) os.Error {
  214. url := self.BuildURL(bucketName, "")
  215. req := self.BuildRequest("DELETE", url)
  216. _, err := self.ProcessRequest(req)
  217. return err
  218. }
  219. // Add/update an object to a bucket
  220. func (self *Riak) PutWDWReturn(doc *Document, w, dw int, returnObject bool) os.Error {
  221. url := self.BuildURL(doc.Bucket, doc.Key)
  222. ub := NewURLBuilder(url)
  223. if w > 0 {
  224. ub.AddParam("w", strconv.Itoa(w))
  225. }
  226. if dw > 0 {
  227. ub.AddParam("dw", strconv.Itoa(dw))
  228. }
  229. if returnObject {
  230. ub.AddParam("returnbody", "true")
  231. } else {
  232. ub.AddParam("returnbody", "false")
  233. }
  234. // "Link: </raw/hb/second>; riaktag=\"foo\", </raw/hb/third>; riaktag=\"bar\"" \
  235. linkStrings := make([]string, len(doc.Links))
  236. for i, ld := range doc.Links {
  237. // Need to populate comma if fist one
  238. linkStrings[i] = "</riak/" + ld.Bucket + "/" + ld.Key + ">; riaktag=\"" + ld.Tag + "\""
  239. }
  240. method := "PUT"
  241. if doc.Key == "" {
  242. method = "POST"
  243. }
  244. req := self.BuildRequest(method, ub.URL)
  245. if len(doc.Links) > 0 {
  246. req.Header["Link"] = strings.Join(linkStrings, ",")
  247. }
  248. if doc.JSONObject != nil {
  249. doc.ContentType = "application/json"
  250. data, err := json.Marshal(doc.JSONObject)
  251. doc.Value = data
  252. if err != nil {
  253. log.Print("Could not marshal into json: ", err)
  254. return err
  255. }
  256. }
  257. req.Header["Content-Type"] = doc.ContentType
  258. cb := &ClosingBuffer{bytes.NewBuffer(doc.Value)}
  259. var rc io.ReadCloser
  260. rc = cb
  261. req.Body = rc
  262. resp, err := self.MakeRequest(req)
  263. println("Sent bytes", len(doc.Value))
  264. location, ok := resp.Header["Location"]
  265. if ok {
  266. // TODO: regexp would be much cleaner
  267. parts := strings.Split(location, "/", -1)
  268. if len(parts) > 3 {
  269. key := parts[3]
  270. if doc.Key != key {
  271. doc.Key = key
  272. }
  273. }
  274. }
  275. if returnObject {
  276. value, err := ioutil.ReadAll(resp.Body)
  277. doc.Value = value
  278. if self.Debug {
  279. log.Println("After put returned: " + string(value))
  280. }
  281. if err == nil && doc.JSONObject != nil {
  282. err = json.Unmarshal(doc.Value, &doc.JSONObject)
  283. if err != nil {
  284. log.Print("Could not unmarshal json for object error: ", err)
  285. return err
  286. }
  287. }
  288. }
  289. return err
  290. }
  291. // Put this document up with defaults set
  292. func (self *Riak) Put(doc *Document) os.Error {
  293. return self.PutWDWReturn(doc, -1, -1, true)
  294. }
  295. // Delete with number of nodes to confirm before returning
  296. func (self *Riak) DeleteRW(bucketName, key string, rw int) os.Error {
  297. url := self.BuildURL(bucketName, key)
  298. ub := NewURLBuilder(url)
  299. if rw > 0 {
  300. ub.AddParam("r", strconv.Itoa(rw))
  301. }
  302. //log.Stdout(ub.URL)
  303. req := self.BuildRequest("DELETE", ub.URL)
  304. _, err := self.ProcessRequest(req)
  305. return err
  306. }
  307. // Remove an object from a bucket
  308. func (self *Riak) Delete(bucketName, key string) os.Error {
  309. return self.DeleteRW(bucketName, key, -1)
  310. }
  311. // Read document with r number of nodes agreeing before returning
  312. func (self *Riak) GetR(doc *Document, r int) os.Error {
  313. url := self.BuildURL(doc.Bucket, doc.Key)
  314. if(self.Debug) {
  315. log.Println("Get request URL: " + url)
  316. }
  317. ub := NewURLBuilder(url)
  318. if r > 0 {
  319. ub.AddParam("r", strconv.Itoa(r))
  320. }
  321. //log.Stdout(ub.URL)
  322. req := self.BuildRequest("GET", ub.URL)
  323. resp, err := self.MakeRequest(req)
  324. links, ok := resp.Header["Link"]
  325. if ok {
  326. // This should all be REGEXP but just haven't gotten around to
  327. // it yet.
  328. var LINK_SPLITTER = regexp.MustCompile("^<.*,")
  329. linkSplits := LINK_SPLITTER.FindAllString(links, -1)
  330. docLinks := make([]*Link, len(linkSplits))
  331. for i, p := range linkSplits {
  332. l := strings.TrimSpace(p)
  333. subparts := strings.Split(l, ";", -1)
  334. path := subparts[0]
  335. riaktag := subparts[1]
  336. pathparts := strings.Split(path, "/", -1)
  337. riaktagparts := strings.Split(riaktag, "=", -1)
  338. if len(pathparts) == 4 {
  339. bucket := pathparts[2]
  340. key := pathparts[3]
  341. tag := riaktagparts[1]
  342. docLinks[i] = NewLink(bucket, key, tag)
  343. }
  344. }
  345. doc.Links = docLinks
  346. }
  347. if err != nil {
  348. return err
  349. }
  350. // Set the content type
  351. contentType, _ := resp.Header["Content-Type"]
  352. doc.ContentType = contentType
  353. value, err := ioutil.ReadAll(resp.Body)
  354. if err != nil {
  355. return err
  356. }
  357. doc.Value = value
  358. if err == nil && doc.JSONObject != nil {
  359. err = json.Unmarshal(doc.Value, &doc.JSONObject)
  360. if err != nil && self.Debug {
  361. log.Print("Could not unmarshal json for object error: ", err)
  362. }
  363. }
  364. return err
  365. }
  366. // Load document
  367. func (self *Riak) Get(doc *Document) os.Error {
  368. return self.GetR(doc, -1)
  369. }
  370. // Linkwalking https://wiki.basho.com/display/RIAK/REST+API#RESTAPI-Linkwalking
  371. // and http://blog.basho.com/2010/02/24/link-walking-by-example/
  372. // TODO: mapreduce, link-walking, ping, server-status
  373. // EXPERIMENTAL CONCURRENT REQUEST API
  374. // The existing API is a sequential access to making requests. This API allows
  375. // for async requests to the data store. This can be done either by using a
  376. // callback or by using a request id and a channel to return results when
  377. // they come in.
  378. // Callback interface where the code automatically marshals the JSON
  379. type MarshalCallback interface {
  380. Callback(interface{}, os.Error)
  381. }
  382. // Callback which just returns the JSON as a string useful
  383. type StringCallback interface {
  384. Callback(string, os.Error)
  385. }
  386. // Channel that responses will be returned on
  387. type RiakResponse struct {
  388. RequestId int
  389. Error os.Error
  390. Document *Document
  391. }
  392. // Host is the host to connect to
  393. type AsyncRiak struct {
  394. Host string
  395. ResponseChannel chan *RiakResponse
  396. RequestIndex int
  397. ResponseMap map[int]chan *RiakResponse
  398. }
  399. func NewAsyncRiak(host string) *AsyncRiak {
  400. ar := new(AsyncRiak)
  401. ar.Host = host
  402. ar.ResponseMap = make(map[int]chan *RiakResponse)
  403. return ar
  404. }
  405. func (self *AsyncRiak) NextRequestId() int {
  406. self.RequestIndex++
  407. return self.RequestIndex
  408. }
  409. func (self *AsyncRiak) Connect() *Riak {
  410. r := NewRiak(self.Host)
  411. return r
  412. }
  413. // Normal async callback when the response is ready
  414. func (self *AsyncRiak) MarshalGet(doc *Document, mc MarshalCallback) {
  415. go func() {
  416. r := self.Connect()
  417. err := r.Get(doc)
  418. mc.Callback(doc, err)
  419. }()
  420. }
  421. // The idea it we run a BackgroundPut request in the background and we will then
  422. // call Wait once we have to wait for the response.
  423. func (self *AsyncRiak) BackgroundPut(doc *Document) int {
  424. requestId := self.NextRequestId()
  425. self.ResponseMap[requestId] = make(chan *RiakResponse)
  426. go func() {
  427. r := self.Connect()
  428. err := r.Put(doc)
  429. rr := new(RiakResponse)
  430. rr.RequestId = requestId
  431. rr.Error = err
  432. rr.Document = doc
  433. self.ResponseMap[requestId] <- rr
  434. }()
  435. return requestId
  436. }
  437. // The idea it we run a Get request in the background and we will then
  438. // call Wait once we have to wait for the response.
  439. func (self *AsyncRiak) BackgroundGet(doc *Document) int {
  440. requestId := self.NextRequestId()
  441. self.ResponseMap[requestId] = make(chan *RiakResponse)
  442. go func() {
  443. r := self.Connect()
  444. err := r.Get(doc)
  445. rr := new(RiakResponse)
  446. rr.RequestId = requestId
  447. rr.Error = err
  448. rr.Document = doc
  449. self.ResponseMap[requestId] <- rr
  450. }()
  451. return requestId
  452. }
  453. // Wait until the request returns this repsonse
  454. func (self *AsyncRiak) Wait(requestId int) *RiakResponse {
  455. return <-self.ResponseMap[requestId]
  456. }
  457. // TODO: CAP wrappers