Пример #1
0
    def test_geocode(self):
        loc1 = geocode('15 & chestnut')
        self.assertAlmostEqual(float(loc1[0]), 39.951304, places=3)
        self.assertAlmostEqual(float(loc1[1]), -75.165601, places=3)

        loc2 = geocode('Poplar & n American')
        self.assertAlmostEqual(float(loc2[0]), 39.964792, places=3)
        self.assertAlmostEqual(float(loc2[1]), -75.141594, places=3)

        loc3 = geocode('Broad & arch')
        self.assertAlmostEqual(float(loc3[0]), 39.954659, places=3)
        self.assertAlmostEqual(float(loc3[1]), -75.163059, places=3)
Пример #2
0
def parse_to_db(db, filename):
    """Reads a csv and imports the data into a database."""
    # The indices in the csv of different data
    vehicle_id_index = 8
    license_plate_index = 9
    location_index = 4
    date_index = 0
    agency_index = 6
    picture_index = 13
    description_index = 11

    validator_form = IncidentReportForm()

    with open(filename, 'rb') as csv_file:
        reader = csv.reader(csv_file)
        columns = reader.next()

        for i, row in enumerate(reader, start=2):  # i is the row number

            address_text = row[location_index]
            coords = geocode(address_text)

            # Ignore rows that do not have correct geocoding
            if coords[0] is None or coords[1] is None:
                print_error(i, 'Failed to geocode "{:s}"'.format(address_text))

            # Insert correctly geocoded row to database
            else:
                loc = Location(
                    latitude=coords[0],
                    longitude=coords[1],
                    original_user_text=address_text)
                db.session.add(loc)

                time1, time2 = parse_start_end_time(date_index, row)

                # Assign correct agency id
                agency_name = row[agency_index].rstrip()
                if agency_name.upper() == 'OTHER':
                    agency_name = row[agency_index + 1].rstrip()
                agency = Agency.get_agency_by_name(agency_name)

                # Create new agency object if not in database
                if agency is None:
                    agency = Agency(name=agency_name)
                    agency.is_public = True
                    agency.is_official = False
                    db.session.add(agency)
                    db.session.commit()

                vehicle_id_text = row[vehicle_id_index].strip()
                license_plate_text = row[license_plate_index].strip()

                # If the license plate is too short, just ignore it
                if len(strip_non_alphanumeric_chars(license_plate_text)) < 3:
                    license_plate_text = ''

                # Validate all the fields
                validate_field = functools.partial(
                    validate_field_partial,
                    form=validator_form,
                    row_number=i
                )

                errors = 0

                if not validate_field(
                    field=validator_form.vehicle_id,
                    data=vehicle_id_text
                ):
                    errors += 1

                if not validate_field(
                    field=validator_form.description,
                    data=row[description_index]
                ):
                    errors += 1

                if not validate_field(
                    field=validator_form.picture_url,
                    data=row[picture_index]
                ):
                    errors += 1

                if errors == 0:
                    vehicle_id_text = strip_non_alphanumeric_chars(
                        vehicle_id_text)
                    license_plate_text = strip_non_alphanumeric_chars(
                        license_plate_text)

                    incident = IncidentReport(
                        vehicle_id=vehicle_id_text if len(vehicle_id_text) > 0
                        else None,
                        license_plate=license_plate_text if
                        len(license_plate_text) > 0 else None,
                        location=loc,
                        date=time1,
                        duration=time2 - time1,
                        agency=agency,
                        picture_url=row[picture_index],
                        description=row[description_index],
                        send_email_upon_creation=False,
                    )
                    db.session.add(incident)

        db.session.commit()
        return columns
Пример #3
0
 def test_geocode_fail(self):
     loc4 = geocode('I am happy!')
     self.assertTrue(loc4[0] is None)
     self.assertTrue(loc4[1] is None)
Пример #4
0
def parse_to_db(db, filename):
    """Reads a csv and imports the data into a database."""
    # The indices in the csv of different data

    date_index = 0
    location_index = 1
    description_index = 6
    injuries_index = 7
    pedestrian_num_index = 2
    bicycle_num_index = 4
    automobile_num_index = 3
    other_num_index = 5
    picture_index = 8
    contact_name_index = 9
    contact_phone_index = 10
    contact_email_index = 11

    validator_form = IncidentReportForm()

    with open(filename, 'r') as csv_file:
        reader = csv.reader(csv_file)
        # columns = reader.next()

        for i, row in enumerate(reader, start=2):  # i is the row number

            address_text = row[location_index]
            coords = geocode(address_text)

            # Ignore rows that do not have correct geocoding
            if coords[0] is None or coords[1] is None:
                print_error(i, 'Failed to geocode "{:s}"'.format(address_text))

            # Insert correctly geocoded row to database
            else:
                loc = IncidentLocation(latitude=coords[0],
                                       longitude=coords[1],
                                       original_user_text=address_text)
                db.session.add(loc)

                time1, time2 = parse_start_end_time(date_index, row)

                pedestrian_num_text = row[pedestrian_num_index].strip()
                bicycle_num_text = row[bicycle_num_index].strip()
                automobile_num_text = row[automobile_num_index].strip()
                other_num_text = row[other_num_index].strip()

                contact_name_text = row[contact_name_index].strip()
                contact_phone_text = row[contact_phone_index].strip()
                contact_email_text = row[contact_email_index].strip()

                # Validate all the fields
                validate_field = functools.partial(validate_field_partial,
                                                   form=validator_form,
                                                   row_number=i)

                errors = 0

                if not validate_field(field=validator_form.description,
                                      data=row[description_index]):
                    errors += 1

                if not validate_field(field=validator_form.picture_url,
                                      data=row[picture_index]):
                    errors += 1

                if errors == 0:
                    pedestrian_num_text = strip_non_alphanumeric_chars(
                        pedestrian_num_text)
                    bicycle_num_text = strip_non_alphanumeric_chars(
                        bicycle_num_index)
                    automobile_num_text = strip_non_alphanumeric_chars(
                        automobile_num_index)
                    other_num_text = strip_non_alphanumeric_chars(
                        other_num_index)

                    contact_name_text = strip_non_alphanumeric_chars(
                        contact_name_index)
                    contact_phone_text = strip_non_alphanumeric_chars(
                        contact_phone_index)
                    contact_email_text = strip_non_alphanumeric_chars(
                        contact_email_index)

                    incident = Incident(
                        date=time1,
                        pedestrian_num=int(pedestrian_num_text)
                        if len(pedestrian_num_text) > 0 else 0,
                        bicycle_num=int(bicycle_num_text)
                        if len(bicycle_num_text) > 0 else 0,
                        automobile_num=int(automobile_num_text)
                        if len(automobile_num_text) > 0 else 0,
                        other_num=int(other_num_text)
                        if len(other_num_text) > 0 else 0,
                        description=row[description_index],
                        injuries=row[injuries_index],
                        picture_url=row[picture_index],
                        contact_name=contact_name_text
                        if len(contact_name_text) > 0 else None,
                        contact_phone=int(contact_phone_text)
                        if len(contact_phone_text) > 0 else None,
                        contact_email=contact_email_text
                        if len(contact_email_text) > 0 else None,
                    )
                    db.session.add(incident)

        db.session.commit()
        return columns
 def __call__(self, form, field):
     lat, lng = geocode(field.data)
     if lat is None or lng is None:
         raise ValidationError('We could not find that location. Please '
                               'respond with a full address including city '
                               'and state.')
 def __call__(self, form, field):
     lat, lng = geocode(field.data)
     if lat is None or lng is None:
         raise ValidationError('We could not find that location. Please '
                               'respond with a full address including city '
                               'and state.')
Пример #7
0
def index():
    form = IncidentReportForm()
    agencies = Agency.query.all()

    if form.validate_on_submit():

        # If geocode happened client-side, it's not necessary to geocode again.
        lat, lng = form.latitude.data, form.longitude.data
        if not lat or not lng:
            lat, lng = geocode(form.location.data)

        l = models.Location(original_user_text=form.location.data,
                            latitude=lat,
                            longitude=lng)

        agency = form.agency.data
        if agency is None:
            existing_other_agency = Agency.query.filter_by(
                name=form.other_agency.data.upper()).first()
            agency = existing_other_agency or Agency(
                name=form.other_agency.data.upper(),
                is_official=False,
                is_public=False
            )
            db.session.add(agency)

        new_incident = models.IncidentReport(
            vehicle_id=form.vehicle_id.data,
            license_plate=form.license_plate.data,
            location=l,
            date=datetime.combine(form.date.data, form.time.data),
            duration=timedelta(minutes=form.duration.data),
            agency=agency,
            description=form.description.data,
        )

        if form.picture_file.data.filename:
            filepath = secure_filename(form.picture_file.data.filename)
            form.picture_file.data.save(filepath)

            # synchronously upload image because heroku resets the file system
            # after the request
            link, deletehash = upload_image(
                imgur_client_id=current_app.config['IMGUR_CLIENT_ID'],
                imgur_client_secret=current_app.config['IMGUR_CLIENT_SECRET'],
                app_name=current_app.config['APP_NAME'],
                image_file_path=filepath
            )

            new_incident.picture_url = link
            new_incident.picture_deletehash = deletehash

        db.session.add(new_incident)
        db.session.commit()
        flash('Report successfully submitted.', 'success')

    # pre-populate form
    form.date.default = datetime.now(pytz.timezone(
        current_app.config['TIMEZONE']))
    form.time.default = datetime.now(pytz.timezone(
        current_app.config['TIMEZONE']))
    form.process()

    return render_template('main/map.html',
                           agencies=agencies,
                           form=form,
                           incident_reports=IncidentReport.query.all())
Пример #8
0
def index():
    form = IncidentReportForm()

    if form.validate_on_submit():

        # If geocode happened client-side, it's not necessary to geocode again.
        lat, lng = form.latitude.data, form.longitude.data
        if not lat or not lng:
            lat, lng = geocode(form.address.data)

        l = IncidentLocation(original_user_text=form.address.data,
                            latitude=lat,
                            longitude=lng)

        new_incident = Incident(
            address=l,
            date=datetime.combine(form.date.data, form.time.data),
            category=form.category.data,
            car=form.car.data,
            bus=form.bus.data,
            truck=form.truck.data,
            bicycle=form.bicycle.data,
            pedestrian=form.pedestrian.data,
            description=form.description.data,
            road_conditions=form.road_conditions.data,
            injuries=form.injuries.data,
            injuries_description=form.injuries_description.data,
            witness=form.witness.data,
            contact_name=form.contact_name.data,
            contact_phone=(int(form.contact_phone.data) if len(form.contact_phone.data) > 0 else None),
            contact_email=form.contact_email.data
        )

        if form.picture_file.data.filename:
            filepath = secure_filename(form.picture_file.data.filename)
            form.picture_file.data.save(filepath)

            # synchronously upload image because heroku resets the file system
            # after the request
            link, deletehash = upload_image(
                imgur_client_id=current_app.config['IMGUR_CLIENT_ID'],
                imgur_client_secret=current_app.config['IMGUR_CLIENT_SECRET'],
                app_name=current_app.config['APP_NAME'],
                image_file_path=filepath
            )

            new_incident.picture_url = link
            new_incident.picture_deletehash = deletehash

        db.session.add(new_incident)
        db.session.commit()
        flash('Report successfully submitted.', 'success')
        return redirect(url_for('main.index'))
    elif form.errors.items():
        flash('Report failed to submit. Please make sure all required fields are filled out.', 'error')

    # pre-populate form
    form.date.default = datetime.now(pytz.timezone(
        current_app.config['TIMEZONE']))
    form.time.default = datetime.now(pytz.timezone(
        current_app.config['TIMEZONE']))
    form.process()

    return render_template('main/map.html',
                           form=form,
                           incident_reports=Incident.query.all())