ruby-alibris 0.1.0

Sign up to get free protection for your applications and to get access to all the features.
@@ -0,0 +1,11 @@
1
+ .DS_Store
2
+ .idea
3
+ .rvmrc
4
+
5
+ coverage
6
+ rdoc
7
+
8
+ *.gem
9
+ .bundle
10
+ Gemfile.lock
11
+ pkg/*
data/Gemfile ADDED
@@ -0,0 +1,4 @@
1
+ source "http://rubygems.org"
2
+
3
+ # Specify your gem's dependencies in ruby-alibris.gemspec
4
+ gemspec
data/LICENSE ADDED
@@ -0,0 +1,20 @@
1
+ Copyright (c) 2011 Rupak Ganguly
2
+
3
+ Permission is hereby granted, free of charge, to any person obtaining
4
+ a copy of this software and associated documentation files (the
5
+ "Software"), to deal in the Software without restriction, including
6
+ without limitation the rights to use, copy, modify, merge, publish,
7
+ distribute, sublicense, and/or sell copies of the Software, and to
8
+ permit persons to whom the Software is furnished to do so, subject to
9
+ the following conditions:
10
+
11
+ The above copyright notice and this permission notice shall be
12
+ included in all copies or substantial portions of the Software.
13
+
14
+ THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
15
+ EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
16
+ MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
17
+ NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE
18
+ LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION
19
+ OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION
20
+ WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
@@ -0,0 +1,134 @@
1
+ # ruby-alibris
2
+
3
+ Wrapper for [Alibris](http://developer.alibris.com/) API, the premier online marketplace for independent sellers of new
4
+ and used books, music, and movies, as well as rare and collectible titles.
5
+
6
+ ## Installation
7
+
8
+ gem install ruby-alibris
9
+
10
+ ## Features
11
+
12
+ The Alibris API consists of three main features, namely:
13
+ * Search method
14
+ * Recommendations method
15
+ * Reviews method
16
+
17
+ This wrapper library provides access to that functionality in an easy and intuitive manner.
18
+
19
+ ### The Search method
20
+ The Search object wraps up the [Search method[(http://developer.alibris.com/docs/read/Search_Method) of the Alibris API.
21
+ The results that are returned are called 'works' in Alibris' terminology. The 'works' are of types books, music and videos.
22
+ The Search object can search across all types of works or specifically against books, music or videos. The search object
23
+ provides convenient helper methods for other operations like search by author, by title and by topic.
24
+
25
+ You can find more about the [Search method[(http://developer.alibris.com/docs/read/Search_Method) at Alibris' site.
26
+
27
+ ### Usage
28
+
29
+ The Search object can be instantiated by providing the Alibris API key, and optionally the output type and the number of
30
+ results that the search should return. The allowed output types are xml and json, xml being the default, while the default
31
+ number of results returned is 25.
32
+
33
+ Require the wrapper library:
34
+ require 'alibris'
35
+
36
+ For example, to create a Search object with output type set to 'json', and limit number of results returned to the default value of 25, do:
37
+ s = Alibris::Search.new(:api_key => "your_alibris_api_key_here", :output_type => "json")
38
+
39
+ And, to create a Search object with output type set to 'json' and limit number of results returned to 10, do:
40
+ s = Alibris::Search.new(:api_key => "your_alibris_api_key_here", :output_type => "json", :num_results => 10)
41
+
42
+ Let's see some examples, for searching books:
43
+
44
+ # search for books by search term
45
+ results = s.books("photography")
46
+ results.work.first.title # => "Making Movies"
47
+ results.work.first.author # => "Lumet, Sidney"
48
+
49
+ # search for books by author
50
+ results = s.books_by_author("Dan Brown")
51
+ results.work.first.title # => "The Lost Symbol"
52
+
53
+ # search for books by title
54
+ results = s.books_by_title("The Fountainhead")
55
+ results.work.first.author # => "Rand, Ayn"
56
+
57
+ # search for books by topic
58
+ results = s.books_by_topic("Religion")
59
+ results.work.last.author # => "Hardwick, Susan"
60
+ results.work.last.title # => "God of freedom"
61
+
62
+ The Search object adds some functionality by taking values passed via options, as follows:
63
+
64
+ a) sorting options: {:qsort => value}, which can be,
65
+ * r = rating/price (books searches only), default
66
+ * t = title, tr = title reverse
67
+ * a = author, ar = author reverse
68
+ * p = price, pr = price reverse
69
+ * d = date (year), dr = date reverse
70
+
71
+ b) number of results returned: {:chunk => integer}
72
+
73
+ c) number of results to skip: {:skip => integer}
74
+
75
+ And, some more examples using options as described above:
76
+
77
+ # search for books by author and sorted by title
78
+ results = s.books_by_author("Dan Brown", {:qsort => 't'})
79
+ results.work.last.author # => "Brown, Dan, and Spence, Cathryn"
80
+ results.work.last.title # => "Bath: City on Show"
81
+
82
+ # search for books by author and sorted by title in reverse
83
+ results = s.books_by_author("Dan Brown", {:qsort => 'tr'})
84
+ results.work.last.author # => "Brown, Dan"
85
+ results.work.last.title # => "The Da Vinci Code: Illustrated Screenplay"
86
+
87
+ # search for books by author and sorted by title, with only 10 results returned
88
+ results = s.books_by_author("Dan Brown", {:qsort => 't', :chunk => 10})
89
+ results.work.last.author # => "Birlew, Dan, and Brown, Damon"
90
+ results.work.last.title # => "Resident Evil 4"
91
+
92
+ Similarly, some examples, for searching music:
93
+
94
+ # search for music by search term
95
+ results = s.music("rock")
96
+ results.work.first.title # => "Live at the Troubadour"
97
+ results.work.first.author # => "Carole King & James Taylor"
98
+
99
+ # search for music by author
100
+ results = s.music_by_author("The Beatles")
101
+ results.work.last.title # => "With the Beatles"
102
+
103
+ Similarly, some examples, for searching videos:
104
+
105
+ # search for videos by search term
106
+ results = s.videos("kids")
107
+ results.work.first.title # => "The Kids Are All Right"
108
+ results.work.first.author # => "Lisa Cholodenko"
109
+
110
+ # search for videos by author
111
+ results = s.videos_by_author("Lisa Cholodenko")
112
+ results.work.last.title # => "Laurel Canyon"
113
+
114
+ Note: You can apply the options for sorting, number of results returned and number of results skipped as described
115
+ for books to music and videos as well.
116
+
117
+ ## Roadmap
118
+ 1. Implement the other methods from Alibris API:
119
+ * Recommendations method
120
+ * Reviews method
121
+ 2. Update the wrapper library to work with output type 'xml'. Currently, only 'json' is supported.
122
+
123
+ ## Note on Patches/Pull Requests
124
+
125
+ * Fork the project.
126
+ * Make your feature addition or bug fix.
127
+ * Add tests for it. This is important so I don't break it in a future version unintentionally.
128
+ * Commit, do not mess with rakefile, version, or history. (if you want to have your own version, that is fine but
129
+ bump version in a commit by itself I can ignore when I pull)
130
+ * Send me a pull request. Bonus points for topic branches.
131
+
132
+ ## Copyright
133
+
134
+ Copyright (c) 2011 [Rupak Ganguly](http://rails.webintellix.com). See LICENSE for details.
@@ -0,0 +1,23 @@
1
+ require 'rubygems'
2
+ require 'rake'
3
+ require 'bundler'
4
+ Bundler::GemHelper.install_tasks
5
+
6
+ require 'rake/testtask'
7
+ Rake::TestTask.new(:test) do |test|
8
+ test.libs << 'lib' << 'test'
9
+ test.pattern = 'test/**/test_*.rb'
10
+ test.verbose = true
11
+ end
12
+
13
+ #task :test => :check_dependencies
14
+
15
+ task :default => :test
16
+
17
+ require 'rake/rdoctask'
18
+ Rake::RDocTask.new do |rdoc|
19
+ rdoc.rdoc_dir = 'rdoc'
20
+ rdoc.title = "ruby-alibris #{Alibris::VERSION}"
21
+ rdoc.rdoc_files.include('README*')
22
+ rdoc.rdoc_files.include('lib/**/*.rb')
23
+ end
@@ -0,0 +1,13 @@
1
+ # Changelog
2
+
3
+ ## 0.1.0 - April 27th, 2011
4
+
5
+ * Support for the Search method, for all works.
6
+ * Convenient helper methods to search books, music and videos.
7
+ * Support for using sorting, skipping and chunking results.
8
+ * Updated README file with documentation and a lot of examples.
9
+ * Updated test suite to cover all functionality provided for the Search method.
10
+
11
+ ## 0.0.1 - April 20th, 2011
12
+
13
+ * Initial version
@@ -0,0 +1,75 @@
1
+ require 'rubygems'
2
+ require 'hashie'
3
+ require 'httparty'
4
+
5
+ module Alibris
6
+ class Search
7
+ include HTTParty
8
+ base_uri 'api.alibris.com/v1/public/search/'
9
+ format :json
10
+
11
+ def initialize(options = {})
12
+ @api_key = options[:api_key] # required
13
+ @output_type = options[:output_type] # optional, valid values ['json', 'xml'], defaults to xml
14
+ @num_results = options[:num_results] # optional, number of results returned, defaults to 25
15
+ end
16
+
17
+ def works(search_term=nil, author=nil, title=nil, topic=nil, options={})
18
+ if @api_key.nil?
19
+ # TODO: Create a custom exception
20
+ raise Exception.new("An API Key is required to use the Alibris API. Get a key from http://developer.alibris.com")
21
+ end
22
+ if (author.nil? && title.nil? && topic.nil? && search_term.nil?)
23
+ raise Exception.new("You either need to pass an author, a title, a topic or a search term, to perform searches.")
24
+ end
25
+ path = "/"
26
+ options.merge!({:apikey => @api_key}) unless @api_key.nil?
27
+ options.merge!({:outputtype => @output_type}) unless @output_type.nil?
28
+ options.merge!({:wauth => author}) unless author.nil?
29
+ options.merge!({:wtit => title}) unless title.nil?
30
+ options.merge!({:wtopic => topic}) unless topic.nil?
31
+ options.merge!({:wquery => search_term}) unless search_term.nil?
32
+ options.merge!({:chunk => @num_results}) unless @num_results.nil?
33
+ Hashie::Mash.new Alibris::Search.get(path, :query => options)
34
+ end
35
+ def books(search_term=nil, author=nil, title=nil, topic=nil, options={})
36
+ opts = options.merge({:mtype => 'B'})
37
+ works(search_term, author, title, topic, opts)
38
+ end
39
+ def books_by_author(author, options={})
40
+ books(nil, author, nil, nil, options)
41
+ end
42
+ def books_by_title(title, options={})
43
+ books(nil, nil, title, nil, options)
44
+ end
45
+ def books_by_topic(topic, options={})
46
+ books(nil, nil, nil, topic, options)
47
+ end
48
+ def music(search_term=nil, author=nil, title=nil, topic=nil, options={})
49
+ opts = options.merge({:mtype => 'M'})
50
+ works(search_term, author, title, topic, opts)
51
+ end
52
+ def music_by_author(author, options={})
53
+ music(nil, author, nil, nil, options)
54
+ end
55
+ def music_by_title(title, options={})
56
+ music(nil, nil, title, nil, options)
57
+ end
58
+ def music_by_topic(topic, options={})
59
+ music(nil, nil, nil, topic, options)
60
+ end
61
+ def videos(search_term=nil, author=nil, title=nil, topic=nil, options={})
62
+ opts = options.merge({:mtype => 'V'})
63
+ works(search_term, author, title, topic, opts)
64
+ end
65
+ def videos_by_author(author, options={})
66
+ videos(nil, author, nil, nil, options)
67
+ end
68
+ def videos_by_title(title, options={})
69
+ videos(nil, nil, title, nil, options)
70
+ end
71
+ def videos_by_topic(topic, options={})
72
+ videos(nil, nil, nil, topic, options)
73
+ end
74
+ end
75
+ end
@@ -0,0 +1,3 @@
1
+ module Alibris
2
+ VERSION = "0.1.0"
3
+ end
@@ -0,0 +1,29 @@
1
+ # -*- encoding: utf-8 -*-
2
+ $:.push File.expand_path("../lib", __FILE__)
3
+ require "alibris/version"
4
+
5
+ Gem::Specification.new do |s|
6
+ s.name = "ruby-alibris"
7
+ s.version = Alibris::VERSION
8
+ s.platform = Gem::Platform::RUBY
9
+ s.authors = ["Rupak Ganguly"]
10
+ s.date = %q{2011-04-27}
11
+ s.email = ["rupakg@gmail.com"]
12
+ s.homepage = %q{http://github.com/rupakg/ruby-alibris}
13
+ s.summary = %q{Wrapper for Alibris API}
14
+ s.description = %q{Wrapper for Alibris API, the premier online marketplace for independent sellers of new and used books, music, and movies, as well as rare and collectible titles.}
15
+ s.license = 'MIT'
16
+
17
+ s.files = `git ls-files`.split("\n")
18
+ s.test_files = `git ls-files -- {test,spec,features}/*`.split("\n")
19
+ s.executables = `git ls-files -- bin/*`.split("\n").map{ |f| File.basename(f) }
20
+ s.require_paths = ["lib"]
21
+
22
+ s.add_runtime_dependency(%q<hashie>, ["~> 1.0.0"])
23
+ s.add_runtime_dependency(%q<httparty>, ["~> 0.7.0"])
24
+ s.add_development_dependency(%q<shoulda>, [">= 2.10.1"])
25
+ s.add_development_dependency(%q<jnunemaker-matchy>, ["= 0.4.0"])
26
+ s.add_development_dependency(%q<mocha>, ["~> 0.9.12"])
27
+ s.add_development_dependency(%q<fakeweb>, ["~> 1.3.0"])
28
+
29
+ end
@@ -0,0 +1,252 @@
1
+ { "message" : "Success",
2
+ "status" : "0",
3
+ "work" : [
4
+ { "author" : "Brown, Dan",
5
+ "basic" : "Fiction / Action & Adventure # Fiction / Thrillers # Fiction / Mystery & Detective / General",
6
+ "imageurl" : "http://images.alibris.com/isbn/9781400079148.gif",
7
+ "lc_subject" : "Freemasonry # Cryptographers # Symbolism # Suspense fiction # Washington (D.C.)",
8
+ "minprice" : "0.99",
9
+ "qty_avail" : "500",
10
+ "synopsis" : "WHAT WAS LOST WILL BE FOUND...Washington DC: Harvard symbologist Robert Langdon is summoned at the last minute to deliver an evening lecture in the Capitol Building. Within moments of his arrival, however, a disturbing object - gruesomely encoded with five symbols - is discovered at the epicentre of the Rotunda. It is, he recognises, an ancient invitation, meant to beckon its recipient towards a long-lost world of hidden esoteric wisdom. When Langdon's revered mentor, Peter Solomon - philanthropist and prominent mason - is brutally kidnapped, Langdon realizes that his only hope of saving his friend's life is to accept this mysterious summons and follow wherever it leads him. Langdon finds himself quickly swept behind the facade of America's most historic city into the unseen chambers, temples and tunnels which exist there. All that was familiar is transformed into a shadowy, clandestine world of an artfully concealed past in which Masonic secrets and never-before-seen revelations seem to be leading him to a single impossible and inconceivable truth. A brilliantly composed tapestry of veiled histories, arcane icons and enigmatic codes, The Lost Symbol is an intelligent, lightning-paced thriller that offers surprises at every turn. For, as Robert Langdon will discover, there is nothing more extraordinary or shocking than the secret which hides in plain sight...",
11
+ "title" : "The Lost Symbol",
12
+ "work_id" : "11399816"
13
+ },
14
+ { "author" : "Brown, Dan",
15
+ "basic" : "Fiction / Thrillers # Fiction / Action & Adventure # Fiction / Suspense",
16
+ "imageurl" : "http://images.alibris.com/isbn/9780375433184.gif",
17
+ "lc_subject" : "Vatican City # Fiction # Suspense fiction # Adventure # Illuminati",
18
+ "minprice" : "0.99",
19
+ "qty_avail" : "500",
20
+ "synopsis" : "When a world renowned scientist is found brutally murdered in a Swiss research facility, a Harvard professor, Robert Langdon, is summoned to identify the mysterious symbol seared onto the dead man's chest. His baffling conclusion: that it is the work of the Illuminati, a secret brotherhood presumed extinct for nearly four hundred years - reborn to continue their bitter vendetta against their most hated enemy, the Catholic church. In Rome, the college of cardinals assembles to elect a new pope. Yet somewhere within the walls of the Vatican, an unstoppable bomb of terrifying power relentlessly counts down to oblivion. While the minutes tick away, Langdon joins forces with Vittoria Vetra, a beautiful and mysterious Italian scientist, to decipher the labyrinthine trail of ancient symbols that snakes across Rome to the long-forgotten Illuminati lair - a secret refuge wherein lies the only hope for the Vatican. But, with each revelation comes another twist, another turn in the plot, which leaves Langdom and Vetra reeling and at the mercy of a seemingly invisible enemy...Angels & Demons is a breathtakingly brilliant thriller which catapults the reader through the antiquity of Rome, through sealed crypts, dangerous catacombs, deserted cathedrals and even the most secret vault on earth. As the prequel to Dan Brown's worldwide bestseller, The Da Vinci Code, it has the distinction of introducing his readers to Harvard symbologist, Robert Langdon. Angels & Demons begins the journey of enlightening epiphanies to dark truths as the battle between science and religion turns to war.",
21
+ "title" : "Angels & Demons",
22
+ "work_id" : "322460"
23
+ },
24
+ { "author" : "Brown, Dan",
25
+ "basic" : "Fiction / Thrillers # Fiction / Action & Adventure # Fiction / Espionage",
26
+ "imageurl" : "http://images.alibris.com/isbn/9780385504201.gif",
27
+ "lc_subject" : "Adventure # Cryptographers # Mystery fiction # France # Crimes against",
28
+ "minprice" : "0.99",
29
+ "qty_avail" : "500",
30
+ "synopsis" : "Harvard professor Robert Langdon receives an urgent late-night phone call while on business in Paris: the elderly curator of the Louvre, Jacques Saunlere, has been brutally murdered inside the museum. Alongside the body, police have found a series of baffling codes. As Langdon and a gifted French cryptologist, Sophie Neveu, begin to sort through the bizarre riddles, they are stunned to find a trail that leads to the works of Leonardo Da Vinci - and suggests the answer to a mystery that stretches deep into the vault of history. Langdon suspects the late curator was involved in the Priory of Sion - a centuries old secret society - and has sacrificed his life to protect the Priory's most sacred trust: the location of a vastly important religious relic hidden for centuries. But it now appears that Opus Del, a clandestinesect that has long plotted to seize the Prirory's secret, has now made its move. Unless Langdon and Neveu can decipher the labyrinthine code and quickly assemble the pleces of the puzzle, the Priory's secret - and a stunning historical truth - will be lost forever...Breaking the mould of traditional suspense novels, The Da Vinci Code is simultaneously lightning-paced, intelligent and intricately layered with remarkable research and detail. From the opening pages to the unpredictable and stunning conclusion, Dan Brown proves himself to be a master storyteller.",
31
+ "title" : "The Da Vinci Code",
32
+ "work_id" : "7584144"
33
+ },
34
+ { "author" : "Brown, Dan",
35
+ "basic" : "Fiction / Thrillers",
36
+ "imageurl" : "http://images.alibris.com/isbn/9780385513753.gif",
37
+ "language" : "English",
38
+ "lc_subject" : "Art museum curators # Grail # Paris (France) # Crimes against # Leonardo",
39
+ "minprice" : "0.99",
40
+ "qty_avail" : "304",
41
+ "synopsis" : "The murder of an elderly curator at the Louvre soon entangles Harvard symbologist Robert Langdon in a race against time to decipher a labyrinthine puzzle before an ancient secret--and an explosive historical truth--are lost forever.",
42
+ "title" : "The Da Vinci Code: Special Illustrated Edition",
43
+ "work_id" : "10819034"
44
+ },
45
+ { "author" : "Brown, Dan",
46
+ "basic" : "Fiction / Thrillers # Fiction / Action & Adventure # Fiction / Mystery & Detective / General",
47
+ "imageurl" : "http://images.alibris.com/isbn/9780671027377.gif",
48
+ "lc_subject" : "Arctic regions # Meteors # Scientists # Conspiracies # Adventure",
49
+ "minprice" : "0.99",
50
+ "qty_avail" : "500",
51
+ "synopsis" : "When a new NASA satellite spots evidence of an astonishingly rare object buried deep in the Arctic ice, the floundering space agency proclaims a much-needed victory...a victory that has profound implications for U.S. space policy and the impending presidential election. With the Oval Office in the balance, the President dispatches White House Intelligence analyst Rachel Sexton to the Milne Ice Shelf to verify the authenticity of the find. Accompanied by a team of experts, including the charismatic academic Michael Tolland, Rachel uncovers the unthinkable: evidence of scientific trickery -- a bold deception that threatens to plunge the world into controversy. But before Rachel can contact the President, she and Michael are attacked by a deadly team of assassins controlled by a mysterious power broker who will stop at nothing to hide the truth. Fleeing for their lives in an environment as desolate as it is lethal, their only hope for survival is to find out who is behind this masterful ploy. The truth, they will learn, is the most shocking deception of all. In Deception Point, bestselling author Dan Brown transports readers from the ultrasecret National Reconnaissance Office to the towering ice shelves of the Arctic Circle, and back again to the hallways of power inside the West Wing. Heralded for masterfully intermingling science, history, and politics in his critically acclaimed, blockbuster thrillers Angels & Demons and The Da Vinci Code, Brown has crafted a novel in which nothing is as it seems -- and behind every corner is a stunning surprise. Deception Point is pulse-pounding fiction at its best.",
52
+ "title" : "Deception Point",
53
+ "work_id" : "1535116"
54
+ },
55
+ { "author" : "Brown, Dan",
56
+ "basic" : "Fiction / Thrillers # Fiction / Technological # Fiction / Espionage",
57
+ "imageurl" : "http://images.alibris.com/isbn/9780312263126.gif",
58
+ "language" : "English",
59
+ "lc_subject" : "Computer security # United States # Adventure stories",
60
+ "minprice" : "0.99",
61
+ "qty_avail" : "364",
62
+ "synopsis" : "When the NSA's invincible code-breaking machine encounters a mysterious code it cannot break, the agency calls its head cryptographer, Susan Fletcher, a brilliant mathematician. What she uncovers sends shock waves throughout the corridors of power.",
63
+ "title" : "Digital Fortress: A Thriller",
64
+ "work_id" : "7930151"
65
+ },
66
+ { "author" : "Brown, Dan",
67
+ "basic" : "Fiction / Action & Adventure # Fiction / Technological # Fiction / Thrillers",
68
+ "geo_code" : "United States",
69
+ "imageurl" : "http://images.alibris.com/isbn/9780312180874.gif",
70
+ "lc_subject" : "Adventure # Computer security # Suspense fiction # Cryptographers # Intelligence officers",
71
+ "minprice" : "0.99",
72
+ "qty_avail" : "500",
73
+ "synopsis" : "Before the phenomenal runaway bestseller The Da Vinci Code, Dan Brown set his razor-sharp research and storytelling skills on the most powerful intelligence organization on earth--the National Security Agency (NSA), an ultra-secret, multibillion-dollar agency many times more powerful than the CIA. When the NSA's invincible code-breaking machine encounters a mysterious code it cannot break, the agency calls its head cryptographer, Susan Fletcher, a brilliant and beautiful mathematician. What she uncovers sends shock waves through the corridors of power. The NSA is being held hostage...not by guns or bombs, but by a code so ingeniously complex that if released it would cripple U.S. intelligence. Caught in an accelerating tempest of secrecy and lies, Susan Fletcher battles to save the agency she believes in. Betrayed on all sides, she finds herself fighting not only for her country but for her life, and in the end, for the life of the man she loves. From the underground hallways of power to the skyscrapers of Tokyo to the towering cathedrals of Spain, a desperate race unfolds. It is a battle for survival--a crucial bid to destroy a creation of inconceivable genius...an impregnable code-writing formula that threatens to obliterate the post-cold war balance of power, Forever.",
74
+ "title" : "Digital Fortress",
75
+ "work_id" : "1718581"
76
+ },
77
+ { "author" : "Brown, Dan",
78
+ "basic" : "Fiction / Thrillers",
79
+ "imageurl" : "http://images.alibris.com/isbn/9780743275064.gif",
80
+ "language" : "English",
81
+ "lc_subject" : "Vatican City # Catholic # Signs and symbols # Crimes against # Secret societies",
82
+ "minprice" : "0.99",
83
+ "qty_avail" : "73",
84
+ "synopsis" : "Now available in this premium edition--the book that introduced Dr. Robert Langdon, the hero of Brown's phenomenal bestseller \"The Da Vinci Code,\" just in time for the May premiere of Columbia Pictures' film adaptation, directed by Ron Howard and starring Tom Hanks.",
85
+ "title" : "Angels & Demons: Special Illustrated Collector's Edition",
86
+ "work_id" : "8793820"
87
+ },
88
+ { "author" : "Brown, Dan",
89
+ "basic" : "Fiction / Thrillers",
90
+ "imageurl" : "http://images.alibris.com/isbn/9780385533829.gif",
91
+ "language" : "English",
92
+ "lc_subject" : "Freemasonry # Code and cipher stories # Suspense fiction # Washington (D.C.)",
93
+ "minprice" : "12.97",
94
+ "qty_avail" : "26",
95
+ "synopsis" : "This Special Illustrated Edition unveils a whole new level of intrigue and fascination within Brown's record-breaking bestseller \"The Lost Symbol.\" Over 100 full-color images are featured throughout this lavishly illustrated gift edition--an essential companion to the original.",
96
+ "title" : "The Lost Symbol: Special Illustrated Edition",
97
+ "work_id" : "14300049"
98
+ },
99
+ { "author" : "Brown, Dan",
100
+ "basic" : "Fiction / Thrillers # Fiction / Suspense # Fiction / Media Tie-In",
101
+ "imageurl" : "http://images.alibris.com/isbn/9788492516513.gif",
102
+ "lc_subject" : "Vatican City # Religious educators # Illuminati # Popes # Vendetta",
103
+ "minprice" : "0.99",
104
+ "qty_avail" : "94",
105
+ "synopsis" : "An ancient secret brotherhood. A devastating new weapon of destruction. An unthinkable target. When world-renowned Harvard symbologist Robert Langdon is summoned to his first assignment to a Swiss research facility to analyze a mysterious symbol -- seared into the chest of a murdered physicist -- he discovers evidence of the unimaginable: the resurgence of an ancient secret brotherhood known as the Illuminati...the most powerful underground organization ever to walk the earth. The Illuminati has now surfaced to carry out the final phase of its legendary vendetta against its most hated enemy -- the Catholic Church. Langdon's worst fears are confirmed on the eve of the Vatican's holy conclave, when a messenger of the Illuminati announces they have hidden an unstoppable time bomb at the very heart of Vatican City. With the countdown under way, Langdon jets to Rome to join forces with Vittoria Vetra, a beautiful and mysterious Italian scientist, to assist the Vatican in a desperate bid for survival. Embarking on a frantic hunt through sealed crypts, dangerous catacombs, deserted cathedrals, and the most secretive vault on earth, Langdon and Vetra follow a 400-year-old trail of ancient symbols that snakes across Rome toward the long-forgotten Illuminati lair...a clandestine location that contains the only hope for Vatican salvation. Critics have praised the exhilarating blend of relentless adventure, scholarly intrigue, and cutting wit found in Brown's remarkable thrillers featuring Robert Langdon. An explosive international suspense, Angels & Demons marks this hero's first adventure as it careens from enlightening epiphanies to dark truths as the battle between science and religion turns to war.",
106
+ "title" : "Angeles y Demonios",
107
+ "work_id" : "8278821"
108
+ },
109
+ { "author" : "Brown, Dan",
110
+ "basic" : "Fiction / Thrillers # Fiction / Espionage # Fiction / Media Tie-In",
111
+ "imageurl" : "http://images.alibris.com/isbn/9788496829008.gif",
112
+ "lc_subject" : "Secret societies # Mystery fiction # Grail # Cryptographers # Paris (France)",
113
+ "minprice" : "0.99",
114
+ "qty_avail" : "154",
115
+ "synopsis" : "Harvard symbologist Robert Langdon and French cryptologist Sophie Neveu work to solve the murder of an elderly curator of the Louvre, a case which leads to clues hidden in the works of Da Vinci and a centuries-old secret society.",
116
+ "title" : "El Codigo Da Vinci",
117
+ "work_id" : "8708886"
118
+ },
119
+ { "author" : "Brown, Dan",
120
+ "basic" : "Fiction / Thrillers # Fiction / Suspense",
121
+ "imageurl" : "http://images.alibris.com/isbn/9788495618825.gif",
122
+ "lc_subject" : "Arctic regions # Scientists # Americans # Conspiracies # Political fiction",
123
+ "minprice" : "3.10",
124
+ "qty_avail" : "41",
125
+ "synopsis" : "En los hielos eternos del C?rtico duerme el mas fascinante descubrimiento de la historia de la humanidad... y tambien un intrigante juego de mentiras y enganos. Descubrir la verdad puede exigir un precio demasiado alto. La analista de inteligencia Rachel Sexton y el oceanografo Michael Tolland forman parte del equipo de expertos enviados por la Casa Blanca a un remoto lugar del C?rtico, con la mision de autentificar el fabuloso hallazgo que ha realizado la NASA. Un descubrimiento que cambiara el curso de la historia y, de paso, asegurara al presidente su reeleccion. Sin embargo, una vez alli descubren indicios de que se enfrentan a un fraude cientifico de proporciones gigantescas. Aislados en el entorno mas hostil del planeta, perseguidos por unos implacables asesinos equipados con los ultimos adelantos tecnologicos, lucharan por salvar la vida y averiguar la verdad. Mientras tanto, en los pasillos de Washington se libra otra oscura batalla, un juego de traiciones y mentiras donde nadie es lo que parece. Dan Brown, autor de El Codigo da Vinci, combina de nuevo la accion trepidante con la mas apasionante investigacion, en una aventura llena de accion y enigmas cientificos.",
126
+ "title" : "La Conspiracion",
127
+ "work_id" : "8961941"
128
+ },
129
+ { "author" : "Brown, Jason Robert, and Elish, Dan",
130
+ "basic" : "Juvenile Fiction / Social Issues / Adolescence # Fiction / General # Juvenile Fiction / Humorous Stories",
131
+ "imageurl" : "http://images.alibris.com/isbn/9780060787493.gif",
132
+ "language" : "English",
133
+ "lc_subject" : "Suburban # Midwest # Schools # Peer pressure # Divorce",
134
+ "minprice" : "1.95",
135
+ "qty_avail" : "21",
136
+ "synopsis" : "Timed to release with the Broadway show of the same name by the same authors, this novel tells the story of a group of tweens who are expected to be responsible but not ready to be grown up, desperate to be independent but not given freedom, and looking for guidance but refusing to listen to it.",
137
+ "title" : "13",
138
+ "work_id" : "10515449"
139
+ },
140
+ { "author" : "Brown, Dan",
141
+ "basic" : "Fiction / Action & Adventure",
142
+ "imageurl" : "http://images.alibris.com/isbn/9780593054864.gif",
143
+ "lc_subject" : "Adventure",
144
+ "minprice" : "10.99",
145
+ "qty_avail" : "19",
146
+ "synopsis" : "When a world renowned scientist is found brutally murdered in a Swiss research facility, a Harvard professor, Robert Langdon, is summoned to identify the mysterious symbol seared onto the dead man's chest. His baffling conclusion: that it is the work of the Illuminati, a secret brotherhood presumed extinct for nearly four hundred years - reborn to continue their bitter vendetta against their most hated enemy, the Catholic church. In Rome, the college of cardinals assembles to elect a new pope. Yet somewhere within the walls of the Vatican, an unstoppable bomb of terrifying power relentlessly counts down to oblivion. While the minutes tick away, Langdon joins forces with Vittoria Vetra, a beautiful and mysterious Italian scientist, to decipher the labyrinthine trail of ancient symbols that snakes across Rome to the long-forgotten Illuminati lair - a secret refuge wherein lies the only hope for the Vatican. But, with each revelation comes another twist, another turn in the plot, which leaves Langdom and Vetra reeling and at the mercy of a seemingly invisible enemy...A NGELS & DEMONS is a breathtakingly brilliant thriller which catapults the reader through the antiquity of Rome, through sealed crypts, dangerous catacombs, deserted cathedrals and even the most secret vault on earth. As the prequel to Dan Brown's worldwide bestseller, The Da Vinci Code, it has the distinction of introducing his readers to Harvard symbologist, Robert Langdon. This exclusive edition allows the reader behind the scenes of the novel which now incorporates over 150 photographs and illustrations throughout the text showing the rich historical tapestry from which Dan Brown drew his inspiration. The visual sources which provide both the backdrop and the stimulus for the novel's action are revealed for the first time and uniquely complement the reading experience.",
147
+ "title" : "Angels and Demons: The Illustrated Edition",
148
+ "work_id" : "14866804"
149
+ },
150
+ { "author" : "Brown, Dan",
151
+ "basic" : "Fiction / Suspense # Fiction / Thrillers # Fiction / Espionage",
152
+ "imageurl" : "http://images.alibris.com/isbn/9780307736925.gif",
153
+ "minprice" : "8.25",
154
+ "qty_avail" : "35",
155
+ "synopsis" : "WHAT IS LOST... WILL BE FOUND. In this stunning follow-up to the global phenomenon The Da Vinci Code, Dan Brown demonstrates once again why he is the world's most popular thriller writer. The lost Symbol is a masterstroke of storytelling- a deadly race through a real- world labyrinth of codes, secrets, and unseen truths... all under the watchful eye of Brown's most terrifying villain to date. Set within the hidden chambers, tunnels, and temples of Washington, D.C., The Lost Symbol accelerates through a startling landscape toward an unthinkable finale.<br>As the story opens, Harvard symbologist Robert Langdon is summoned unexpectedly to deliver an evening lecture is summoned unexpectedly to deliver an evening lecture in the U.S Capitol Building. Within minutes of his arrival, however, the night takes a bizarre turn. A disturbing object - artfully encoded with five symbols - is discovered in the Capitol Building. Langdon recognizes the object as an ancient invitation... one meant to usher its recipient into a long-lost world of esoteric wisdom.<br>When Langdon's beloved mentor, Peter Solomon - a prominent Mason and philanthropist - is brutally kidnapped, Langdon realizes his only hope of saving Peter is to accept this mystical invitation and follow wherever it leads him. Langdon is instantly plunged into a clandestine world of Masonic secrets, hidden history, and never - before - seen locations - all of which seem to be dragging him toward a single, inconceivable truth.<br>As the world discovered in The Da Vinci Code and Angels Demons, Dan Brown's novels are brilliant tapestries of veiled histories, arcane symbols, and enigmatic codes. In this new novel, he again challenges readers with and intelligent, lightning - paced story that that offers surprises at every turn. The Lost Symbol is exactly what Brown's fans have been waiting for... his most thrilling novel yet.",
156
+ "title" : "El Simbolo Perdido",
157
+ "work_id" : "11689927"
158
+ },
159
+ { "author" : "Case, Cassandra, and Cassandra Case, and Brown, Dan (Illustrator)",
160
+ "basic" : "Juvenile Fiction / Sports & Recreation / Games # Fiction / General # Juvenile Nonfiction / Sports & Recreation / Olympics",
161
+ "imageurl" : "http://images.alibris.com/isbn/9781568996042.gif",
162
+ "language" : "English",
163
+ "lc_subject" : "Fiction # Greece # Olympics # Time travel # Ancient (To 499 A.D.)",
164
+ "minprice" : "5.96",
165
+ "qty_avail" : "12",
166
+ "synopsis" : "While visiting the Origins of Western Cultures exhibit at the Smithsonian's Museum of Natural History, Tomas finds himself back in time, competing in the Olympic Games in ancient Greece.",
167
+ "title" : "Run with Me, Nike! the Olympics in 420 B.C.",
168
+ "work_id" : "11207364"
169
+ },
170
+ { "author" : "Brown, Dan",
171
+ "basic" : "Travel / Essays & Travelogues",
172
+ "imageurl" : "http://images.alibris.com/isbn/9780307345769.gif",
173
+ "lc_subject" : "Stationery items",
174
+ "minprice" : "0.99",
175
+ "qty_avail" : "32",
176
+ "synopsis" : "This journal will be the perfect companion on any trip to the locations visited in \"The Da Vinci Code\". There are pages featuring every location, packed with pictures and fascinating nuggets of information. There are also blank pages for you to write your own observations and add your knowledge and observations to the story.",
177
+ "title" : "The Da Vinci Code: Travel Journal",
178
+ "work_id" : "9241517"
179
+ },
180
+ { "author" : "Brown, Dan, and Weingarten, Randi (Foreword by)",
181
+ "basic" : "Biography & Autobiography / Educators",
182
+ "imageurl" : "http://images.alibris.com/isbn/9781559708852.gif",
183
+ "language" : "English",
184
+ "minprice" : "2.70",
185
+ "qty_avail" : "11",
186
+ "synopsis" : "Traces the author's turbulent first year working as a teacher of disadvantaged students in the Bronx, describing his difficulties with such challenges as unruly students, absent parents, and a failing administration.",
187
+ "title" : "The Great Expectations School: A Rookie Year in the New Blackboard Jungle",
188
+ "work_id" : "10723885"
189
+ },
190
+ { "author" : "Brown, Dan",
191
+ "basic" : "Fiction / Suspense",
192
+ "imageurl" : "http://images.alibris.com/isbn/9788489367012.gif",
193
+ "language" : "Spanish",
194
+ "minprice" : "4.24",
195
+ "qty_avail" : "36",
196
+ "synopsis" : "Del mismo autor de los Bestsellers \"El Cdigo Da Vinci\" y \"ngeles y demonios,\" FonoLibro les trae una apasionante novela llena de claves secretas, mensajes ocultos, engaos y crmenes. \"Fortaleza Digital\" los mantendr en suspenso y no podr dejar de escucharlo hasta que llegue al final. La supercomputadora de la Agencia de Seguridad Nacional se encuentra con un cdigo el cual no puede descifrar. El subdirector de la agencia llama a la hermosa criptgrafa Susan Fletcher, La nica pista para romper ese cdigo parece estar en el cadver de un hombre fallecido en Espaa, donde ha sido enviado el prometido de Susan, David Becker. Mientras David intenta hallar la clave y sobrevivir a la persecucin de un metdico e implacable asesino en las calles de Sevilla, Susan se enfrentar a su propio drama en las desoladas instalaciones de mxima seguridad de la Agencia, durante una larga noche en la que la mentira y el asesinato acechan tras cada puerta. Aada a su coleccin \"El Cdigo Da Vinci\" y \"ngeles y demonios\" de Dan Brown, en unas magnificas producciones con la reconocida e insuperable calidad de FonoLibro.",
197
+ "title" : "La Fortaleza Digital",
198
+ "work_id" : "9357597"
199
+ },
200
+ { "author" : "Brown, Dan",
201
+ "minprice" : "0.99",
202
+ "qty_avail" : "12",
203
+ "title" : "Anioly I Demony (angels and Demons)",
204
+ "work_id" : "14867341"
205
+ },
206
+ { "author" : "Dan Brown",
207
+ "minprice" : "6.10",
208
+ "qty_avail" : "12",
209
+ "title" : "Le Symbole Perdu: La Suite Du Da Vinci Code",
210
+ "work_id" : "-270962699"
211
+ },
212
+ { "author" : "McGill, Dan Mays",
213
+ "basic" : "Business & Economics / Human Resources & Personnel Management # Business & Economics / Investments & Securities # Science / Life Sciences / Botany",
214
+ "geo_code" : "United States",
215
+ "imageurl" : "http://images.alibris.com/isbn/9780199544516.gif",
216
+ "language" : "English",
217
+ "lc_subject" : "Old age pensions # United States # History",
218
+ "minprice" : "0.99",
219
+ "qty_avail" : "57",
220
+ "synopsis" : "For more than five decades, Fundamentals of Private Pensions has been the most authoritative text and reference book on retirement plans in the United States. The ninth edition is completely updated and reflects recent developments in retirement plans including the passage of the US Pension Protection Act of 2006 (PPA), the widespread shift toward hybrid and defined contribution plans, and a burgeoning economics and finance research literature on retirement and retirement plans. The volume is organized into eight main sections so the reader may use the volume as a text, a research tool, or a general reference. <br>Section I (Chapter 1) introduces the historical evolution of the pension movement and the underlying forces that shaped its progress. Section II (Chapters 2 and 3) explains how employer-provided pensions fit into the patchwork of the U.S. retirement income security system, especially Social Security. The section also includes a discussion of the economics of tax incentives and their effect on retirement plan offerings and the structure of the benefits provided. Section III (Chapters 4 through 9) lays out the economic role of retirement plans--their design, workforce incentives, plan finances, production of adequate retirement income, possibilities for phased retirement, and the risk of outliving pension assets. Section IV (Chapters 10 through 13) examines the various forms of defined benefit and defined contribution plans, including hybrid plans, in terms of their structure, requirements, and operations. Section V (Chapters 14 through 20) lays out the regulatory environment in which plans operate; this extensive material has been especially updated to reflect PPA, and the reams of associated guidance and implementing regulations. Section VI (Chapters 21 through 25) explores the funding and accounting rules under which private defined benefit plans operate; this section also reflects the new PPA rules. The penultimate section (Chapters 26 through 28) includes a complete revamping of chapters on risk management and investments applicable to retirement plans. The section describes modern portfolio theory and its broad implications for retirement investing, and in two separate chapters, specific implications for defined benefit and defined contribution plans. The final section (Chapter 29) concludes the text with a discussion of the future of retirement plans in the United States and around the world--a particularly timely subject in light of the extreme financial volatility experienced in 2008 and the pending retirement of the baby boom generation.",
221
+ "title" : "Fundamentals of Private Pensions",
222
+ "work_id" : "2496721"
223
+ },
224
+ { "author" : "Brown, Dan",
225
+ "basic" : "Fiction / Action & Adventure",
226
+ "imageurl" : "http://images.alibris.com/isbn/9780552769761.gif",
227
+ "lc_subject" : "Adventure",
228
+ "minprice" : "6.44",
229
+ "qty_avail" : "9",
230
+ "synopsis" : "This book features the following titles: \"Digital Fortress\" When the National Security Agency's invincible code-breaking machine encounters a mysterious code it cannot break, it calls in its head cryptographer, Susan Fletcher. What she uncovers sends shock waves through the corridors of power. The NSA is being held hostage - not by guns or bombs, but by a code so complex that if released would cripple US intelligence. \"Deception Point\" When a NASA satellite detects evidence of an astonishingly rare object buried deep in the Arctic ice, the space agency proclaims a much-needed victory...one that has profound implications for US space policy and the impending presidential election. The President dispatches White House Intelligence analyst Rachel Sexton to the Arctic and what she finds once she gets there takes her breath away. \"Angels and Demons\" A breathtakingly brilliant thriller which catapults the reader through the antiquity of Rome, through sealed crypts, dangerous catacombs, deserted cathedrals and even the most secret vault on earth. The prequel to Dan Brown's worldwide bestseller, \"The Da Vinci Code\", it introduces the Harvard symbologist Robert Langdon. \"The Da Vinci Code\" The curator of the Louvre has been murdered. Alongside the body is a series of baffling ciphers. Robert Langdon and a gifted French cryptologist, Sophie Neveu, are stunned to find a trail that leads to the works of Da Vinci - and suggests the answer to a mystery that stretches deep into the vault of history. Unless Landon and Neveu can decipher the labyrinthine code a stunning historical truth will be lost forever.",
231
+ "title" : "Dan Brown Boxed Set: \"Digital Fortress\", \"Deception Point\", \"Angels and Demons\", \"The Da Vinci Code\"",
232
+ "work_id" : "14712322"
233
+ },
234
+ { "author" : "Birlew, Dan, and Brown, Damon",
235
+ "basic" : "Games / Video & Electronic",
236
+ "imageurl" : "http://images.alibris.com/isbn/9780744005578.gif",
237
+ "language" : "English",
238
+ "lc_subject" : "Video games # Resident Evil (Game)",
239
+ "minprice" : "16.09",
240
+ "qty_avail" : "10",
241
+ "synopsis" : "BradyGames' \"Resident Evil 4\" \"Official Strategy Guide\" includes the following: <ul> <li> A comprehensive walkthrough leading players through the entire game.</li> <li> Expert boss tactics to defeat all beasts, including the new enemies.</li> <li> Highly detailed maps.</li> <li> Complete item and weapon rosters, bestiary, and character bios.</li> <li> Signature Series guide includes bonus coverage, an exclusive foldout and more!</li></ul> Platform: PlayStation 2 Genre: Action/AdventureThis product is available for sale in North America only.",
242
+ "title" : "Resident Evil 4",
243
+ "work_id" : "9209222"
244
+ },
245
+ { "author" : "Dan Brown",
246
+ "minprice" : "0.99",
247
+ "qty_avail" : "4",
248
+ "title" : "Anjos E Demonios",
249
+ "work_id" : "-857542146"
250
+ }
251
+ ]
252
+ }