Beispiel #1
0
def fill_cities(data, session):
    stats_dict = dict(session.query(Stat.code, Stat.id))
    timer = Timer(len(data))
    for city in data:
        geom = WKTElement('POINT({:.8f} {:.8f})'.format(city.coords[1],
                                                        city.coords[0],
                                                        srid=4326))
        city_db = City(location=geom,
                       name=city.name,
                       region=city.region,
                       country=city.country,
                       source=city.wiki_source,
                       population=city.pop,
                       country_rank=city.country_rank,
                       region_rank=city.region_rank)
        session.add(city_db)
        # commit the cities so we can use them
        # I'm not sure this is the clean way to do it...
        session.commit()

        for code, month_stats in city.month_stats.items():
            if code not in stats_dict:
                continue
            for month_idx, value in enumerate(month_stats):
                ms = MonthlyStat(month=month_idx,
                                 city_id=city_db.id,
                                 stat_id=stats_dict[code],
                                 value=value)
                session.add(ms)
        timer.update()
    # for the last monthly stats
    session.commit()
Beispiel #2
0
def fill_cities(data, session):
    stats_dict = dict(session.query(Stat.code, Stat.id))
    timer = Timer(len(data))
    for city in data:
        geom = WKTElement('POINT({:.8f} {:.8f})'.format(
            city.coords[1], city.coords[0], srid=4326))
        city_db = City(
            location = geom,
            name = city.name,
            region = city.region,
            country = city.country,
            source = city.wiki_source,
            population = city.pop,
            country_rank = city.country_rank,
            region_rank = city.region_rank)
        session.add(city_db)
        # commit the cities so we can use them
        # I'm not sure this is the clean way to do it...
        session.commit()

        for code, month_stats in city.month_stats.items():
            if code not in stats_dict:
                continue
            for month_idx, value in enumerate(month_stats):
                ms = MonthlyStat(
                    month = month_idx,
                    city_id = city_db.id,
                    stat_id = stats_dict[code],
                    value = value)
                session.add(ms)
        timer.update()
    # for the last monthly stats
    session.commit()
Beispiel #3
0
def add_priority_index(session, fast_mode=False):
    """ decides the order in which the cities should be selected """
    cities = session.query(City,
                          func.ST_Y(cast(City.location, Geometry())),
                          func.ST_X(cast(City.location, Geometry()))) \
        .join(MonthlyStat) \
        .order_by(City.region_rank, City.country_rank,
                  desc(func.count(MonthlyStat.id))) \
        .group_by(City.id) \
        .yield_per(1000).all()

    if fast_mode:
        logger.info('doing the fast version of priority index')
        for i,city in enumerate(cities):
            city[0].priority_index = i
        session.commit()
        return

    def distance_fn(tuple1, tuple2):
        _,lat1,lon1 = tuple1
        _,lat2,lon2 = tuple2
        return lat_lon_fast_distance(lat1, lon1, lat2, lon2)

    indices = [0]
    indices_left = list(range(1,len(cities)))

    # pre-calculate the distances between all the cities
    logger.info('pre-calculating the distances between all cities')
    lats = numpy.array([c[1] for c in cities])
    lons = numpy.array([c[2] for c in cities])
    distances = lat_lon_fast_distance(lats.reshape(-1,1),
                                      lons.reshape(-1,1),
                                      lats.reshape(1,-1),
                                      lons.reshape(1,-1))

    class CityComp(object):
        idx = None
        max_dist = None
        max_dist_idx = None

        def __init__(self, max_dist, max_dist_idx):
            self.max_dist = max_dist
            self.max_dist_idx = max_dist_idx

        def __lt__(self, other):
            return self.max_dist < other.max_dist

    # each city is compared to all the previous ones (maximum)
    timer = Timer(len(indices_left))
    # percent of closest cities to choose from
    perc_closest_cities = 0.1
    # same but max
    max_closest_cities = 200
    while len(indices_left) > 0:
        # let's find the next city amongst the next candidates
        # this will be our (heap) list of good candidates, i.e. the ones
        # farthest from all the others
        good_candidates = []
        nb_keep = min(perc_closest_cities * len(indices_left),
                      max_closest_cities)
        nb_keep = max(1, nb_keep)  # at least 1!
        logger.debug('will keep the farthest %i', nb_keep)
        # max_dist = 0.
        # max_dist_idx = 0
        logger.debug('---------looking for the next one----------')
        for no_candidate, i_left in enumerate(indices_left):
            # logger.debug('candidate %i, idx %i', no_candidate, i_left)
            # find how close is the nearest neighbor for this city
            # we are looking for the city with the fartest nearest neighbor
            dist_nearest_neighbor = 1e9
            # get the distance of our candidate to the closest (already chosen)
            # city
            too_close = False
            for i_chosen in indices:
                cur_dist = distances[i_chosen, i_left]
                # if we already have enough candidates, and if the current is
                # worse than all others, let's skip it
                if len(good_candidates) >= nb_keep \
                        and cur_dist <= good_candidates[0].max_dist:
                    too_close = True
                    # logger.debug('too close @%f', cur_dist)
                    break
                dist_nearest_neighbor = min(dist_nearest_neighbor, cur_dist)
            # we don't compare the distance of this candidate with all cities
            # if it's closer to (already chosen) city than our best candidate
            # so far
            if too_close:
                continue
            # dist_nearest_neighbor = numpy.min(distances[indices][:,i_left])
            # logger.debug('candidate %i has a city at %f', no_candidate,
                         # dist_nearest_neighbor)

            # if dist_nearest_neighbor > best_candidate.max_dist:
                # logger.debug('(new max)')
            new_candidate = CityComp(dist_nearest_neighbor, no_candidate)
            # logger.debug('trying to add new candidate with dist %f',
                         # new_candidate.max_dist)
            # if we don't have enough anyway
            if len(good_candidates) < nb_keep:
                heapq.heappush(good_candidates, new_candidate)
            else:
                # if we have enough, just keep the n best
                rejected_cand = heapq.heappushpop(good_candidates,
                                                  new_candidate)
                # logger.debug('removed candidate %i with dist %f',
                            # rejected_cand.max_dist_idx,
                            # rejected_cand.max_dist)

        # take the smallest index in our good candidates. this corresponds to
        # the best (according to our first ORDER BY) amongst the "far enough"
        # candidates
        best_candidate = min(good_candidates, key=lambda x: x.max_dist_idx)
        logger.debug('keeping %s with pop %i',
                     cities[indices_left[best_candidate.max_dist_idx]][0].name,
                     cities[indices_left[best_candidate.max_dist_idx]][0].population,)
        # input('press to continue')
        indices.append(indices_left.pop(best_candidate.max_dist_idx))
        logger.debug('done, best candidate was %i with distance %f',
                     best_candidate.max_dist_idx, best_candidate.max_dist)
        logger.debug('done, chosen: %i, remaining: %i', len(indices),
                     len(indices_left))
        timer.update()

    assert len(indices) == len(cities)
    for priority_index, i in enumerate(indices):
        cities[i][0].priority_index = priority_index
    session.commit()
    configure_logging()

    dump_in = pickle.load(open(args.input_file))

    if True or ask_before_overwrite(args.output_file):
        dump_out = open(args.output_file, 'w')
    else:
        sys.exit()

    timer = Timer(len(dump_in))
    new_data = {}
    nb_no_climate = 0
    nb_coords_from_wiki = 0
    nb_coords_from_dbpedia = 0
    for i, (city, infos) in enumerate(dump_in.items()):
        timer.update(i)
        if args.max_cities is not None and i + 1 > args.max_cities:
            break
        logger.debug(city)
        # parsing population
        pop = parse_population(infos)
        if pop < args.min_pop:
            continue

        wikiurl = urlparse('http://' + infos['source'])
        wikiurl = urlopen(wikiurl.netloc + quote(wikiurl.path))

        # title in the wikipedia sense
        title = unquote(wikiurl.geturl()).split('/')[-1].replace('_', ' ')

        if 'name' in infos:
    configure_logging()

    dump_in = pickle.load(open(args.input_file))

    if True or ask_before_overwrite(args.output_file):
        dump_out = open(args.output_file, 'w')
    else:
        sys.exit()

    timer = Timer(len(dump_in))
    new_data = {}
    nb_no_climate = 0
    nb_coords_from_wiki = 0
    nb_coords_from_dbpedia = 0
    for i, (city, infos) in enumerate(dump_in.items()):
        timer.update(i)
        if args.max_cities is not None and i+1 > args.max_cities:
            break
        logger.debug(city)
        # parsing population
        pop = parse_population(infos)
        if pop < args.min_pop:
            continue

        wikiurl = urlparse('http://' + infos['source'])
        wikiurl = urlopen(wikiurl.netloc + quote(wikiurl.path))

        # title in the wikipedia sense
        title = unquote(wikiurl.geturl()).split('/')[-1].replace('_', ' ')

        if 'name' in infos:
            # print(name)
            # pprint(filtered_city)

        if len(data) > 0:
            print(name)
            print('DATA REMAINING - everything should be deliberately ignored'
                  ' or considered')
            for k in data:
                not_found.append(k)
            pprint(data)
            # if you comment this assert, it will still print all the keys that
            # weren't matched at the end. this is what you want to use for
            # debugging
            assert False

        timer.update()

    for k in not_found:
        sp = k.split('/')
        name = sp[-1]
        cat = sp[-2]
        if cat not in ['ontology', 'property']:
            print("{} + '{}/{}',".format(sp[-3].upper(), sp[-2], sp[-1]))
        else:
            print("{} + '{}',".format(sp[-2].upper(), sp[-1]))

    with open(output, 'w') as f:
        pickle.dump(filtered_cities, f)

    # some stats
    counter = Counter()
Beispiel #7
0
    nb_cities = sum(1 for x in dump_in if keep_city(x))
    if args.max_cities is not None and args.max_cities < nb_cities:
        nb_cities = args.max_cities
    timer = Timer(nb_cities, print_if=print_if)
    nb_no_wiki = 0
    nb_no_climate = 0
    nb_already_there = 0
    nb_coords_from_wiki = 0
    nb_coords_from_geonames = 0
    nb_done = 0
    for city in dump_in:
        if args.max_cities is not None and nb_done >= args.max_cities:
            break
        if not keep_city(city):
            continue
        timer.update()
        logger.debug(city)

        city_id = '{}/{}/{}'.format(city.name, city.region, city.country)
        # if the city is already there
        if city_id in new_data:
            nb_already_there += 1
            if args.append:
                continue
        elif args.update_only:
            continue

        got_wiki = False
        got_climate = False
        for potential_page in [city.name + ', ' + city.country,
                               city.name + ', ' + city.region]:
Beispiel #8
0
def add_priority_index(session, fast_mode=False):
    """ decides the order in which the cities should be selected """
    cities = session.query(City,
                          func.ST_Y(cast(City.location, Geometry())),
                          func.ST_X(cast(City.location, Geometry()))) \
        .join(MonthlyStat) \
        .order_by(City.region_rank, City.country_rank,
                  desc(func.count(MonthlyStat.id))) \
        .group_by(City.id) \
        .yield_per(1000).all()

    if fast_mode:
        logger.info('doing the fast version of priority index')
        for i, city in enumerate(cities):
            city[0].priority_index = i
        session.commit()
        return

    def distance_fn(tuple1, tuple2):
        _, lat1, lon1 = tuple1
        _, lat2, lon2 = tuple2
        return lat_lon_fast_distance(lat1, lon1, lat2, lon2)

    indices = [0]
    indices_left = list(range(1, len(cities)))

    # pre-calculate the distances between all the cities
    logger.info('pre-calculating the distances between all cities')
    lats = numpy.array([c[1] for c in cities])
    lons = numpy.array([c[2] for c in cities])
    distances = lat_lon_fast_distance(lats.reshape(-1, 1), lons.reshape(-1, 1),
                                      lats.reshape(1, -1), lons.reshape(1, -1))

    class CityComp(object):
        idx = None
        max_dist = None
        max_dist_idx = None

        def __init__(self, max_dist, max_dist_idx):
            self.max_dist = max_dist
            self.max_dist_idx = max_dist_idx

        def __lt__(self, other):
            return self.max_dist < other.max_dist

    # each city is compared to all the previous ones (maximum)
    timer = Timer(len(indices_left))
    # percent of closest cities to choose from
    perc_closest_cities = 0.1
    # same but max
    max_closest_cities = 200
    while len(indices_left) > 0:
        # let's find the next city amongst the next candidates
        # this will be our (heap) list of good candidates, i.e. the ones
        # farthest from all the others
        good_candidates = []
        nb_keep = min(perc_closest_cities * len(indices_left),
                      max_closest_cities)
        nb_keep = max(1, nb_keep)  # at least 1!
        logger.debug('will keep the farthest %i', nb_keep)
        # max_dist = 0.
        # max_dist_idx = 0
        logger.debug('---------looking for the next one----------')
        for no_candidate, i_left in enumerate(indices_left):
            # logger.debug('candidate %i, idx %i', no_candidate, i_left)
            # find how close is the nearest neighbor for this city
            # we are looking for the city with the fartest nearest neighbor
            dist_nearest_neighbor = 1e9
            # get the distance of our candidate to the closest (already chosen)
            # city
            too_close = False
            for i_chosen in indices:
                cur_dist = distances[i_chosen, i_left]
                # if we already have enough candidates, and if the current is
                # worse than all others, let's skip it
                if len(good_candidates) >= nb_keep \
                        and cur_dist <= good_candidates[0].max_dist:
                    too_close = True
                    # logger.debug('too close @%f', cur_dist)
                    break
                dist_nearest_neighbor = min(dist_nearest_neighbor, cur_dist)
            # we don't compare the distance of this candidate with all cities
            # if it's closer to (already chosen) city than our best candidate
            # so far
            if too_close:
                continue
            # dist_nearest_neighbor = numpy.min(distances[indices][:,i_left])
            # logger.debug('candidate %i has a city at %f', no_candidate,
            # dist_nearest_neighbor)

            # if dist_nearest_neighbor > best_candidate.max_dist:
            # logger.debug('(new max)')
            new_candidate = CityComp(dist_nearest_neighbor, no_candidate)
            # logger.debug('trying to add new candidate with dist %f',
            # new_candidate.max_dist)
            # if we don't have enough anyway
            if len(good_candidates) < nb_keep:
                heapq.heappush(good_candidates, new_candidate)
            else:
                # if we have enough, just keep the n best
                rejected_cand = heapq.heappushpop(good_candidates,
                                                  new_candidate)
                # logger.debug('removed candidate %i with dist %f',
                # rejected_cand.max_dist_idx,
                # rejected_cand.max_dist)

        # take the smallest index in our good candidates. this corresponds to
        # the best (according to our first ORDER BY) amongst the "far enough"
        # candidates
        best_candidate = min(good_candidates, key=lambda x: x.max_dist_idx)
        logger.debug(
            'keeping %s with pop %i',
            cities[indices_left[best_candidate.max_dist_idx]][0].name,
            cities[indices_left[best_candidate.max_dist_idx]][0].population,
        )
        # input('press to continue')
        indices.append(indices_left.pop(best_candidate.max_dist_idx))
        logger.debug('done, best candidate was %i with distance %f',
                     best_candidate.max_dist_idx, best_candidate.max_dist)
        logger.debug('done, chosen: %i, remaining: %i', len(indices),
                     len(indices_left))
        timer.update()

    assert len(indices) == len(cities)
    for priority_index, i in enumerate(indices):
        cities[i][0].priority_index = priority_index
    session.commit()