6

我在获取特定州每个城市的人口时遇到问题。我确实得到了城市的人口,但如果我将每个城市的人口相加,我得到的数字与该州的人口不同。

我得到了我的API 密钥,将P0010001 变量用于总人口,将 FIPS 25 用于马萨诸塞州,并按地理级别“地点”要求人口,我理解它是指城市。

这是我使用的 Python 3 代码:

import urllib.request
import ast


class Census:
    def __init__(self, key):
        self.key = key

    def get(self, fields, geo, year=2010, dataset='sf1'):
        fields = [','.join(fields)]
        base_url = 'http://api.census.gov/data/%s/%s?key=%s&get=' % (str(year), dataset, self.key)
        query = fields
        for item in geo:
            query.append(item)
        add_url = '&'.join(query)
        url = base_url + add_url
        print(url)
        req = urllib.request.Request(url)
        response = urllib.request.urlopen(req)
        return response.read()

c = Census('<mykey>')
state = c.get(['P0010001'], ['for=state:25'])
# url: http://api.census.gov/data/2010/sf1?key=<mykey>&get=P0010001&for=state:25
county = c.get(['P0010001'], ['in=state:25', 'for=county:*'])
# url: http://api.census.gov/data/2010/sf1?key=<mykey>&get=P0010001&in=state:25&for=county:*
city = c.get(['P0010001'], ['in=state:25', 'for=place:*'])
# url: http://api.census.gov/data/2010/sf1?key=<mykey>&get=P0010001&in=state:25&for=place:*

# Cast result to list type
state_result = ast.literal_eval(state.decode('utf8'))
county_result = ast.literal_eval(county.decode('utf8'))
city_result = ast.literal_eval(city.decode('utf8'))

def count_pop_county():
    count = 0
    for item in county_result[1:]:
        count += int(item[0])
    return count

def count_pop_city():
    count = 0
    for item in city_result[1:]:
        count += int(item[0])
    return count

结果如下:

print(state)
# b'[["P0010001","state"],\n["6547629","25"]]'

print('Total state population:', state_result[1][0])
# Total state population: 6547629

print('Population in all counties', count_pop_county())
# Population in all counties 6547629

print('Population in all cities', count_pop_city())
# Population in all cities 4615402

我有理由确定“地方”是城市,例如

# Get population of Boston (FIPS is 07000)
boston = c.get(['P0010001'], ['in=state:25', 'for=place:07000'])
print(boston)
# b'[["P0010001","state","place"],\n["617594","25","07000"]]'

我在做什么错或误解?为什么按地方划分的人口总和不等于该州的人口?

示例 API 调用列表

4

2 回答 2

7

如果我将每个城市的人口相加,我得到的数字与该州的人口不同。

那是因为不是每个人都住在城市里——许多县都有农村“非法人地区”,不属于任何城市,而且人们确实住在那里。

所以,这不是编程问题!-)

于 2015-03-08T23:43:07.307 回答
1

@Delicious——人口普查有几个级别的地理划分可用。我不能立即确定数据 API 停止在哪里(人口普查到各个区块,但我相信 API 不会,出于人类受试者的原因),但人口普查区、人口普查部门、ZCTA(邮政编码制表区 - 基本上是一个地图的邮政编码)将全部覆盖地理范围,并包括县级的未合并人口。

您可以在人口普查数据网站(factfinder.census.gov --> Advanced Search)上使用这些不同的级别(以及绘图工具)。

于 2015-11-23T08:24:19.687 回答