world_bank 0.0.1

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (53) hide show
  1. data/.autotest +1 -0
  2. data/.gemtest +0 -0
  3. data/.gitignore +41 -0
  4. data/.rspec +3 -0
  5. data/.travis.yml +7 -0
  6. data/.yardopts +3 -0
  7. data/Gemfile +4 -0
  8. data/LICENSE.md +10 -0
  9. data/README.md +131 -0
  10. data/Rakefile +18 -0
  11. data/country_aliases +257 -0
  12. data/lib/world_bank/client.rb +88 -0
  13. data/lib/world_bank/country.rb +35 -0
  14. data/lib/world_bank/income_level.rb +30 -0
  15. data/lib/world_bank/indicator.rb +36 -0
  16. data/lib/world_bank/lending_type.rb +30 -0
  17. data/lib/world_bank/query.rb +107 -0
  18. data/lib/world_bank/region.rb +29 -0
  19. data/lib/world_bank/source.rb +31 -0
  20. data/lib/world_bank/topic.rb +32 -0
  21. data/lib/world_bank/version.rb +3 -0
  22. data/lib/world_bank.rb +19 -0
  23. data/notes +33 -0
  24. data/notes_part_2 +108 -0
  25. data/projects_notes +11 -0
  26. data/spec/fixtures/brazil.json +43 -0
  27. data/spec/fixtures/countries.json +2 -0
  28. data/spec/fixtures/countries_india.json +2 -0
  29. data/spec/fixtures/income_level_lmc.json +1 -0
  30. data/spec/fixtures/income_levels.json +2 -0
  31. data/spec/fixtures/indicators.json +2 -0
  32. data/spec/fixtures/indicators_tractors.json +1 -0
  33. data/spec/fixtures/lending_type_idb.json +1 -0
  34. data/spec/fixtures/lending_types.json +1 -0
  35. data/spec/fixtures/regions.json +2 -0
  36. data/spec/fixtures/regions_world.json +1 -0
  37. data/spec/fixtures/source_21.json +2 -0
  38. data/spec/fixtures/sources.json +1 -0
  39. data/spec/fixtures/topic_6.json +2 -0
  40. data/spec/fixtures/topics.json +2 -0
  41. data/spec/helper.rb +48 -0
  42. data/spec/world_bank/client_spec.rb +85 -0
  43. data/spec/world_bank/country_spec.rb +47 -0
  44. data/spec/world_bank/income_level_spec.rb +33 -0
  45. data/spec/world_bank/indicator_spec.rb +38 -0
  46. data/spec/world_bank/lending_type_spec.rb +32 -0
  47. data/spec/world_bank/query_spec.rb +114 -0
  48. data/spec/world_bank/region_spec.rb +29 -0
  49. data/spec/world_bank/source_spec.rb +38 -0
  50. data/spec/world_bank/topic_spec.rb +41 -0
  51. data/spec/world_bank_spec.rb +9 -0
  52. data/world_bank.gemspec +31 -0
  53. metadata +261 -0
@@ -0,0 +1,30 @@
1
+ module WorldBank
2
+
3
+ class LendingType
4
+
5
+ attr_reader :raw, :id, :name, :type
6
+
7
+ def self.client
8
+ @client ||= WorldBank::Client.new
9
+ end
10
+
11
+ def self.all(client)
12
+ client.query[:dirs] = ['lendingTypes']
13
+ client.get_query
14
+ end
15
+
16
+ def self.find(id)
17
+ client.query[:dirs] = ['lendingTypes', id.to_s]
18
+ result = client.get_query
19
+ new(result[1][0])
20
+ end
21
+
22
+ def initialize(values={})
23
+ @raw = values
24
+ @id = values['id']
25
+ @name = values['value']
26
+ @type = 'lendingTypes'
27
+ end
28
+ end
29
+ end
30
+
@@ -0,0 +1,107 @@
1
+ module WorldBank
2
+
3
+ module Query
4
+
5
+ class Base
6
+
7
+ def initialize(model)
8
+ @model = model
9
+ @client = WorldBank::Client.new
10
+ @client.query[:dirs] << @model.type
11
+ end
12
+
13
+ #
14
+ # the date param is expressed as a range 'StartDate:EndDate'
15
+ # Date may be year & month, year & quarter, or just year
16
+ # Date will convert any Date/Time object to an apporpriate year & month
17
+ #
18
+ def dates(date_range)
19
+ if date_range.is_a? String
20
+ @client.query[:params][:date] = date_range
21
+ elsif date_range.is_a? Range
22
+ start = date_range.first
23
+ last = date_range.last
24
+ @client.query[:params][:date] = "#{start.strftime("%YM%m")}:#{last.strftime("%YM%m")}"
25
+ end
26
+ self
27
+ end
28
+
29
+ def format(format, prefix=nil)
30
+ @client.query[:params][:format] = format
31
+ self
32
+ end
33
+
34
+ def id(id)
35
+ @client.query[:params][:id] = id
36
+ self
37
+ end
38
+
39
+ #
40
+ # Most Recent Values param hs two optional params
41
+ # Gap fill will specify how many items to add if there isn't enough data for you query
42
+ # Frequency sets how frequent the data sets are...
43
+ # An example is best to explain this:
44
+ # I want the 5 most recent yearly values between 2000 and 2010,
45
+ # but I need at least three data sets to continue. My query would look like this:
46
+ # .dates('2000:2010').most_recent_values(:gap_fill => 3, :frequency => 'Y')
47
+ #
48
+ def most_recent_values(num, options={})
49
+ @client.query[:params][:gapFill] = options[:gap_fill] if options[:gap_fill]
50
+ @client.query[:params][:frequency] = options[:frequency] if options[:frequency]
51
+ @client.query[:params][:MRV] = num
52
+ self
53
+ end
54
+
55
+ def per_page(num)
56
+ @client.query[:params][:perPage] = num
57
+ self
58
+ end
59
+
60
+ def page(num)
61
+ @client.query[:params][:page] = num
62
+ self
63
+ end
64
+
65
+ def language(lang)
66
+ @client.query[:dirs] << lang.to_s.downcase
67
+ self
68
+ end
69
+
70
+ class Countries
71
+
72
+ def initialize(model)
73
+ @model = model
74
+ @client = WorldBank::Client.new
75
+ @client.query[:dirs] << 'countries'
76
+ end
77
+
78
+ def lending_types(lend_type)
79
+ parsed_array = lend_type.is_a?(Array) ? lend_type.map(&:id).join(';') : lend_type.id
80
+ @client.query[:params][:lendingTypes] = parsed_array
81
+ self
82
+ end
83
+
84
+ def income_levels(income_levels)
85
+ parsed_array = income_levels.is_a?(Array) ? income_levels.map(&:id).join(';') : income_levels.id
86
+ @client.query[:params][:incomeLevels] = parsed_array
87
+ self
88
+ end
89
+
90
+ def region(region)
91
+ parsed_array = region.map(&:id).join(';')
92
+ @client.query[:params][:region] = parsed_array
93
+ self
94
+ end
95
+
96
+ class Indicators
97
+
98
+ def countries(countries)
99
+ parsed_array = countries.map(&:id).join(';')
100
+ @client.query[:params][:countries] = parsed_array
101
+ self
102
+ end
103
+ end
104
+ end
105
+ end
106
+ end
107
+ end
@@ -0,0 +1,29 @@
1
+ module WorldBank
2
+ class Region
3
+
4
+ attr_reader :raw, :id, :name, :code, :type
5
+
6
+ def self.client
7
+ @client ||= WorldBank::Client.new
8
+ end
9
+
10
+ def self.all(client)
11
+ client.query[:dirs] = ['regions']
12
+ client.get_query
13
+ end
14
+
15
+ def self.find(id)
16
+ client.query[:dirs] = ['regions', id.to_s]
17
+ result = client.get_query
18
+ new(result[1][0])
19
+ end
20
+
21
+ def initialize(values={})
22
+ @raw = values
23
+ @id = values['id']
24
+ @name = values['name']
25
+ @code = values['code']
26
+ @type = 'regions'
27
+ end
28
+ end
29
+ end
@@ -0,0 +1,31 @@
1
+ module WorldBank
2
+
3
+ class Source
4
+
5
+ attr_reader :raw, :id, :name, :description, :url, :type
6
+
7
+ def self.client
8
+ @client ||= WorldBank::Client.new
9
+ end
10
+ def self.all(client)
11
+ client.query[:dirs] = ['sources']
12
+ client.get_query
13
+ end
14
+
15
+ def self.find(id)
16
+ client.query[:dirs] = ['sources', id.to_s]
17
+ result = client.get_query
18
+ new(result[1][0])
19
+ end
20
+
21
+ def initialize(values={})
22
+ @raw = values
23
+ @id = values['id']
24
+ @name = values['name']
25
+ @description = values['description']
26
+ @url = values['url']
27
+ @type = 'sources'
28
+ end
29
+ end
30
+
31
+ end
@@ -0,0 +1,32 @@
1
+ module WorldBank
2
+
3
+ class Topic
4
+
5
+ attr_reader :raw, :id, :name, :note, :type
6
+
7
+ def self.client
8
+ @client ||= WorldBank::Client.new
9
+ end
10
+
11
+ def self.all(client)
12
+ client.query[:dirs] = ['topics']
13
+ client.get_query
14
+ end
15
+
16
+ def self.find(id)
17
+ client.query[:dirs] = ['topics', id.to_s]
18
+ result = client.get_query
19
+ new(result[1][0])
20
+ end
21
+
22
+ def initialize(values={})
23
+ @raw = values
24
+ @id = values['id']
25
+ @name = values['value']
26
+ @note = values['sourceNote']
27
+ @type = 'topics'
28
+ end
29
+
30
+ end
31
+
32
+ end
@@ -0,0 +1,3 @@
1
+ module WorldBank
2
+ VERSION = "0.0.1"
3
+ end
data/lib/world_bank.rb ADDED
@@ -0,0 +1,19 @@
1
+ require File.expand_path(File.join(File.dirname(__FILE__), '/world_bank/client'))
2
+
3
+ module WorldBank
4
+
5
+ def self.client(options={})
6
+ WorldBank::Client.new(options)
7
+ end
8
+
9
+ # Delegate to WorldBank::Client.new
10
+ def self.method_missing(method, *args, &block)
11
+ return super unless client.respond_to?(method)
12
+ client.send(method, *args, &block)
13
+ end
14
+
15
+ def self.respond_to?(method, include_private=false)
16
+ client.respond_to?(method, include_private) || super(method, include_private)
17
+ end
18
+
19
+ end
data/notes ADDED
@@ -0,0 +1,33 @@
1
+ global parameters:
2
+ required: none
3
+ optional:
4
+ -date
5
+ a range sent as date1:date2, set as Date1..Date2?
6
+ values can be Year or Year-and-Month or Year-and-Quarter and is sent as 2010, 2010M2, 2010Q2 respectively
7
+ also takes a year-to-date value as YTD:2010 - unsure how to use it....
8
+
9
+ -format:
10
+ string one of: xml, json, jsonP
11
+
12
+ -prefix:
13
+ a prefix needs to be specified if the format is JSONP
14
+
15
+ -page:
16
+ number for the page of results in a large dataset
17
+
18
+ -per_page:
19
+ how many results to return when paging, default is 50
20
+
21
+ -most_recent_values:
22
+ number of the most recent values for the parameters, sent as MRV=
23
+
24
+ -gap_fill?:
25
+ boolean, sent as Gapfill=
26
+
27
+ -frequency:
28
+ one of %w(Y Q M) for Yearly, Quarterly, and Monthly respectively... ly
29
+
30
+ -language:
31
+ can be one of %w(en es fr ar), (or if you're wondering that's english, spanish, french and arabic respectively).
32
+ sent as api.worldbank.org/{lang}/rest/of/request....
33
+ default is english
data/notes_part_2 ADDED
@@ -0,0 +1,108 @@
1
+ #
2
+ # top level "reference" methods?
3
+ #
4
+ WorldBank.sources # => ['Doing Business', 'Something Else'...] array of 16 sources of information the bank used
5
+ WorldBank.income_levels # => { HIC: 'High Income', HPC: 'Heavily Indebted Poor Countries (HIPC)'...} hash of 9 income levels the bank assigns
6
+ WorldBank.income_level_ids # => [ 'HIC', 'HPC'...] too much?
7
+ WorldBank.income_level_names #=> ['High Income', 'Heavily Indebted Poor...'...] probably too far....
8
+ WorldBank.lending_types # => [ { id: 'IBD', value: 'IBRD' }... ] an array of key: value pairs of the 4 lending types
9
+ WorldBank.lending_type_ids # => [ 'IBD', 'IDA', 'IDB' 'NC' ]
10
+ WorldBank.lending_type_names #=> [ 'Not classified', 'Blend', ...]
11
+ WorldBank.topics # => the 18 high level topics that indicators are grouped into
12
+ WorldBank.regions # => not an api call... countries can grouped by lending_type, income_level, as well as region_code, region_codes are:
13
+ # EAP - (developing only) East Asia & Pacific
14
+ # EAS - (all income levels) ibid
15
+ # ECA - (developing only) Europe & Central Asia
16
+ # ECS - (all income levels) ibid
17
+ # LAC - (developing only) Latin America & Caribbean
18
+ # LCN - (all income levels) ibid
19
+ # MNA - (developing only) Middle East & North Africa
20
+ # MEA - (all income levels) ibid
21
+ # NAC North America
22
+ # SAS South Asia
23
+ # SSA - (developing only) Sub-Saharan Africa
24
+ # SSF - (all income levels) ibid
25
+ #
26
+ WorldBank.countries # => same as Country.all
27
+ WorldBank.indicators # => same as Indicator.all
28
+ WorldBank.topics # => same as Topic.all
29
+
30
+
31
+ #
32
+ # Topics
33
+ #
34
+ Topic.all
35
+ @environment = Topic.find(6)
36
+ @environment.id # => 6
37
+ @environment.name # => 'Environment'
38
+ @environment.note # => 'Natural and man-made environmental resources – fresh...'
39
+
40
+ #
41
+ # Countries
42
+ #
43
+ Country.all
44
+ Country.each
45
+ Country.each_page # => too much? alias for Enumerable#each_slice?
46
+
47
+ Country.find('br')
48
+ Country.find('bra')
49
+
50
+ @brazil = Country.find('brazil')
51
+ @brazil.name # => 'Brazil'
52
+
53
+ # only low and middle income countries are classified by region...
54
+ #
55
+ @brazil.region_id # => 'LCN'
56
+ @brazil.region_value # => 'Latin America & Carribean (all income levels)'
57
+ @brazil.region # alias for .region_name
58
+
59
+ # Major income levels the bank uses are:
60
+ # "low income" => < $995
61
+ # "lower middle income" => $996 <=> $3945
62
+ # "upper middle income => $3946 <=> $12195
63
+ # "high income" => > $12196
64
+ # though there are many others...
65
+ #
66
+ @brazil.income_level_id # => 'UMC'
67
+ @brazil.income_level_value # => 'Upper middle income'
68
+ @brazil.income_level # alias for .income_level_value
69
+
70
+ # countries can qualify for two different types of loans (3 labels):
71
+ # "International Bank for Reconstruction and Development" (IRBD)
72
+ # "International Development Association" (IDA)
73
+ # "Blended" (both)
74
+ # IDA loans have little to no interest and/or are grants, a country must be below $1165 to qualify
75
+ # Countries may also be of type "Blended" where their income is low enough for IDA, and their credit is high enough of IRBD.
76
+ # see http://data.worldbank.org/about/country-classifications for more info
77
+ #
78
+ @brazil.lending_type_id # => 'IBD'
79
+ @brazil.lending_type_value # => 'IBRD'
80
+ @brazil.lending_type # => 'International Bank for Reconstruction and Development Qualified'
81
+ @brazil.capital # => 'Brasilia'
82
+ @brazil.capital # alias for .capital_city
83
+ @brazil.captial_lon # => -47.9292
84
+ @brazil.capital_lat # => -15.7801
85
+ @brazil.coords # => [-15.7801, -47.9292] ??? too much?
86
+
87
+
88
+ #
89
+ # Indicators
90
+ #
91
+ Indicators.all # => begins paging through 4073 different indicators
92
+ Indicators.each
93
+ Indicators.each_page # => too much? alias for Enumerable#each_slice ?
94
+
95
+ @tractors = Indicator.find('AG.AGR.TRAC.NO')
96
+ @tractors.id # => 'AG.AGR.TRAC.NO' because, you know, that's really helpful to know...
97
+ @tractors.name # => 'Agricultural Machinery, tractors'
98
+ @tractors.source # => { id: 2, value: 'World Development Indicators' }
99
+ @tractors.source_id # => 2
100
+ @tractors.source_name # => 'World Development Indicators'
101
+
102
+ # note the api docs say that source_note, topic_id, and topic_name are available for every record,
103
+ # pull them down, they're wrong
104
+ #
105
+ @tractors.note # => 'Agricultural machinery refers to the number of....'
106
+ @tractors.note? # => true note may be empty
107
+ @tractors.source_organization #=> 'Food and Agriculture Organization, electronic files and web'
108
+ @tractors.topics # => [ { id: 1, value: 'Agricultural & Rural Development' } ] array of applicable topics (may be empty!)
data/projects_notes ADDED
@@ -0,0 +1,11 @@
1
+
2
+ Projects API
3
+
4
+ search for everything:
5
+ http://search.worldbank.org/api/projects?qterm=*:*&countrycode[]=AF&format=json&kw=N
6
+
7
+ search for only the country afghanistan
8
+ http://search.worldbank.org/api/projects?qterm=*:*&countrycode[]=AF&format=json&kw=N
9
+
10
+ search for several countries:
11
+ http://search.worldbank.org/api/projects?qterm=*:*&countrycode[]=AF&countrycode[]=DZ&countrycode[]=AS&format=json&kw=N
@@ -0,0 +1,43 @@
1
+ [
2
+
3
+ -
4
+ {
5
+ page: 1
6
+ pages: 1
7
+ per_page: "50"
8
+ total: 1
9
+ }
10
+ -
11
+ [
12
+ -
13
+ {
14
+ id: "BRA"
15
+ iso2Code: "BR"
16
+ name: "Brazil"
17
+ -
18
+ region: {
19
+ id: "LCN"
20
+ value: "Latin America & Caribbean (all income levels)"
21
+ }
22
+ -
23
+ adminregion: {
24
+ id: "LAC"
25
+ value: "Latin America & Caribbean (developing only)"
26
+ }
27
+ -
28
+ incomeLevel: {
29
+ id: "UMC"
30
+ value: "Upper middle income"
31
+ }
32
+ -
33
+ lendingType: {
34
+ id: "IBD"
35
+ value: "IBRD"
36
+ }
37
+ capitalCity: "Brasilia"
38
+ longitude: "-47.9292"
39
+ latitude: "-15.7801"
40
+ }
41
+ ]
42
+
43
+ ]
@@ -0,0 +1,2 @@
1
+ [{"page":1,"pages":5,"per_page":"50","total":240},[{"id":"ABW","iso2Code":"AW","name":"Aruba","region":{"id":"LCN","value":"Latin America & Caribbean (all income levels)"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"NOC","value":"High income: nonOECD"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"Oranjestad","longitude":"-70.0167","latitude":"12.5167"},{"id":"AFG","iso2Code":"AF","name":"Afghanistan","region":{"id":"SAS","value":"South Asia"},"adminregion":{"id":"SAS","value":"South Asia"},"incomeLevel":{"id":"LIC","value":"Low income"},"lendingType":{"id":"IDX","value":"IDA"},"capitalCity":"Kabul","longitude":"69.1761","latitude":"34.5228"},{"id":"AGO","iso2Code":"AO","name":"Angola","region":{"id":"SSF","value":"Sub-Saharan Africa (all income levels)"},"adminregion":{"id":"SSA","value":"Sub-Saharan Africa (developing only)"},"incomeLevel":{"id":"LMC","value":"Lower middle income"},"lendingType":{"id":"IDX","value":"IDA"},"capitalCity":"Luanda","longitude":"13.242","latitude":"-8.81155"},{"id":"ALB","iso2Code":"AL","name":"Albania","region":{"id":"ECS","value":"Europe & Central Asia (all income levels)"},"adminregion":{"id":"ECA","value":"Europe & Central Asia (developing only)"},"incomeLevel":{"id":"UMC","value":"Upper middle income"},"lendingType":{"id":"IBD","value":"IBRD"},"capitalCity":"Tirane","longitude":"19.8172","latitude":"41.3317"},{"id":"AND","iso2Code":"AD","name":"Andorra","region":{"id":"ECS","value":"Europe & Central Asia (all income levels)"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"NOC","value":"High income: nonOECD"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"Andorra la Vella","longitude":"1.5218","latitude":"42.5075"},{"id":"ANT","iso2Code":"AN","name":"Netherlands Antilles","region":{"id":"LCN","value":"Latin America & Caribbean (all income levels)"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"NOC","value":"High income: nonOECD"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"Willemstad","longitude":"-68.9335","latitude":"12.1034"},{"id":"ARB","iso2Code":"1A","name":"Arab World","region":{"id":"NA","value":"Aggregates"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"NA","value":"Aggregates"},"lendingType":{"id":"","value":"Aggregates"},"capitalCity":"","longitude":"","latitude":""},{"id":"ARE","iso2Code":"AE","name":"United Arab Emirates","region":{"id":"MEA","value":"Middle East & North Africa (all income levels)"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"NOC","value":"High income: nonOECD"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"Abu Dhabi","longitude":"54.3705","latitude":"24.4764"},{"id":"ARG","iso2Code":"AR","name":"Argentina","region":{"id":"LCN","value":"Latin America & Caribbean (all income levels)"},"adminregion":{"id":"LAC","value":"Latin America & Caribbean (developing only)"},"incomeLevel":{"id":"UMC","value":"Upper middle income"},"lendingType":{"id":"IBD","value":"IBRD"},"capitalCity":"Buenos Aires","longitude":"-58.4173","latitude":"-34.6118"},{"id":"ARM","iso2Code":"AM","name":"Armenia","region":{"id":"ECS","value":"Europe & Central Asia (all income levels)"},"adminregion":{"id":"ECA","value":"Europe & Central Asia (developing only)"},"incomeLevel":{"id":"LMC","value":"Lower middle income"},"lendingType":{"id":"IDB","value":"Blend"},"capitalCity":"Yerevan","longitude":"44.509","latitude":"40.1596"},{"id":"ASM","iso2Code":"AS","name":"American Samoa","region":{"id":"EAS","value":"East Asia & Pacific (all income levels)"},"adminregion":{"id":"EAP","value":"East Asia & Pacific (developing only)"},"incomeLevel":{"id":"UMC","value":"Upper middle income"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"Pago Pago","longitude":"-170.691","latitude":"-14.2846"},{"id":"ATG","iso2Code":"AG","name":"Antigua and Barbuda","region":{"id":"LCN","value":"Latin America & Caribbean (all income levels)"},"adminregion":{"id":"LAC","value":"Latin America & Caribbean (developing only)"},"incomeLevel":{"id":"UMC","value":"Upper middle income"},"lendingType":{"id":"IBD","value":"IBRD"},"capitalCity":"Saint John's","longitude":"-61.8456","latitude":"17.1175"},{"id":"AUS","iso2Code":"AU","name":"Australia","region":{"id":"EAS","value":"East Asia & Pacific (all income levels)"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"OEC","value":"High income: OECD"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"Canberra","longitude":"149.129","latitude":"-35.282"},{"id":"AUT","iso2Code":"AT","name":"Austria","region":{"id":"ECS","value":"Europe & Central Asia (all income levels)"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"OEC","value":"High income: OECD"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"Vienna","longitude":"16.3798","latitude":"48.2201"},{"id":"AZE","iso2Code":"AZ","name":"Azerbaijan","region":{"id":"ECS","value":"Europe & Central Asia (all income levels)"},"adminregion":{"id":"ECA","value":"Europe & Central Asia (developing only)"},"incomeLevel":{"id":"UMC","value":"Upper middle income"},"lendingType":{"id":"IDB","value":"Blend"},"capitalCity":"Baku","longitude":"49.8932","latitude":"40.3834"},{"id":"BDI","iso2Code":"BI","name":"Burundi","region":{"id":"SSF","value":"Sub-Saharan Africa (all income levels)"},"adminregion":{"id":"SSA","value":"Sub-Saharan Africa (developing only)"},"incomeLevel":{"id":"LIC","value":"Low income"},"lendingType":{"id":"IDX","value":"IDA"},"capitalCity":"Bujumbura","longitude":"29.3639","latitude":"-3.3784"},{"id":"BEL","iso2Code":"BE","name":"Belgium","region":{"id":"ECS","value":"Europe & Central Asia (all income levels)"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"OEC","value":"High income: OECD"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"Brussels","longitude":"4.36761","latitude":"50.8371"},{"id":"BEN","iso2Code":"BJ","name":"Benin","region":{"id":"SSF","value":"Sub-Saharan Africa (all income levels)"},"adminregion":{"id":"SSA","value":"Sub-Saharan Africa (developing only)"},"incomeLevel":{"id":"LIC","value":"Low income"},"lendingType":{"id":"IDX","value":"IDA"},"capitalCity":"Porto-Novo","longitude":"2.6323","latitude":"6.4779"},{"id":"BFA","iso2Code":"BF","name":"Burkina Faso","region":{"id":"SSF","value":"Sub-Saharan Africa (all income levels)"},"adminregion":{"id":"SSA","value":"Sub-Saharan Africa (developing only)"},"incomeLevel":{"id":"LIC","value":"Low income"},"lendingType":{"id":"IDX","value":"IDA"},"capitalCity":"Ouagadougou","longitude":"-1.53395","latitude":"12.3605"},{"id":"BGD","iso2Code":"BD","name":"Bangladesh","region":{"id":"SAS","value":"South Asia"},"adminregion":{"id":"SAS","value":"South Asia"},"incomeLevel":{"id":"LIC","value":"Low income"},"lendingType":{"id":"IDX","value":"IDA"},"capitalCity":"Dhaka","longitude":"90.4113","latitude":"23.7055"},{"id":"BGR","iso2Code":"BG","name":"Bulgaria","region":{"id":"ECS","value":"Europe & Central Asia (all income levels)"},"adminregion":{"id":"ECA","value":"Europe & Central Asia (developing only)"},"incomeLevel":{"id":"UMC","value":"Upper middle income"},"lendingType":{"id":"IBD","value":"IBRD"},"capitalCity":"Sofia","longitude":"23.3238","latitude":"42.7105"},{"id":"BHR","iso2Code":"BH","name":"Bahrain","region":{"id":"MEA","value":"Middle East & North Africa (all income levels)"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"NOC","value":"High income: nonOECD"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"Manama","longitude":"50.5354","latitude":"26.1921"},{"id":"BHS","iso2Code":"BS","name":"Bahamas, The","region":{"id":"LCN","value":"Latin America & Caribbean (all income levels)"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"NOC","value":"High income: nonOECD"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"Nassau","longitude":"-77.339","latitude":"25.0661"},{"id":"BIH","iso2Code":"BA","name":"Bosnia and Herzegovina","region":{"id":"ECS","value":"Europe & Central Asia (all income levels)"},"adminregion":{"id":"ECA","value":"Europe & Central Asia (developing only)"},"incomeLevel":{"id":"UMC","value":"Upper middle income"},"lendingType":{"id":"IDB","value":"Blend"},"capitalCity":"Sarajevo","longitude":"18.4214","latitude":"43.8607"},{"id":"BLR","iso2Code":"BY","name":"Belarus","region":{"id":"ECS","value":"Europe & Central Asia (all income levels)"},"adminregion":{"id":"ECA","value":"Europe & Central Asia (developing only)"},"incomeLevel":{"id":"UMC","value":"Upper middle income"},"lendingType":{"id":"IBD","value":"IBRD"},"capitalCity":"Minsk","longitude":"27.5766","latitude":"53.9678"},{"id":"BLZ","iso2Code":"BZ","name":"Belize","region":{"id":"LCN","value":"Latin America & Caribbean (all income levels)"},"adminregion":{"id":"LAC","value":"Latin America & Caribbean (developing only)"},"incomeLevel":{"id":"LMC","value":"Lower middle income"},"lendingType":{"id":"IBD","value":"IBRD"},"capitalCity":"Belmopan","longitude":"-88.7713","latitude":"17.2534"},{"id":"BMU","iso2Code":"BM","name":"Bermuda","region":{"id":"NAC","value":"North America"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"NOC","value":"High income: nonOECD"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"Hamilton","longitude":"-64.706","latitude":"32.3293"},{"id":"BOL","iso2Code":"BO","name":"Bolivia","region":{"id":"LCN","value":"Latin America & Caribbean (all income levels)"},"adminregion":{"id":"LAC","value":"Latin America & Caribbean (developing only)"},"incomeLevel":{"id":"LMC","value":"Lower middle income"},"lendingType":{"id":"IDB","value":"Blend"},"capitalCity":"La Paz","longitude":"-66.1936","latitude":"-13.9908"},{"id":"BRA","iso2Code":"BR","name":"Brazil","region":{"id":"LCN","value":"Latin America & Caribbean (all income levels)"},"adminregion":{"id":"LAC","value":"Latin America & Caribbean (developing only)"},"incomeLevel":{"id":"UMC","value":"Upper middle income"},"lendingType":{"id":"IBD","value":"IBRD"},"capitalCity":"Brasilia","longitude":"-47.9292","latitude":"-15.7801"},{"id":"BRB","iso2Code":"BB","name":"Barbados","region":{"id":"LCN","value":"Latin America & Caribbean (all income levels)"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"NOC","value":"High income: nonOECD"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"Bridgetown","longitude":"-59.6105","latitude":"13.0935"},{"id":"BRN","iso2Code":"BN","name":"Brunei Darussalam","region":{"id":"EAS","value":"East Asia & Pacific (all income levels)"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"NOC","value":"High income: nonOECD"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"Bandar Seri Begawan","longitude":"114.946","latitude":"4.94199"},{"id":"BTN","iso2Code":"BT","name":"Bhutan","region":{"id":"SAS","value":"South Asia"},"adminregion":{"id":"SAS","value":"South Asia"},"incomeLevel":{"id":"LMC","value":"Lower middle income"},"lendingType":{"id":"IDX","value":"IDA"},"capitalCity":"Thimphu","longitude":"89.6177","latitude":"27.5768"},{"id":"BWA","iso2Code":"BW","name":"Botswana","region":{"id":"SSF","value":"Sub-Saharan Africa (all income levels)"},"adminregion":{"id":"SSA","value":"Sub-Saharan Africa (developing only)"},"incomeLevel":{"id":"UMC","value":"Upper middle income"},"lendingType":{"id":"IBD","value":"IBRD"},"capitalCity":"Gaborone","longitude":"25.9201","latitude":"-24.6544"},{"id":"CAF","iso2Code":"CF","name":"Central African Republic","region":{"id":"SSF","value":"Sub-Saharan Africa (all income levels)"},"adminregion":{"id":"SSA","value":"Sub-Saharan Africa (developing only)"},"incomeLevel":{"id":"LIC","value":"Low income"},"lendingType":{"id":"IDX","value":"IDA"},"capitalCity":"Bangui","longitude":"21.6407","latitude":"5.63056"},{"id":"CAN","iso2Code":"CA","name":"Canada","region":{"id":"NAC","value":"North America"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"OEC","value":"High income: OECD"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"Ottawa","longitude":"-75.6919","latitude":"45.4215"},{"id":"CHE","iso2Code":"CH","name":"Switzerland","region":{"id":"ECS","value":"Europe & Central Asia (all income levels)"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"OEC","value":"High income: OECD"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"Bern","longitude":"7.44821","latitude":"46.948"},{"id":"CHI","iso2Code":"JG","name":"Channel Islands","region":{"id":"ECS","value":"Europe & Central Asia (all income levels)"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"NOC","value":"High income: nonOECD"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"","longitude":"","latitude":""},{"id":"CHL","iso2Code":"CL","name":"Chile","region":{"id":"LCN","value":"Latin America & Caribbean (all income levels)"},"adminregion":{"id":"LAC","value":"Latin America & Caribbean (developing only)"},"incomeLevel":{"id":"UMC","value":"Upper middle income"},"lendingType":{"id":"IBD","value":"IBRD"},"capitalCity":"Santiago","longitude":"-70.6475","latitude":"-33.475"},{"id":"CHN","iso2Code":"CN","name":"China","region":{"id":"EAS","value":"East Asia & Pacific (all income levels)"},"adminregion":{"id":"EAP","value":"East Asia & Pacific (developing only)"},"incomeLevel":{"id":"LMC","value":"Lower middle income"},"lendingType":{"id":"IBD","value":"IBRD"},"capitalCity":"Beijing","longitude":"116.286","latitude":"40.0495"},{"id":"CIV","iso2Code":"CI","name":"Cote d'Ivoire","region":{"id":"SSF","value":"Sub-Saharan Africa (all income levels)"},"adminregion":{"id":"SSA","value":"Sub-Saharan Africa (developing only)"},"incomeLevel":{"id":"LMC","value":"Lower middle income"},"lendingType":{"id":"IDX","value":"IDA"},"capitalCity":"Yamoussoukro","longitude":"-4.0305","latitude":"5.332"},{"id":"CMR","iso2Code":"CM","name":"Cameroon","region":{"id":"SSF","value":"Sub-Saharan Africa (all income levels)"},"adminregion":{"id":"SSA","value":"Sub-Saharan Africa (developing only)"},"incomeLevel":{"id":"LMC","value":"Lower middle income"},"lendingType":{"id":"IDX","value":"IDA"},"capitalCity":"Yaounde","longitude":"11.5174","latitude":"3.8721"},{"id":"COD","iso2Code":"CD","name":"Congo, Dem. Rep.","region":{"id":"SSF","value":"Sub-Saharan Africa (all income levels)"},"adminregion":{"id":"SSA","value":"Sub-Saharan Africa (developing only)"},"incomeLevel":{"id":"LIC","value":"Low income"},"lendingType":{"id":"IDX","value":"IDA"},"capitalCity":"Kinshasa","longitude":"15.3222","latitude":"-4.325"},{"id":"COG","iso2Code":"CG","name":"Congo, Rep.","region":{"id":"SSF","value":"Sub-Saharan Africa (all income levels)"},"adminregion":{"id":"SSA","value":"Sub-Saharan Africa (developing only)"},"incomeLevel":{"id":"LMC","value":"Lower middle income"},"lendingType":{"id":"IDX","value":"IDA"},"capitalCity":"Brazzaville","longitude":"15.2662","latitude":"-4.2767"},{"id":"COL","iso2Code":"CO","name":"Colombia","region":{"id":"LCN","value":"Latin America & Caribbean (all income levels)"},"adminregion":{"id":"LAC","value":"Latin America & Caribbean (developing only)"},"incomeLevel":{"id":"UMC","value":"Upper middle income"},"lendingType":{"id":"IBD","value":"IBRD"},"capitalCity":"Bogota","longitude":"-74.082","latitude":"4.60987"},{"id":"COM","iso2Code":"KM","name":"Comoros","region":{"id":"SSF","value":"Sub-Saharan Africa (all income levels)"},"adminregion":{"id":"SSA","value":"Sub-Saharan Africa (developing only)"},"incomeLevel":{"id":"LIC","value":"Low income"},"lendingType":{"id":"IDX","value":"IDA"},"capitalCity":"Moroni","longitude":"43.2418","latitude":"-11.6986"},{"id":"CPV","iso2Code":"CV","name":"Cape Verde","region":{"id":"SSF","value":"Sub-Saharan Africa (all income levels)"},"adminregion":{"id":"SSA","value":"Sub-Saharan Africa (developing only)"},"incomeLevel":{"id":"LMC","value":"Lower middle income"},"lendingType":{"id":"IDB","value":"Blend"},"capitalCity":"Praia","longitude":"-23.5087","latitude":"14.9218"},{"id":"CRI","iso2Code":"CR","name":"Costa Rica","region":{"id":"LCN","value":"Latin America & Caribbean (all income levels)"},"adminregion":{"id":"LAC","value":"Latin America & Caribbean (developing only)"},"incomeLevel":{"id":"UMC","value":"Upper middle income"},"lendingType":{"id":"IBD","value":"IBRD"},"capitalCity":"San Jose","longitude":"-84.0089","latitude":"9.63701"},{"id":"CUB","iso2Code":"CU","name":"Cuba","region":{"id":"LCN","value":"Latin America & Caribbean (all income levels)"},"adminregion":{"id":"LAC","value":"Latin America & Caribbean (developing only)"},"incomeLevel":{"id":"UMC","value":"Upper middle income"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"Havana","longitude":"-82.3667","latitude":"23.1333"},{"id":"CYM","iso2Code":"KY","name":"Cayman Islands","region":{"id":"LCN","value":"Latin America & Caribbean (all income levels)"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"NOC","value":"High income: nonOECD"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"George Town","longitude":"-81.3857","latitude":"19.3022"},{"id":"CYP","iso2Code":"CY","name":"Cyprus","region":{"id":"ECS","value":"Europe & Central Asia (all income levels)"},"adminregion":{"id":"","value":""},"incomeLevel":{"id":"NOC","value":"High income: nonOECD"},"lendingType":{"id":"NC","value":"Not classified"},"capitalCity":"Nicosia","longitude":"33.3736","latitude":"35.1676"}]]
2
+
@@ -0,0 +1,2 @@
1
+ [{"page":1,"pages":1,"per_page":"50","total":1},[{"id":"IND","iso2Code":"IN","name":"India","region":{"id":"SAS","value":"South Asia"},"adminregion":{"id":"SAS","value":"South Asia"},"incomeLevel":{"id":"LMC","value":"Lower middle income"},"lendingType":{"id":"IDB","value":"Blend"},"capitalCity":"New Delhi","longitude":"77.225","latitude":"28.6353"}]]
2
+
@@ -0,0 +1 @@
1
+ [{"page":"1","pages":"1","per_page":"50","total":"1"},[{"id":"LMC","value":"Lower middle income"}]]
@@ -0,0 +1,2 @@
1
+ [{"page":"1","pages":"1","per_page":"50","total":"9"},[{"id":"HIC","value":"High income"},{"id":"HPC","value":"Heavily indebted poor countries (HIPC)"},{"id":"LIC","value":"Low income"},{"id":"LMC","value":"Lower middle income"},{"id":"LMY","value":"Low & middle income"},{"id":"MIC","value":"Middle income"},{"id":"NOC","value":"High income: nonOECD"},{"id":"OEC","value":"High income: OECD"},{"id":"UMC","value":"Upper middle income"}]]
2
+
@@ -0,0 +1,2 @@
1
+ [{"page":1,"pages":82,"per_page":"50","total":4073},[{"id":"AG.AGR.TRAC.NO","name":"Agricultural machinery, tractors","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Agricultural machinery refers to the number of wheel and crawler tractors (excluding garden tractors) in use in agriculture at the end of the calendar year specified or during the first quarter of the following year.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.AID.CREL.MT","name":"Cereal food aid shipments (FAO, tonnes)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.CON.FERT.MT","name":"Fertilizer consumption (metric tons)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"Fertilizer consumption measures the quantity of plant nutrients used per unit of arable land. Fertilizer products cover nitrogenous, potash, and phosphate fertilizers (including ground rock phosphate). Traditional nutrients--animal and plant manures--are not included. For the purpose of data dissemination, FAO has adopted the concept of a calendar year (January to December). Some countries compile fertilizer data on a calendar year basis, while others are on a split-year basis.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.CON.FERT.PT.ZS","name":"Fertilizer consumption (% of fertilizer production)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Fertilizer consumption measures the quantity of plant nutrients used per unit of arable land. Fertilizer products cover nitrogenous, potash, and phosphate fertilizers (including ground rock phosphate). Traditional nutrients--animal and plant manures--are not included. For the purpose of data dissemination, FAO has adopted the concept of a calendar year (January to December). Some countries compile fertilizer data on a calendar year basis, while others are on a split-year basis.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.CON.FERT.ZS","name":"Fertilizer consumption (kilograms per hectare of arable land)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Fertilizer consumption (100 grams per hectare of arable land) measures the quantity of plant nutrients used per unit of arable land. Fertilizer products cover nitrogenous, potash, and phosphate fertilizers (including ground rock phosphate). Traditional nutrients--animal and plant manures--are not included. For the purpose of data dissemination, FAO has adopted the concept of a calendar year (January to December). Some countries compile fertilizer data on a calendar year basis, while others are on a split-year basis. Arable land includes land defined by the FAO as land under temporary crops (double-cropped areas are counted once), temporary meadows for mowing or for pasture, land under market or kitchen gardens, and land temporarily fallow. Land abandoned as a result of shifting cultivation is excluded.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.CRP.BLY.CD","name":"Producer Price for Barley (per tonne, current US$)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.CRP.BLY.CN","name":"Producer Price for Barley (per tonne, current LCU)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.CRP.FNO.CD","name":"Producer Price for Fonio (per tonne, current US$)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.CRP.FNO.CN","name":"Producer Price for Fonio (per tonne, current LCU)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.CRP.MLT.CD","name":"Producer Price for Millet (per tonne, current US$)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.CRP.MLT.CN","name":"Producer Price for Millet (per tonne, current LCU)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.CRP.MZE.CD","name":"Producer Price for Maize (per tonne, current US$)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.CRP.MZE.CN","name":"Producer Price for Maize (per tonne, current LCU)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.CRP.RICE.CD","name":"Producer Price for Rice, paddy (per tonne, current US$)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.CRP.RICE.CN","name":"Producer Price for Rice, paddy (per tonne, current LCU)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.CRP.SGM.CD","name":"Producer Price for Sorghum (per tonne, current US$)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.CRP.SGM.CN","name":"Producer Price for Sorghum (per tonne, current LCU)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.CRP.WHT.CD","name":"Producer Price for Wheat (per tonne, current US$)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.CRP.WHT.CN","name":"Producer Price for Wheat (per tonne, current LCU)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.FRST.PROD.WOOD","name":"Wood fuel production quantity (CUM, solid volume units)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.LND.AGRI.HA","name":"Agricultural land (hectares)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.LND.AGRI.K2","name":"Agricultural land (sq. km)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Agricultural land refers to the share of land area that is arable, under permanent crops, and under permanent pastures. Arable land includes land defined by the FAO as land under temporary crops (double-cropped areas are counted once), temporary meadows for mowing or for pasture, land under market or kitchen gardens, and land temporarily fallow. Land abandoned as a result of shifting cultivation is excluded. Land under permanent crops is land cultivated with crops that occupy the land for long periods and need not be replanted after each harvest, such as cocoa, coffee, and rubber. This category includes land under flowering shrubs, fruit trees, nut trees, and vines, but excludes land under trees grown for wood or timber. Permanent pasture is land used for five or more years for forage, including natural and cultivated crops.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.LND.AGRI.ZS","name":"Agricultural land (% of land area)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Agricultural land refers to the share of land area that is arable, under permanent crops, and under permanent pastures. Arable land includes land defined by the FAO as land under temporary crops (double-cropped areas are counted once), temporary meadows for mowing or for pasture, land under market or kitchen gardens, and land temporarily fallow. Land abandoned as a result of shifting cultivation is excluded. Land under permanent crops is land cultivated with crops that occupy the land for long periods and need not be replanted after each harvest, such as cocoa, coffee, and rubber. This category includes land under flowering shrubs, fruit trees, nut trees, and vines, but excludes land under trees grown for wood or timber. Permanent pasture is land used for five or more years for forage, including natural and cultivated crops.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.LND.ARBL.HA","name":"Arable land (hectares)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Arable land (in hectares) includes land defined by the FAO as land under temporary crops (double-cropped areas are counted once), temporary meadows for mowing or for pasture, land under market or kitchen gardens, and land temporarily fallow. Land abandoned as a result of shifting cultivation is excluded.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.LND.ARBL.HA.PC","name":"Arable land (hectares per person)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Arable land (hectares per person) includes land defined by the FAO as land under temporary crops (double-cropped areas are counted once), temporary meadows for mowing or for pasture, land under market or kitchen gardens, and land temporarily fallow. Land abandoned as a result of shifting cultivation is excluded.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.LND.ARBL.ZS","name":"Arable land (% of land area)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Arable land includes land defined by the FAO as land under temporary crops (double-cropped areas are counted once), temporary meadows for mowing or for pasture, land under market or kitchen gardens, and land temporarily fallow. Land abandoned as a result of shifting cultivation is excluded.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.LND.CERE.ZS","name":"Cereal cropland (% of land area)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.LND.CREL.HA","name":"Land under cereal production (hectares)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Land under cereal production refers to harvested area, although some countries report only sown or cultivated area. Cereals include wheat, rice, maize, barley, oats, rye, millet, sorghum, buckwheat, and mixed grains. Production data on cereals relate to crops harvested for dry grain only. Cereal crops harvested for hay or harvested green for food, feed, or silage and those used for grazing are excluded.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.LND.CROP.HA","name":"Permanent cropland (hectares)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.LND.CROP.ZS","name":"Permanent cropland (% of land area)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Permanent cropland is land cultivated with crops that occupy the land for long periods and need not be replanted after each harvest, such as cocoa, coffee, and rubber. This category includes land under flowering shrubs, fruit trees, nut trees, and vines, but excludes land under trees grown for wood or timber.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.LND.CRPA.HA","name":"Arable and permanent cropland (hectares)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.LND.FRST.K2","name":"Forest area (sq. km)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Forest area is land under natural or planted stands of trees of at least 5 meters in situ, whether productive or not, and excludes tree stands in agricultural production systems (for example, in fruit plantations and agroforestry systems) and trees in urban parks and gardens.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"6","value":"Environment "},{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.LND.FRST.ZS","name":"Forest area (% of land area)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Forest area is land under natural or planted stands of trees of at least 5 meters in situ, whether productive or not, and excludes tree stands in agricultural production systems (for example, in fruit plantations and agroforestry systems) and trees in urban parks and gardens.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "},{"id":"6","value":"Environment "}]},{"id":"AG.LND.IRIG.AG.ZS","name":"Agricultural irrigated land (% of total agricultural land)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Agricultural irrigated land refers to agricultural areas purposely provided with water, including land irrigated by controlled flooding.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.LND.IRIG.PO.HA","name":"Land area equipped for irrigation (hectares)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[]},{"id":"AG.LND.IRIG.ZS","name":"Irrigated land (% of crop land)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"Irrigated land refers to areas purposely provided with water, including land irrigated by controlled flooding. Cropland refers to arable land and permanent cropland.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[]},{"id":"AG.LND.PRCP.MM","name":"Average precipitation in depth (mm per year) ","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Average precipitation is the long-term average in depth (over space and time) of annual precipitation in the country. Precipitation is defined as any kind of water that falls from clouds as a liquid or a solid.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.LND.TOTL.HA","name":"Land area (hectares)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.LND.TOTL.K2","name":"Land area (sq. km)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Land area is a country's total area, excluding area under inland water bodies, national claims to continental shelf, and exclusive economic zones. In most cases the definition of inland water bodies includes major rivers and lakes.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.LND.TRAC.ZS","name":"Agricultural machinery, tractors per 100 sq. km of arable land","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Agricultural machinery refers to the number of wheel and crawler tractors (excluding garden tractors) in use in agriculture at the end of the calendar year specified or during the first quarter of the following year. Arable land includes land defined by the FAO as land under temporary crops (double-cropped areas are counted once), temporary meadows for mowing or for pasture, land under market or kitchen gardens, and land temporarily fallow. Land abandoned as a result of shifting cultivation is excluded.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.LNF.FRST.HA","name":"Forest area (hectares)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.PRD.AGRI.XD","name":"Gross agriculture production index (1999-2001 = 100)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.PRD.CREL.MT","name":"Cereal production (metric tons)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Production data on cereals relate to crops harvested for dry grain only. Cereal crops harvested for hay or harvested green for food, feed, or silage and those used for grazing are excluded.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"6","value":"Environment "}]},{"id":"AG.PRD.CREL.XD","name":"Gross cereal production index (1999-2001 = 100)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.PRD.CROP.XD","name":"Crop production index (1999-2001 = 100)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Crop production index shows agricultural production for each year relative to the base period 1999-2001. It includes all crops except fodder crops. Regional and income group aggregates for the FAO's production indexes are calculated from the underlying values in international dollars, normalized to the base period 1999-2001.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.PRD.FOOD.XD","name":"Food production index (1999-2001 = 100)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Food production index covers food crops that are considered edible and that contain nutrients. Coffee and tea are excluded because, although edible, they have no nutritive value.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.PRD.LVSK.XD","name":"Livestock production index (1999-2001 = 100)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Livestock production index includes meat and milk from all sources, dairy products such as cheese, and eggs, honey, raw silk, wool, and hides and skins.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]},{"id":"AG.PRD.NFOOD.XD","name":"Gross non-food production index (1999-2001 = 100)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.SED.CREL.MT","name":"Cereal seed quantity (FAO, tonnes)","source":{"id":"11","value":"Africa Development Indicators"},"sourceNote":"","sourceOrganization":"","topics":[]},{"id":"AG.SRF.TOTL.K2","name":"Surface area (sq. km)","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Surface area is a country's total area, including areas under inland bodies of water and some coastal waterways.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]}]]
2
+
@@ -0,0 +1 @@
1
+ [{"page":1,"pages":1,"per_page":"50","total":1},[{"id":"AG.AGR.TRAC.NO","name":"Agricultural machinery, tractors","source":{"id":"2","value":"World Development Indicators"},"sourceNote":"Agricultural machinery refers to the number of wheel and crawler tractors (excluding garden tractors) in use in agriculture at the end of the calendar year specified or during the first quarter of the following year.","sourceOrganization":"Food and Agriculture Organization, electronic files and web site.","topics":[{"id":"1","value":"Agriculture & Rural Development "}]}]]
@@ -0,0 +1 @@
1
+ [{"page":"1","pages":"1","per_page":"50","total":"1"},[{"id":"IDB","value":"Blend"}]]
@@ -0,0 +1 @@
1
+ [{"page":"1","pages":"1","per_page":"50","total":"4"},[{"id":"IBD","value":"IBRD"},{"id":"IDB","value":"Blend"},{"id":"IDX","value":"IDA"},{"id":"NC","value":"Not classified"}]]
@@ -0,0 +1,2 @@
1
+ [{"page":"1","pages":"1","per_page":"50","total":"18"},[{"id":"","code":"ARB","name":"Arab World"},{"id":"","code":"EAP","name":"East Asia & Pacific (developing only)"},{"id":"1","code":"EAS","name":"East Asia & Pacific (all income levels)"},{"id":"","code":"ECA","name":"Europe & Central Asia (developing only)"},{"id":"2","code":"ECS","name":"Europe & Central Asia (all income levels)"},{"id":"","code":"EMU","name":"Euro area"},{"id":"","code":"EUU","name":"European Union"},{"id":"","code":"LAC","name":"Latin America & Caribbean (developing only)"},{"id":"3","code":"LCN","name":"Latin America & Caribbean (all income levels)"},{"id":"","code":"LDC","name":"Least developed countries: UN classification"},{"id":"4","code":"MEA","name":"Middle East & North Africa (all income levels)"},{"id":"","code":"MNA","name":"Middle East & North Africa (developing only)"},{"id":"6","code":"NAC","name":"North America"},{"id":"","code":"OED","name":"OECD members"},{"id":"8","code":"SAS","name":"South Asia"},{"id":"","code":"SSA","name":"Sub-Saharan Africa (developing only)"},{"id":"9","code":"SSF","name":"Sub-Saharan Africa (all income levels)"},{"id":"","code":"WLD","name":"World"}]]
2
+
@@ -0,0 +1 @@
1
+ [{"page":"1","pages":"1","per_page":"50","total":"1"},[{"id":"","code":"WLD","name":"World"}]]
@@ -0,0 +1,2 @@
1
+ [{"page":"1","pages":"1","per_page":"50","total":"1"},[{"id":"21","name":"Global Economic Monitor (GEM) Commodities","description":"","url":""}]]
2
+