govkit-h 0.7.1.0

Sign up to get free protection for your applications and to get access to all the features.
Files changed (72) hide show
  1. data/.document +5 -0
  2. data/.rspec +3 -0
  3. data/Gemfile +13 -0
  4. data/LICENSE +20 -0
  5. data/README.md +70 -0
  6. data/Rakefile +82 -0
  7. data/USAGE +1 -0
  8. data/VERSION +1 -0
  9. data/generators/govkit/govkit_generator.rb +24 -0
  10. data/generators/govkit/templates/govkit.rb +24 -0
  11. data/govkit.gemspec +130 -0
  12. data/init.rb +4 -0
  13. data/lib/generators/govkit/govkit_generator.rb +21 -0
  14. data/lib/generators/govkit/templates/create_mentions.rb +21 -0
  15. data/lib/generators/govkit/templates/govkit.rb +24 -0
  16. data/lib/generators/govkit/templates/mention.rb +15 -0
  17. data/lib/gov_kit.rb +45 -0
  18. data/lib/gov_kit/acts_as_noteworthy.rb +63 -0
  19. data/lib/gov_kit/configuration.rb +58 -0
  20. data/lib/gov_kit/follow_the_money.rb +176 -0
  21. data/lib/gov_kit/open_congress.rb +125 -0
  22. data/lib/gov_kit/open_congress/bill.rb +171 -0
  23. data/lib/gov_kit/open_congress/blog_post.rb +15 -0
  24. data/lib/gov_kit/open_congress/news_post.rb +15 -0
  25. data/lib/gov_kit/open_congress/person.rb +141 -0
  26. data/lib/gov_kit/open_congress/person_stat.rb +13 -0
  27. data/lib/gov_kit/open_congress/roll_call.rb +14 -0
  28. data/lib/gov_kit/open_congress/roll_call_comparison.rb +28 -0
  29. data/lib/gov_kit/open_congress/voting_comparison.rb +44 -0
  30. data/lib/gov_kit/open_states.rb +132 -0
  31. data/lib/gov_kit/railtie.rb +24 -0
  32. data/lib/gov_kit/resource.rb +190 -0
  33. data/lib/gov_kit/search_engines.rb +7 -0
  34. data/lib/gov_kit/search_engines/bing.rb +38 -0
  35. data/lib/gov_kit/search_engines/google_blog.rb +32 -0
  36. data/lib/gov_kit/search_engines/google_news.rb +47 -0
  37. data/lib/gov_kit/search_engines/technorati.rb +35 -0
  38. data/lib/gov_kit/search_engines/wikipedia.rb +27 -0
  39. data/lib/gov_kit/transparency_data.rb +144 -0
  40. data/lib/gov_kit/vote_smart.rb +126 -0
  41. data/lib/govkit.rb +1 -0
  42. data/spec/fixtures/bing/news_search.response +1 -0
  43. data/spec/fixtures/bing/no_results.response +1 -0
  44. data/spec/fixtures/follow_the_money/business-page0.response +28 -0
  45. data/spec/fixtures/follow_the_money/business-page1.response +12 -0
  46. data/spec/fixtures/follow_the_money/contribution.response +12 -0
  47. data/spec/fixtures/follow_the_money/unauthorized.response +8 -0
  48. data/spec/fixtures/open_congress/person.response +8 -0
  49. data/spec/fixtures/open_states/401.response +10 -0
  50. data/spec/fixtures/open_states/404.response +9 -0
  51. data/spec/fixtures/open_states/410.response +6 -0
  52. data/spec/fixtures/open_states/bill.response +240 -0
  53. data/spec/fixtures/open_states/bill_query.response +1990 -0
  54. data/spec/fixtures/open_states/committee_find.response +53 -0
  55. data/spec/fixtures/open_states/committee_query.response +190 -0
  56. data/spec/fixtures/open_states/legislator.response +34 -0
  57. data/spec/fixtures/open_states/legislator_query.response +144 -0
  58. data/spec/fixtures/open_states/state.response +60 -0
  59. data/spec/fixtures/search_engines/google_news.response +8 -0
  60. data/spec/fixtures/transparency_data/contributions.response +18 -0
  61. data/spec/fixtures/transparency_data/entities_search.response +7 -0
  62. data/spec/fixtures/transparency_data/entities_search_limit_0.response +7 -0
  63. data/spec/fixtures/transparency_data/entities_search_limit_1.response +7 -0
  64. data/spec/fixtures/transparency_data/grants_find_all.response +7 -0
  65. data/spec/fixtures/transparency_data/lobbyists_find_all.response +7 -0
  66. data/spec/follow_the_money_spec.rb +61 -0
  67. data/spec/open_congress_spec.rb +108 -0
  68. data/spec/open_states_spec.rb +213 -0
  69. data/spec/search_engines_spec.rb +44 -0
  70. data/spec/spec_helper.rb +36 -0
  71. data/spec/transparency_data_spec.rb +106 -0
  72. metadata +258 -0
@@ -0,0 +1,35 @@
1
+ module GovKit
2
+ module SearchEngines
3
+ class Technorati
4
+ def self.search(options=[])
5
+ query = options.to_query('q')
6
+ host = GovKit::configuration.technorati_base_url
7
+ path = "/search?key=#{GovKit::configuration.technorati_apikey}&limit=50&language=en&query=#{URI::encode(query)}"
8
+
9
+ doc = Nokogiri::HTML(make_request(host, path))
10
+
11
+ mentions = []
12
+ # doc.search("tapi/document/item").each do |i|
13
+ # mention = GovKit::Mention.new
14
+ #
15
+ # mention.url = i.text("permalink")
16
+ # mention.title = i.text("title")
17
+ # mention.excerpt = i.text("excerpt")
18
+ # mention.date = i.text("created")
19
+ # mention.source = i.text("weblog/name")
20
+ # mention.search_source = 'Technorati'
21
+ # mention.url = i.text("weblog/url")
22
+ # mention.weight = i.text("weblog/inboundlinks")
23
+ #
24
+ # mentions << mention
25
+ # end
26
+ mentions
27
+ []
28
+ end
29
+
30
+ def self.make_request(host, path)
31
+ response = Net::HTTP.get(host, path)
32
+ end
33
+ end
34
+ end
35
+ end
@@ -0,0 +1,27 @@
1
+ module GovKit
2
+ module SearchEngines
3
+ class Wikipedia
4
+ include HTTParty
5
+ default_params :format => 'xml'
6
+ base_uri GovKit::configuration.wikipedia_base_url
7
+ headers 'User-Agent' => 'GovKit +http://github.com/opengovernment/govkit'
8
+
9
+ def self.search(query, options={})
10
+ doc = Nokogiri::HTML(get("/wiki/#{query}"))
11
+
12
+ bio = doc.at('#bodyContent > p:first').text rescue ""
13
+
14
+ # Convert HTML => text.
15
+ # bio = Loofah.fragment(bio).text
16
+
17
+ return "" if bio =~ /may refer to:/
18
+
19
+ bio
20
+ end
21
+
22
+ def self.make_request(host, path)
23
+ response = Net::HTTP.get(host, path)
24
+ end
25
+ end
26
+ end
27
+ end
@@ -0,0 +1,144 @@
1
+ module GovKit
2
+ class TransparencyDataResource < Resource
3
+
4
+ # default_params and base_uri are provided by HTTParty
5
+ default_params :apikey => GovKit::configuration.sunlight_apikey
6
+ base_uri GovKit::configuration.transparency_data_base_url
7
+
8
+ def self.search_for( path, ops={} )
9
+ response = get(path, :query => ops)
10
+ # puts "response.parsed_response: #{response.parsed_response.inspect}"
11
+ parse(response)
12
+ end
13
+
14
+ # For testing.
15
+ # Instantiate a GovKit::Resource object from sample data
16
+ # To get the sample data, use the text returned by "response.parsed_response" in self.search_for
17
+ def self.from_response response
18
+ parse response
19
+ end
20
+
21
+ end
22
+
23
+ module TransparencyData
24
+
25
+ # Represents contributions.
26
+ #
27
+ # See http://transparencydata.com/api/contributions/
28
+ # for complete query options.
29
+
30
+ class Contribution < TransparencyDataResource
31
+ # Deprecated. Use search instead.
32
+ def self.find(ops = {})
33
+ puts "GovKit::TransparencyData::Contribution.find is deprecated. Use Contribution.search instead."
34
+ response = get('/contributions.json', :query => ops)
35
+ parse(response)
36
+ end
37
+
38
+ # Search for contribution records.
39
+ #
40
+ # Example query:
41
+ # contributions = GovKit::TransparencyData::Contribution.search( { 'contributor_state' => 'md', 'recipient_ft' => 'mikulski', 'cycle' => '2008', 'per_page' => '3' } )
42
+ def self.search(ops = {})
43
+ search_for('/contributions.json', ops)
44
+ end
45
+ end
46
+
47
+ # Represents government contracts.
48
+ #
49
+ # See http://transparencydata.com/api/contracts/
50
+ # for complete query options.
51
+ #
52
+ class Contract < TransparencyDataResource
53
+ # Search for contract records.
54
+ #
55
+ # Example query:
56
+ # contracts = GovKit::TransparencyData::Contract.search( { :per_page => 2, :fiscal_year => 2008 } )
57
+ def self.search(ops = {})
58
+ search_for('/contracts.json', ops)
59
+ end
60
+ end
61
+
62
+ # Represents entities -- politicians, individuals, or organizations.
63
+ #
64
+ # See http://transparencydata.com/api/aggregates/contributions/
65
+ # for complete query options.
66
+
67
+ class Entity < TransparencyDataResource
68
+ # Deprecated for consistency of naming. Use find(id) instead.
69
+ def self.find_by_id(id)
70
+ puts "GovKit::TransparencyData::Entity.find_by_id is deprecated. Use Entity.find(id) instead."
71
+ response = get("/entities/#{id}.json")
72
+ parse(response)
73
+ end
74
+
75
+ # Find an entity by id.
76
+ def self.find(id)
77
+ response = get("/entities/#{id}.json")
78
+ parse(response)
79
+ end
80
+
81
+ # Search for contract records.
82
+ #
83
+ # Example query:
84
+ # entities = GovKit::TransparencyData::Entity.search('nancy+pelosi')
85
+ def self.search(search_string = '')
86
+ search_for("/entities.json", { :search => search_string } )
87
+ end
88
+ end
89
+
90
+ # Represents lobbying activity.
91
+ #
92
+ # See http://transparencydata.com/api/lobbying/
93
+ # for complete query options.
94
+
95
+ class LobbyingRecord < TransparencyDataResource
96
+ # Search for lobbying records.
97
+ #
98
+ # Example query:
99
+ # lobbying_records = GovKit::TransparencyData::LobbyingRecord.search( { :per_page => 2 } )
100
+ def self.search(ops = {})
101
+ search_for('/lobbying.json', ops)
102
+ end
103
+ end
104
+
105
+ # Represents government grants.
106
+ #
107
+ # See http://transparencydata.com/api/grants/
108
+ # for complete query options.
109
+
110
+ class Grant < TransparencyDataResource
111
+
112
+ # Search for lobbying records.
113
+ #
114
+ # Example query:
115
+ # grants = GovKit::TransparencyData::Grant.search( { :per_page => 2, :recipient_type => '00' } )
116
+
117
+ def self.search(ops = {})
118
+ search_for('/grants.json', ops)
119
+ end
120
+ end
121
+
122
+ class Categories
123
+ # Contribution category code mapping table, in CSV format
124
+ # Returns an array of hashes, each with the following keys:
125
+ # :source, :code, :name, :industry, :order
126
+ def self.all
127
+ # This provides Ruby 1.8 & 1.9 CSV compatibility
128
+ if CSV.const_defined? :Reader
129
+ csv = FasterCSV
130
+ else
131
+ csv = CSV
132
+ end
133
+ categories = []
134
+ open(GovKit::configuration.transparency_data_categories_url) do |f|
135
+ csv.parse(f.read, :headers => true, :header_converters => :symbol) do |row|
136
+ categories << row.to_hash
137
+ end
138
+ end
139
+ categories
140
+ end
141
+ end
142
+ end
143
+
144
+ end
@@ -0,0 +1,126 @@
1
+ module GovKit
2
+ class VoteSmartResource < Resource
3
+ default_params :o => 'JSON', :key => GovKit::configuration.votesmart_apikey
4
+ base_uri GovKit::configuration.votesmart_base_url
5
+ end
6
+
7
+ module VoteSmart
8
+ class Address < VoteSmartResource
9
+ def self.find(candidate_id)
10
+ response = get("/Address.getOffice", :query => {"candidateId" => candidate_id})
11
+ parse(response['address'])
12
+ end
13
+ end
14
+
15
+ class WebAddress < VoteSmartResource
16
+ def self.find(candidate_id)
17
+ response = get("/Address.getOfficeWebAddress", :query => {"candidateId" => candidate_id})
18
+ parse(response['webaddress'])
19
+ end
20
+ end
21
+
22
+ class Bio < VoteSmartResource
23
+ def self.find(candidate_id)
24
+ response = get("/CandidateBio.getBio", :query => {"candidateId" => candidate_id})
25
+
26
+ # Sometimes VoteSmart returns nil if no one is found!
27
+ raise(ResourceNotFound, 'Could not find bio for candidate') if response.blank? || response['error']
28
+
29
+ parse(response['bio']['candidate'])
30
+ end
31
+ end
32
+
33
+ class Category < VoteSmartResource
34
+ def self.list(state_id)
35
+ response = get("/Rating.getCategories", :query => {"stateId" => state_id})
36
+ parse(response['categories']['category'])
37
+ end
38
+ end
39
+
40
+ class SIG < VoteSmartResource
41
+ def self.list(category_id, state_id)
42
+ response = get("/Rating.getSigList", :query => {"categoryId" => category_id, "stateId" => state_id})
43
+
44
+ raise(ResourceNotFound, response['error']['errorMessage']) if response['error']
45
+
46
+ parse(response['sigs']['sig'])
47
+ end
48
+
49
+ def self.find(sig_id)
50
+ response = get("/Rating.getSig", :query => {"sigId" => sig_id})
51
+ parse(response['sig'])
52
+ end
53
+ end
54
+
55
+ class Rating < VoteSmartResource
56
+ def self.find(candidate_id, sig_id)
57
+ response = get("/Rating.getCandidateRating", :query => {"candidateId" => candidate_id, "sigId" => sig_id})
58
+
59
+ raise(ResourceNotFound, response['error']['errorMessage']) if response['error']
60
+
61
+ parse(response['candidateRating']['rating'])
62
+ end
63
+ end
64
+
65
+ class Bill < VoteSmartResource
66
+ def self.find(bill_id)
67
+ response = get('/Votes.getBill', :query => {'billId' => bill_id})
68
+ parse(response['bill'])
69
+ end
70
+
71
+ def self.find_by_year_and_state(year, state_abbrev)
72
+ response = get('/Votes.getBillsByYearState', :query => {'year' => year, 'stateId' => state_abbrev})
73
+ raise(ResourceNotFound, response['error']['errorMessage']) if response['error'] && response['error']['errorMessage'] == 'No bills for this state and year.'
74
+
75
+ parse(response['bills'])
76
+ end
77
+
78
+ def self.find_recent_by_state(state_abbrev)
79
+ response = get('/Votes.getBillsByStateRecent', :query => {'stateId' => state_abbrev})
80
+ parse(response['bills'])
81
+ end
82
+
83
+ def self.find_by_category_and_year_and_state(category_id, year, state_abbrev = nil)
84
+ response = get('/Votes.getBillsByCategoryYearState', :query => {'stateId' => state_abbrev, 'year' => year, 'categoryId' => category_id})
85
+ raise(ResourceNotFound, response['error']['errorMessage']) if response['error'] && response['error']['errorMessage'] == 'No bills for this state, category, and year.'
86
+
87
+ parse(response['bills'])
88
+ end
89
+
90
+ def self.find_by_category_and_year(category_id, year)
91
+ find_by_category_and_year_and_state(category_id, year)
92
+ end
93
+ end
94
+
95
+ class BillAction < VoteSmartResource
96
+ def self.find(action_id)
97
+ response = get('/Votes.getBillAction', :query => {'actionId' => action_id})
98
+ parse(response['action'])
99
+ end
100
+ end
101
+
102
+ class BillCategory < VoteSmartResource
103
+ def self.find(year, state_abbrev)
104
+ response = get("/Votes.getCategories", :query => {'year' => year, 'stateId' => state_abbrev})
105
+ parse(response['categories']['category'])
106
+ end
107
+ end
108
+
109
+ # See http://api.votesmart.org/docs/Committee.html
110
+ class Committee < VoteSmartResource
111
+ # Find a committee by VoteSmart typeId and stateId (abbreviation)
112
+ # If type_id is nil, defaults to all types.
113
+ # This method maps to Committee.getCommitteesByTypeState()
114
+ def self.find_by_type_and_state(type_id, state_abbrev)
115
+ response = get('/Committee.getCommitteesByTypeState', :query => {'typeId' => type_id, 'stateId' => state_abbrev})
116
+ parse(response['committees'])
117
+ end
118
+
119
+ # Find a committee by VoteSmart committeeId. Maps to Committee.getCommittee()
120
+ def self.find(committee_id)
121
+ response = get('/Committee.getCommittee', :query => {'committeeId' => committee_id})
122
+ parse(response['committee'])
123
+ end
124
+ end
125
+ end
126
+ end
@@ -0,0 +1 @@
1
+ require 'gov_kit'
@@ -0,0 +1 @@
1
+ {"SearchResponse":{"Version":"2.2","Query":{"SearchTerms":"Wisconsin"},"News":{"Total":84900,"Offset":0,"Results":[{"Title":"Wisconsin Justice Says Court Fight Led to Choking","Url":"http:\/\/www.foxnews.com\/us\/2011\/06\/26\/wisconsin-justice-says-court-fight-led-to-choking\/'%20rel='nofollow","Source":"FOX News","Snippet":"June 6: Wisconsin Supreme Court Justices David T. Prosser, Jr. and Ann Walsh Bradley consider oral arguments during a hearing regarding the state's budget bill at the Wisconsin State Capitol. According to a report by Wisconsin Public Radio and the ...","Date":"2011-06-27T01:46:14Z","BreakingNews":0,"NewsCollections":[{"Name":"RelatedTextArticles","NewsArticles":[{"Title":"Law professor says infighting on partisan Wisconsin Supreme Court has made it 'laughingstock'","Url":"http:\/\/www.startribune.com\/nation\/124593598.html","Source":"Minneapolis Star Tribune","Snippet":"MADISON, Wis. - A Wisconsin law professor says bickering among the state's Supreme Court justices has made the court a \"laughingstock.\" His comments come after a liberal justice accused a conservative court member of choking her during an argument earlier ...","Date":"2011-06-27T18:06:55Z"},{"Title":"Wisconsin justice alleges tiff led to choking","Url":"http:\/\/www.journalgazette.net\/article\/20110627\/NEWS03\/306279926\/-1\/NEWS09","Source":"Fort Wayne Journal Gazette","Snippet":"MADISON, Wis. – A member of the Wisconsin Supreme Court’s liberal faction has accused a conservative justice of choking her during an argument in her office this month – a charge he denied. Supreme Court Justice Ann Walsh Bradley told the Milwaukee ...","Date":"2011-06-27T06:46:53Z"}]}]},{"Title":"Wisconsin Supreme Court sparring must end, Gov. Scott Walker says","Url":"http:\/\/www.greenbaypressgazette.com\/article\/20110627\/GPG0101\/110627047\/UW-law-professor-Supreme-Court-sparring-makes-laughingstock-?odyssey=tab|topnews|img|GPG-News","Source":"Green Bay Press-Gazette","Snippet":"MADISON — Wisconsin Gov. Scott Walker took the state Supreme Court justices to task Monday, saying their infighting has to end for the sake of public confidence in the court. His comments came after a liberal member of the court accused a conservative ...","Date":"2011-06-27T18:42:43Z","BreakingNews":0},{"Title":"Wisconsin governor signs 2-year budget","Url":"http:\/\/www.postbulletin.com\/news\/stories\/display.php?id=1458905","Source":"Post-Bulletin","Snippet":"ASHWAUBENON, Wis. -- Wisconsin Gov. Scott Walker signed a $66 billion, two-year budget Sunday that cuts about $1 billion from schools and local governments, expands government support for private schools, cuts taxes for investors and businesses, clamps ...","Date":"2011-06-27T14:25:01Z","BreakingNews":0,"NewsCollections":[{"Name":"RelatedTextArticles","NewsArticles":[{"Title":"Wisconsin governor signs balanced budget that cuts schools","Url":"http:\/\/www.macombdaily.com\/articles\/2011\/06\/26\/news\/politics\/doc4e080619b9d2b834478932.txt","Source":"Macomb Daily","Snippet":"ASHWAUBENON, Wis. — Gov. Scott Walker signed his first budget Sunday, approving a plan that plugs the state's $3 billion shortfall but slashes funding for public schools and the University of Wisconsin System. Walker, a Republican, signed the two-year $ ...","Date":"2011-06-27T04:23:43Z"},{"Title":"Gov. Walker signs Wisconsin budget bill, vetoes 50 items","Url":"http:\/\/www.twincities.com\/tablehome\/ci_18357939","Source":"Pioneer Press","Snippet":"ASHWAUBENON, Wis. - Gov. Scott Walker signed a $66 billion two-year budget Sunday that will cut about $1 billion from schools and local governments, expand taxpayer support for private voucher schools, cut taxes for investors and businesses, clamp down on ...","Date":"2011-06-26T22:40:07Z"}]}]},{"Title":"Wisconsin Rapids bans cell phone use while driving","Url":"http:\/\/www.thenorthwestern.com\/article\/20110625\/OSH0101\/306250061\/Wisconsin-Rapids-bans-cell-phone-use-while-driving?odyssey=mod|newswell|text|OSH-News|s","Source":"Oshkosh Northwestern","Snippet":"WISCONSIN RAPIDS — People driving in Wisconsin Rapids will soon no longer be able to use cell phones. The city council approved the ban Tuesday and the ordinance goes into effect Oct. 1. Hands-free devices will be allowed, and the ordinance will not ...","Date":"2011-06-25T08:58:06Z","BreakingNews":0,"NewsCollections":[{"Name":"RelatedTextArticles","NewsArticles":[{"Title":"Wisconsin Rapids City Council Approves Texting While Driving Ban","Url":"http:\/\/www.channel3000.com\/technology\/28333630\/detail.html","Source":"Channel 3000","Snippet":"WISCONSIN RAPIDS, Wis -- The Wisconsin Rapids City Council has approved an ordinance that would ban texting while driving. Hands-free devices will be allowed. The ordinance will not apply to police officers, firefighters, ambulance drivers and members of ...","Date":"2011-06-23T17:00:05Z"},{"Title":"Wisconsin Rapids bans cell phones while driving","Url":"http:\/\/www.fdlreporter.com\/article\/20110624\/FON0101\/106240403\/1985&located=rss","Source":"Fond du Lac Reporter","Snippet":"WISCONSIN RAPIDS — Motorists driving in Wisconsin Rapids soon will have to put their phones down or face a penalty. The Wisconsin Rapids City Council this week approved a citywide ban on using cell phones while driving, 5-3. The ordinance will go into ...","Date":"2011-06-24T09:20:46Z"}]}]},{"Title":"Wisconsin lands ex-North Carolina State QB Russell Wilson","Url":"http:\/\/www.detnews.com\/article\/20110627\/SPORTS0203\/106270396\/1409\/metro","Source":"Detroit News","Snippet":"Milwaukee — Former North Carolina State quarterback Russell Wilson is headed to Wisconsin, potentially solving one of the biggest trouble spots standing between the Badgers and a Big Ten title. Wisconsin coach Bret Bielema said Monday that Wilson will ...","Date":"2011-06-27T19:32:49Z","BreakingNews":0,"NewsCollections":[{"Name":"RelatedTextArticles","NewsArticles":[{"Title":"Tourists' Wilson Leaves Asheville to Pursue College Football at Wisconsin","Url":"http:\/\/www.oursportscentral.com\/services\/releases\/?id=4235251","Source":"OurSports Central","Snippet":"Second baseman Russell Wilson announced today that he will pursue his final year of eligibility at the Division I level of college football by leaving the Asheville Tourists and attending the University of Wisconsin. Wilson will not play with the Tourists ...","Date":"2011-06-27T19:25:40Z"},{"Title":"Russell Wilson leaves Asheville Tourists; commits to Wisconsin","Url":"http:\/\/www.citizen-times.com\/article\/20110627\/SPORTS\/110627020\/Russell-Wilson-leaves-Asheville-Tourists-commits-Wisconsin","Source":"Asheville Citizen-Times","Snippet":"ASHEVILLE — Asheville Tourists second baseman Russell Wilson has left the team and will play football at Wisconsin in the fall. The Tourists announced Monday morning that Wilson left the team. The former North Carolina State quarterback announced later ...","Date":"2011-06-27T18:35:33Z"}]}]},{"Title":"Wisconsin Gov. Walker doesn’t veto beer provision","Url":"http:\/\/www.bizjournals.com\/milwaukee\/news\/2011\/06\/27\/gov-walker-doesnt-veto-craft-brewing.html","Source":"The Business Journal","Snippet":"Wisconsin Gov. Scott Walker didn’t veto a controversial provision in the state budget that bans beer brewers from owning distributorships and taverns in the state. The budget signed June 26 by Walker contains a proposal that combines the brewer’s ...","Date":"2011-06-27T19:18:30Z","BreakingNews":0},{"Title":"Wisconsin on pace for strong tart-cherry season","Url":"http:\/\/www.wxow.com\/Global\/story.asp?S=14979638","Source":"WXOW TV-19","Snippet":"MADISON, Wis. (AP) - Wisconsin is expected to produce 8.7 million pounds of tart cherries this year. If that happens, it would mark a 53 percent increase over last year's harvest. State agriculture officials say the harvest looks so promising because most ...","Date":"2011-06-27T02:50:40Z","BreakingNews":0,"NewsCollections":[{"Name":"RelatedTextArticles","NewsArticles":[{"Title":"Tart-cherry boom expected for state","Url":"http:\/\/www.twincities.com\/wisconsin\/ci_18354379","Source":"Pioneer Press","Snippet":"Wisconsin is expected to produce 8.7 million pounds of tart cherries this year. If that happens, it would mark a 53 percent increase over last year's harvest. State agriculture officials say the harvest looks so promising because most Wisconsin cherry trees survived the winter with little or no"},{"Title":"State Cherry Production Expected to Rebound in 2011","Url":"http:\/\/www.wisconsinagconnection.com\/story-state.php?Id=770&yr=2011","Source":"Wisconsin Ag Connection","Snippet":"Wisconsin's tart cherry production is forecast to be at 8.7 million pounds this year--up significantly from last year when output was half that much after a cool spring and heavy rains limited early growth. State agriculture officials say most cherry trees in Wisconsin survived the winter with"}]}]},{"Title":"Wisconsin running back will play for Pitt this fall","Url":"http:\/\/www.pittsburghlive.com\/x\/pittsburghtrib\/sports\/s_744047.html","Source":"Pittsburgh Tribune-Review","Snippet":"Pitt running back Ray Graham may get a chance to take a breath, after all. Former Wisconsin running back Zach Brown informed the Pitt coaching staff that he will enroll in classes and join the Panthers football team next season. Because he graduated and ...","Date":"2011-06-27T03:55:05Z","BreakingNews":0,"NewsCollections":[{"Name":"RelatedTextArticles","NewsArticles":[{"Title":"Pitt adds RB transfer from Wisconsin","Url":"http:\/\/rivals.yahoo.com\/ncaa\/football\/news?slug=rivals-1235119","Source":"Collegebaseball.rivals.com","Snippet":"The Pitt football team continues to add scholarship players to the 2011 roster, and this weekend produced another. Running back Zach Brown confirmed with PantherLair.com that he is transferring to Pitt from Wisconsin. Brown (5’10” 219) will use his ...","Date":"2011-06-26T20:52:45Z"},{"Title":"Former Wisconsin running back to pay at Pitt","Url":"http:\/\/www.pittsburghlive.com\/x\/pittsburghtrib\/news\/breaking\/s_744034.html","Source":"Pittsburgh Tribune-Review","Snippet":"Pitt running back Ray Graham may get a chance to take a breath, after all. Former Wisconsin running back Zach Brown informed the Pitt coaching staff that he will enroll in classes and join the Panthers football team next season. Because he graduated and has played only three seasons, Brown will be"}]}]},{"Title":"Wisconsin's Mersch drafted by L.A. Kings","Url":"http:\/\/www.jsonline.com\/sports\/badgers\/124549999.html","Source":"Milwaukee Journal Sentinel","Snippet":"Wisconsin's Michael Mersch was selected in the fourth round of the NHL draft by the Los Angeles Kings. Mersch, a forward from Park Ridge, Ill., scored eight goals and had 11 assists in his first season with UW.","Date":"2011-06-26T03:27:38Z","BreakingNews":0,"NewsCollections":[{"Name":"RelatedTextArticles","NewsArticles":[{"Title":"Four Badgers picked in NHL Draft","Url":"http:\/\/www.dailycardinal.com\/sports\/four-badgers-picked-in-nhl-draft-1.2417681","Source":"Daily Cardinal","Snippet":"Four members of the Wisconsin men's hockey program were selected on the second day of the 2011 NHL Draft at the Xcel Energy Center in St. Paul, Minn. Three incoming freshman and one current player, sophomore forward Michael Mersch, heard their names called by NHL franchises on day two. Mersch was"},{"Title":"Four Badgers selected at NHL draft","Url":"http:\/\/www.uwbadgers.com\/sports\/m-hockey\/spec-rel\/062511aaa.html","Source":"UWBadgers.com","Snippet":"SELDEN, N.Y. -- One current and three incoming Badgers earned selection on Saturday at the 2011 NHL Entry Draft, which was held at Xcel Energy Center in St. Paul, Minn. Wisconsin's four selected student-athletes were split among the fourth and seventh rounds of the draft. Joseph LaBate went highest"}]}]},{"Title":"Wisconsin Timber Rattlers pitcher Del Howell can't keep hot starts going","Url":"http:\/\/www.postcrescent.com\/article\/20110627\/APC020602\/106270504\/Howell-trying-not-hit-wall?odyssey=tab|topnews|img|APC-Sports","Source":"Post-Crescent","Snippet":"GRAND CHUTE — Sunday's Midwest League baseball game against the Quad Cities River Bandits started well for Wisconsin Timber Rattlers pitcher Del Howell. No runs, two walks and a single was all the River Bandits got in the first three innings in what ...","Date":"2011-06-27T08:48:35Z","BreakingNews":0,"NewsCollections":[{"Name":"RelatedTextArticles","NewsArticles":[{"Title":"WISCONSIN WALKS OFF","Url":"http:\/\/web.minorleaguebaseball.com\/app\/news\/article.jsp?ymd=20110624&content_id=20966844&vkey=news_t565&fext=.jsp&sid=t565","Source":"MiLB.com","Snippet":"Carlos Martinez pitched his sixth consecutive quality start, allowing just one run on three hits in six innings of work. Martinez struck out seven batters and issued just two free passes, but the Bandits lost late as they allowed two runs to Wisconsin in ...","Date":"2011-06-25T03:14:31Z"},{"Title":"River Bandits score five in 10th to beat Rattlers","Url":"http:\/\/www.postcrescent.com\/article\/20110626\/APC02\/110626046\/River-Bandits-score-five-10th-beat-Rattlers?odyssey=tab|topnews|img|FRONTPAGE|p","Source":"Post-Crescent","Snippet":"GRAND CHUTE - Quad Cities scored five times in the top of the 10th inning to beat the Wisconsin Timber Rattlers 8-3 in a Midwest League game Sunday at Time Warner Cable Field at Fox Cities Stadium. The Timber Rattlers scored twice in the bottom of the ninth inning on home runs by TJ Mittelstaedt and"}]}]}]}}}
@@ -0,0 +1 @@
1
+ {"SearchResponse":{"Version":"2.2","Query":{"SearchTerms":"sfjhsdfkjhsdf kjsdf kjhsdfjkhsdf"}}}
@@ -0,0 +1,28 @@
1
+ HTTP/1.1 200 OK
2
+ Date: Wed, 16 Jun 2010 21:59:36 GMT
3
+ Server: Apache/1.3.37 (Unix) PHP/5.2.0 mod_ssl/2.8.28 OpenSSL/0.9.8b
4
+ X-Powered-By: PHP/5.2.0
5
+ Transfer-Encoding: chunked
6
+ Content-Type: text/xml
7
+
8
+ <base_level.industries.list sort="" page="0" next_page="yes" record_count="19" origin="Institute on Money in State Politics" process_timestamp="06-16-2010 14:59:36" update_timestamp="06-16-2010 02:08:46">
9
+ <business_detail imsp_sector_code="1" sector_name="Agriculture" imsp_industry_code="1" industry_name="Miscellaneous Agriculture" business_name="Miscellaneous agriculture"></business_detail>
10
+ <business_detail imsp_sector_code="1" sector_name="Agriculture" imsp_industry_code="2" industry_name="Crop Production &amp; Basic Processing" business_name="Farmers, in general"></business_detail>
11
+ <business_detail imsp_sector_code="1" sector_name="Agriculture" imsp_industry_code="2" industry_name="Crop Production &amp; Basic Processing" business_name="Cotton growers, cotton ginners"></business_detail>
12
+ <business_detail imsp_sector_code="1" sector_name="Agriculture" imsp_industry_code="2" industry_name="Crop Production &amp; Basic Processing" business_name="Includes all sugar growers and sugar co-ops"></business_detail>
13
+ <business_detail imsp_sector_code="1" sector_name="Agriculture" imsp_industry_code="3" industry_name="Tobacco" business_name="Tobacco &amp; tobacco products"></business_detail>
14
+ <business_detail imsp_sector_code="1" sector_name="Agriculture" imsp_industry_code="2" industry_name="Crop Production &amp; Basic Processing" business_name="Vegetables, fruits &amp; tree nuts"></business_detail>
15
+ <business_detail imsp_sector_code="1" sector_name="Agriculture" imsp_industry_code="2" industry_name="Crop Production &amp; Basic Processing" business_name="Wheat, corn, soybeans &amp; cash grain"></business_detail>
16
+ <business_detail imsp_sector_code="2" sector_name="Construction" imsp_industry_code="11" industry_name="General Contractors" business_name="Construction &amp; public works"></business_detail>
17
+ <business_detail imsp_sector_code="2" sector_name="Construction" imsp_industry_code="11" industry_name="General Contractors" business_name="Builders associations"></business_detail>
18
+ <business_detail imsp_sector_code="2" sector_name="Construction" imsp_industry_code="11" industry_name="General Contractors" business_name="Public works, industrial &amp; commercial construction"></business_detail>
19
+ <business_detail imsp_sector_code="2" sector_name="Construction" imsp_industry_code="11" industry_name="General Contractors" business_name="Construction, unclassified"></business_detail>
20
+ <business_detail imsp_sector_code="2" sector_name="Construction" imsp_industry_code="12" industry_name="Home Builders" business_name="Residential construction"></business_detail>
21
+ <business_detail imsp_sector_code="2" sector_name="Construction" imsp_industry_code="12" industry_name="Home Builders" business_name="Mobile home construction"></business_detail>
22
+ <business_detail imsp_sector_code="2" sector_name="Construction" imsp_industry_code="13" industry_name="Special Trade Contractors" business_name="Special trade contractors"></business_detail>
23
+ <business_detail imsp_sector_code="2" sector_name="Construction" imsp_industry_code="13" industry_name="Special Trade Contractors" business_name="Electrical contractors"></business_detail>
24
+ <business_detail imsp_sector_code="2" sector_name="Construction" imsp_industry_code="13" industry_name="Special Trade Contractors" business_name="Plumbing, heating &amp; air conditioning"></business_detail>
25
+ <business_detail imsp_sector_code="2" sector_name="Construction" imsp_industry_code="13" industry_name="Special Trade Contractors" business_name="Landscaping &amp; excavation services"></business_detail>
26
+ <business_detail imsp_sector_code="2" sector_name="Construction" imsp_industry_code="14" industry_name="Construction Services" business_name="Engineering, architecture &amp; construction management services"></business_detail>
27
+ <business_detail imsp_sector_code="2" sector_name="Construction" imsp_industry_code="14" industry_name="Construction Services" business_name="Architectural services"></business_detail>
28
+ </base_level.industries.list>
@@ -0,0 +1,12 @@
1
+ HTTP/1.1 200 OK
2
+ Date: Wed, 16 Jun 2010 22:00:52 GMT
3
+ Server: Apache/1.3.37 (Unix) PHP/5.2.0 mod_ssl/2.8.28 OpenSSL/0.9.8b
4
+ X-Powered-By: PHP/5.2.0
5
+ Transfer-Encoding: chunked
6
+ Content-Type: text/xml
7
+
8
+ <base_level.industries.list sort="" page="1" next_page="no" record_count="3" origin="Institute on Money in State Politics" process_timestamp="06-16-2010 15:00:52" update_timestamp="06-16-2010 02:08:46">
9
+ <business_detail imsp_sector_code="7" sector_name="General Business" imsp_industry_code="62" industry_name="Recreation &amp; Live Entertainment" business_name="Recreation &amp; entertainment"></business_detail>
10
+ <business_detail imsp_sector_code="7" sector_name="General Business" imsp_industry_code="62" industry_name="Recreation &amp; Live Entertainment" business_name="Amusement &amp; recreation centers"></business_detail>
11
+ <business_detail imsp_sector_code="7" sector_name="General Business" imsp_industry_code="62" industry_name="Recreation &amp; Live Entertainment" business_name="Professional sports, arenas &amp; related equipment and services"></business_detail>
12
+ </base_level.industries.list>
@@ -0,0 +1,12 @@
1
+ HTTP/1.1 200 OK
2
+ Date: Wed, 16 Jun 2010 22:10:59 GMT
3
+ Server: Apache/1.3.37 (Unix) PHP/5.2.0 mod_ssl/2.8.28 OpenSSL/0.9.8b
4
+ X-Powered-By: PHP/5.2.0
5
+ Transfer-Encoding: chunked
6
+ Content-Type: text/xml
7
+
8
+ <candidates.contributions imsp_cadidate_id="111933" imsp_sector_code="0" sector_name="" imsp_industry_code="0" industry_name="" contributor_name="" contributor_city="" contributor_state="" contributor_zipcode="" contribution_date_range="" contribution_amount_range="" candidate_name="GONZALES, VERONICA" state="TX" year="2008" party="DEMOCRAT" office="HOUSE" district="041" sort="" page="0" next_page="no" record_count="3" origin="Institute on Money in State Politics" process_timestamp="06-16-2010 15:10:59" update_timestamp="06-16-2010 02:08:46">
9
+ <contribution contributor_name="KITTLEMAN THOMAS &amp; GONZALES" date="2007-06-30" amount="220" contributor_employer="" contributor_occupation="" contributor_city="" contributor_state="" contributor_zipcode="" imsp_sector_code="11" sector_name="Lawyers &amp; Lobbyists" imsp_industry_code="98" industry_name="Lawyers &amp; Lobbyists" business_name="Attorneys &amp; law firms"></contribution>
10
+ <contribution contributor_name="KRALJ, NICK" date="2007-06-25" amount="957.8" contributor_employer="SELF-EMPLOYED" contributor_occupation="LOBBYIST" contributor_city="" contributor_state="" contributor_zipcode="" imsp_sector_code="14" sector_name="Uncoded" imsp_industry_code="121" industry_name="Uncoded" business_name="Uncoded"></contribution>
11
+ <contribution contributor_name="LAMANTIA, GREG" date="2007-06-27" amount="1000" contributor_employer="L&amp;F DISTRIBUTORS" contributor_occupation="BEER DISTRIBUTOR/OWNER" contributor_city="" contributor_state="" contributor_zipcode="" imsp_sector_code="7" sector_name="General Business" imsp_industry_code="57" industry_name="Beer, Wine &amp; Liquor" business_name="Liquor wholesalers"></contribution>
12
+ </candidates.contributions>
@@ -0,0 +1,8 @@
1
+ HTTP/1.1 200 OK
2
+ Date: Wed, 16 Jun 2010 17:31:45 GMT
3
+ Server: Apache/1.3.37 (Unix) PHP/5.2.0 mod_ssl/2.8.28 OpenSSL/0.9.8b
4
+ X-Powered-By: PHP/5.2.0
5
+ Connection: close
6
+ Content-Type: text/xml
7
+
8
+ <error code="100" text="invalid key" origin="Institute on Money in State Politics" process_timestamp="06-16-2010 10:30:03" update_timestamp="06-16-2010 02:08:46"></error>
@@ -0,0 +1,8 @@
1
+ HTTP/1.1 200 OK
2
+ Server: nginx/0.6.35
3
+ Date: Tue, 15 Jun 2010 21:50:08 GMT
4
+ Content-Type: application/json; charset=utf-8
5
+ Connection: close
6
+ Vary: Authorization
7
+
8
+ {"people":[{"osid":"N00013846","name":"Rep. Jeff Miller [R, FL-1]","abstains_percentage":0.284900284900285,"person_stat":{"entered_top_viewed":"2007-02-27T10:57:23Z","party_votes_percentage":91.5714285714286,"votes_most_often_with_id":400175,"abstains_percentage":[0.284900284900285,0.284900284900285],"entered_top_blog":null,"sponsored_bills_passed_rank":50,"abstains_percentage_rank":209,"cosponsored_bills_passed_rank":170,"votes_least_often_with_id":400237,"party_votes_percentage_rank":243,"abstains":2,"sponsored_bills":9,"cosponsored_bills":124,"person_id":400279,"cosponsored_bills_rank":140,"same_party_votes_least_often_with_id":400209,"sponsored_bills_passed":0,"entered_top_news":"2007-08-31T09:49:48Z","sponsored_bills_rank":373,"cosponsored_bills_passed":1,"opposing_party_votes_most_often_with_id":400645},"votes_democratic_position":120,"recent_news":[{"average_rating":null,"commentariable_id":400279,"created_at":"2011-06-21T02:59:08Z","title":"Lawsuit Challenges Army Corps&#39; Program to Cut Trees From Levees","contains_term":"representative","excerpt":" \u201cThe Corps adopted a new standard requiring removal of all vegetation from levees without environmental review, consideration of regional differences or scientific support,\u201d said Jeff Miller with the Center for Biological Diversity. ... ","url":"http://www.biologicaldiversity.org/news/press_releases/2011/california-levees-06-20-2011.html","weight":null,"source_url":null,"date":"2011-06-20T05:00:00Z","id":11011907,"type":"Commentary","scraped_from":"google news","is_news":true,"source":"Center for Biological Diversity (press release)","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-06-21T02:59:08Z","title":"Letter: Suicide among veterans is an epidemic","contains_term":"rep\\.","excerpt":" Recently, I spoke with Rep. Jeff Miller, R-Chumuckla, chairman of the House Committee on Veterans Affairs, regarding this epidemic. The Veterans Administration is working diligently to address the problem. However, I believe it will take a village. ... ","url":"http://www.tcpalm.com/news/2011/jun/20/letter-suicide-among-veterans-is-an-epidemic/","weight":null,"source_url":null,"date":"2011-06-20T05:00:00Z","id":11011906,"type":"Commentary","scraped_from":"google news","is_news":true,"source":"TCPalm","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-06-21T02:59:07Z","title":"Educator honored for work with pregnant teenagers","contains_term":"representative","excerpt":" US Rep Jeff Miller, R-Chumuckla, also offered accolades to Barrow on her retirement. Miller&#39;s district representative, Helen Hunt Rigdon, who is a member of the Healthy Woman Advisory Council, presented Barrow with a certificate of achievement. ... ","url":"http://www.crestviewbulletin.com/news/okaloosa-14526-district-school.html","weight":null,"source_url":null,"date":"2011-06-20T05:00:00Z","id":11011905,"type":"Commentary","scraped_from":"google news","is_news":true,"source":"Crestview News Bulletin","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-06-21T02:59:07Z","title":"Student visa program: New rules, same problems","contains_term":"rep\\.","excerpt":" The Thai students complained to US Rep. Jeff Miller, R-Fla., saying they were afraid of a third-party labor broker, Ivan Lukin, who arranged for their housing and jobs. They said Lukin threatened them with deportation when they complained, ... ","url":"http://www.google.com/hostednews/ap/article/ALeqM5gLZ9n3eKjceRZHuupRqXMPab3VmQ?docId=a9f51d9a10ef4b69bc51bfc73e36fae6","weight":null,"source_url":null,"date":"2011-06-20T05:00:00Z","id":11011904,"type":"Commentary","scraped_from":"google news","is_news":true,"source":"The Associated Press","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-06-21T02:59:07Z","title":"A tribute to courage and sacrifice","contains_term":"congress","excerpt":" By Jeff Miller In what was surely a solemn occasion, an estimated 1000 friends, family and even strangers gathered at the Cohocton Sports Complex Saturday to honor and mourn their fallen hero. Sgt. Devin Snyder, 20, was laid to rest June 18, ... ","url":"http://www.dansvilleonline.com/news/x898075902/A-tribute-to-courage-and-sacrifice","weight":null,"source_url":null,"date":"2011-06-20T05:00:00Z","id":11011903,"type":"Commentary","scraped_from":"google news","is_news":true,"source":"Dansville-Genesee Country Express (blog)","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-06-20T03:02:44Z","title":"Riverside County supervisors: Donations won&#39;t impact quarry vote","contains_term":"senate","excerpt":" ... Mayor Marsha Swanson ($200); Corona Councilmen Eugene Montanez ($198) and Steve Nolan ($500) and Riverside Mayor Ron Loveridge ($125). Other local recipients are Assemblymen Kevin Jeffries, R-Lake Elsinore, ($2000) and Jeff Miller, R-Corona, ($1000). ","url":"http://www.pe.com/localnews/stories/PE_News_Local_D_campaign19.3dbdb33.html","weight":null,"source_url":null,"date":"2011-06-19T05:00:00Z","id":11009999,"type":"Commentary","scraped_from":"google news","is_news":true,"source":"Press-Enterprise","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-06-20T03:02:43Z","title":"Dohner tosses no-hitter Lions fall in Wood Bat classic","contains_term":"republican","excerpt":" Showcase players include: Jeff Miller, Fleetwood; Jared Degler and Matt Bensinger, Hamburg; Andrew Gernert and Dustin Smith, Kutztown; Cole Weachock and Ryan King, Minersville; Jordan Jeter and AJ Pizzo, Muhlenberg; Austin Hornberger, Zachary Weist and ..","url":"http://republicanherald.com/sports/dohner-tosses-no-hitter-lions-fall-in-wood-bat-classic-1.1164063","weight":null,"source_url":null,"date":"2011-06-19T05:00:00Z","id":11009998,"type":"Commentary","scraped_from":"google news","is_news":true,"source":"Republican &amp; Herald","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-06-20T03:02:37Z","title":"New law targets head injuries","contains_term":"rep\\.","excerpt":" Jeff Miller, senior vice president of government affairs for the National Football League, which has sponsored this bill and others like it across the country, said that the key part of the North Carolina bill is protecting students and coaches by ... ","url":"http://www2.journalnow.com/news/2011/jun/19/1/wsmet01-new-law-targets-head-injuries-ar-1133932/","weight":null,"source_url":null,"date":"2011-06-19T05:00:00Z","id":11009997,"type":"Commentary","scraped_from":"google news","is_news":true,"source":"Winston-Salem Journal","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-06-20T03:02:35Z","title":"Weak in Review","contains_term":"congress","excerpt":" RivCo Supe John Tavaglione and Corona Assemblyman Jeff Miller are GOP candidates for Congress in a new (tentative) district that ropes in Riverside, MoVal and Norco. The citizen commish that drew these congressional boundaries killed the Calvert Cobra, ..","url":"http://www.pe.com/columns/danbernstein/stories/PE_News_Local_D_dan19.3dc0656.html","weight":null,"source_url":null,"date":"2011-06-19T05:00:00Z","id":11009996,"type":"Commentary","scraped_from":"google news","is_news":true,"source":"Press-Enterprise","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-06-19T03:01:14Z","title":"Lynn Visits World War I American Cemetery in France","contains_term":"congress","excerpt":"...in Belleau Wood honoring the U.S. Marines who fought there as part of the U.S. 2nd Division. \tTwo members of Congress \u2013 U.S. Rep. Jeff Miller of Florida and U.S. Rep. Devin Nunes of California \u2013 also were on hand for the visit, which included a stop","url":"http://www.defense.gov//news/newsarticle.aspx?id=64371","weight":null,"source_url":"http://www.defenselink.mil/","date":"2011-06-18T05:00:00Z","id":11007951,"type":"Commentary","scraped_from":"daylife","is_news":true,"source":"U.S. Department of Defense","status":"OK","is_ok":true,"commentariable_type":"Person"}],"with_party_percentage":91.5714285714286,"title":"Rep.","votes_republican_position":641,"youtube_id":"RepJeffMiller","nickname":null,"district":"1","url":null,"middlename":null,"watchdog_id":null,"recent_blogs":[{"average_rating":null,"commentariable_id":400279,"created_at":"2011-06-02T15:45:29Z","title":"The Scottcarp Dream: My Memorial Day","contains_term":"congress","excerpt":"I sat in stunned silence yesterday as I watched two incompetent boobs in Congress (Rep. Jeff Miller-R, and Rep. Filner-D) patting each other on the back for letting a few more veterans through the door to review their ...","url":"http://thescottcarpdream.blogspot.com/2011/06/my-memorial-day.html","weight":null,"source_url":"http://thescottcarpdream.blogspot.com/","date":"2011-06-01T05:00:00Z","id":10964742,"type":"Commentary","scraped_from":"google blog","is_news":false,"source":"Scott","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-06-02T15:45:29Z","title":"One Old Vet \u00bb American Veteran News 06.02.11","contains_term":"rep\\.","excerpt":"Rep. Jeff Miller, R-Fla., announced an ambitious goal Wednesday of finding jobs for 400000 veterans within two years, the Military Times reported. The move would reduce the unemployment rate for vets from 7.7 percent to ...","url":"http://oneoldvet.com/?p=29224","weight":null,"source_url":"http://oneoldvet.com/","date":"2011-06-01T05:00:00Z","id":10964741,"type":"Commentary","scraped_from":"google blog","is_news":false,"source":"One Old Vet","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-06-02T02:55:36Z","title":"Jewish Ledger | Serving Connecticut&#39;s Jewish Communities \u00bb New ...","contains_term":"rep\\.","excerpt":"Charles Schumer, both of New York, and Rep. Jeff Miller of Florida, introduced those resolutions. The memorial must now be approved by the U.S. Commission of Fine Arts. JWB Jewish Chaplains Council hopes to dedicate the ...","url":"http://www.jewishledger.com/2011/06/new-d-c-memorial-to-include-w-hartford-native/","weight":null,"source_url":"http://www.jewishledger.com/","date":"2011-06-01T05:00:00Z","id":10962361,"type":"Commentary","scraped_from":"google blog","is_news":false,"source":"CindyMindell","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-06-01T15:50:04Z","title":"Advertising Sales Representative in Phoenix AZ Resume Jeff Miller ...","contains_term":"representative","excerpt":"advertising sales representative in phoenix az resume jeff miller. Jeff Miller has an extensive record of initiative and leadership resulting in measurable contributions to business profitability, efficiency, ... - ","url":"http://bineh.com/advertising-sales-representative-in-phoenix-az-resume-jeff-miller","weight":null,"source_url":"http://bineh.com/","date":"2011-06-01T05:00:00Z","id":10961040,"type":"Commentary","scraped_from":"google blog","is_news":false,"source":"admin","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-06-01T02:48:56Z","title":"Goia Blog Spot: Honor and Remember","contains_term":"rep\\.","excerpt":"Rep. Jeff Miller is the chairman of the House Committee on Veterans&#39; Affairs. Source: http://www.nationalreview.com/articles/268334/honor-and-remember-rep-jeff-miller &middot; Carl Levin Carolyn B. Maloney Carolyn McCarthy ...","url":"http://goiarichmond.blogspot.com/2011/05/honor-and-remember.html","weight":null,"source_url":"http://goiarichmond.blogspot.com/","date":"2011-05-31T05:00:00Z","id":10957624,"type":"Commentary","scraped_from":"google blog","is_news":false,"source":"goiarichmond","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-05-30T15:43:23Z","title":"Has your congressman committed to supporting House bill HCR40 ...","contains_term":"congress","excerpt":"Rep. Marcy Kaptur [D-OH] Rep. Steven LaTourette [R-OH] Rep. Frank Lucas [R-OK] Rep. Kenny Marchant [R-TX] Rep. James Marshall [D-GA] Rep. Thaddeus McCotter [R-MI] Rep. Gary Miller [R-CA] Rep. Jeff Miller [R-FL] Rep. ...","url":"http://jonesnewyork.info/2011/05/has-your-congressman-committed-to-supporting-house-bill-hcr40-north-american-union.html","weight":null,"source_url":"http://jonesnewyork.info/","date":"2011-05-30T05:00:00Z","id":10952792,"type":"Commentary","scraped_from":"google blog","is_news":false,"source":"hooveredwards","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-05-28T02:54:26Z","title":"GA) | The MBL Market News","contains_term":"rep\\.","excerpt":"U.S. Rep. Jeff Miller (FL-01), the chairman of the House Committee on Veterans&#39; Affairs, introduced an identical resolution in the House. H.Con.Res.45 also passed unanimously in that chamber. ...","url":"http://mblmarket.com/wordpress/2011/05/ga-12/","weight":null,"source_url":"http://mblmarket.com/wordpress/","date":"2011-05-27T05:00:00Z","id":10932597,"type":"Commentary","scraped_from":"google blog","is_news":false,"source":"admin","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-05-27T15:45:37Z","title":"US Congress Approves Jewish Chaplains Memorial at Arlington | New ...","contains_term":"congress","excerpt":"... Jewish War Chaplains than the passage of this resolution during Jewish American Heritage Month, and a week before Memorial Day,\u201d Congressman Jeff Miller, chairman of the House Committee on Veterans&#39; Affairs, said. ...","url":"http://nmen.org/us-congress-approves-jewish-chaplains-memorial-at-arlington/","weight":null,"source_url":"http://nmen.org/","date":"2011-05-27T05:00:00Z","id":10930986,"type":"Commentary","scraped_from":"google blog","is_news":false,"source":"admin","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-05-29T03:11:42Z","title":"LexisNexis News - Latest News from over 4000 sources, including ...","contains_term":"rep\\.","excerpt":"U.S. Rep. Jeff Miller (FL-01), the chairman of the House Committee on Veterans&#39; Affairs, introduced an identical resolution in the House. H.Con.Res.45 also passed unanimously in that chamber. May 26, 2011 ...","url":"http://www6.lexisnexis.com/publisher/EndUser?Action=UserDisplayFullDocument&orgId=574&topicId=100007188&docId=l:1425163709&start=4","weight":null,"source_url":"http://www6.lexisnexis.com/publisher/EndUser?Action=UserDisplayCiteList&orgId=574&topicId=100007188&isRss=true","date":"2011-05-26T05:00:00Z","id":10938680,"type":"Commentary","scraped_from":"google blog","is_news":false,"source":"http://www6.lexisnexis.com/publisher/EndUser?Action=UserDisplayCiteList&amp;orgId=574&amp;topicId=100007188&amp;isRss=true","status":"OK","is_ok":true,"commentariable_type":"Person"},{"average_rating":null,"commentariable_id":400279,"created_at":"2011-05-29T03:11:42Z","title":"Indiana Student Veterans \u00bb Rep Stutzman Introduces Restoring GI ...","contains_term":"legislation","excerpt":"The Truman Project is launching a new initiative this summer... Rep Stutzman Introduces Restoring GI Bill Fairness Act of 2011. WASHINGTON, DC\u2013Chairman Jeff Miller (FL-01) of the House C.. ...","url":"http://www.indianastudentveterans.org/2011/05/rep-stutzman-introduces-restoring-gi-bill-fairness-act-of-2011/","weight":null,"source_url":"http://www.indianastudentveterans.org/","date":"2011-05-26T05:00:00Z","id":10938679,"type":"Commentary","scraped_from":"google blog","is_news":false,"source":"Russell Silver, Indiana Student Veterans","status":"OK","is_ok":true,"commentariable_type":"Person"}],"oc_users_tracking":143,"contact_webform":"http://jeffmiller.house.gov/index.cfm?FuseAction=Contact.Home","lastname":"Miller","id":400279,"gender":"M","metavid_id":"Jeff_Miller","user_approval":4.83333333333333,"page_views_count":15734,"congress_office":"2416 Rayburn House Office Building","bioguideid":"M001144","total_session_votes":700,"website":"http://jeffmiller.house.gov/","phone":"202-225-4136","firstname":"Jeff","fax":"202-225-3414","birthday":"1959-06-27","sunlight_nickname":null,"oc_user_comments":5,"religion":"Methodist","party":"Republican","news_article_count":2646,"blog_article_count":5483,"unaccented_name":"Jeff Miller","state":"FL","email":null,"biography":null}]}
@@ -0,0 +1,10 @@
1
+ HTTP/1.1 401 UNAUTHORIZED
2
+ Server: nginx/0.9.6
3
+ Date: Thu, 21 Apr 2011 22:02:36 GMT
4
+ Content-Type: text/html; charset=utf-8
5
+ Transfer-Encoding: chunked
6
+ Connection: close
7
+ Vary: Authorization
8
+
9
+ Authorization Required:
10
+ obtain a key at http://services.sunlightlabs.com/accounts/register/
@@ -0,0 +1,9 @@
1
+ HTTP/1.1 404 NOT FOUND
2
+ Server: nginx/0.9.6
3
+ Date: Thu, 21 Apr 2011 21:34:05 GMT
4
+ Content-Type: text/html; charset=utf-8
5
+ Transfer-Encoding: chunked
6
+ Connection: close
7
+
8
+ 404 not found
9
+
@@ -0,0 +1,6 @@
1
+ HTTP/1.1 410 GONE
2
+ Server: nginx/0.6.35
3
+ Date: Tue, 15 Jun 2010 22:34:56 GMT
4
+ Content-Type: text/plain
5
+ Connection: close
6
+ Vary: Authorization