dawarich/app/services/maps/bounds_calculator.rb
2025-09-29 22:27:07 +02:00

96 lines
2.6 KiB
Ruby

# frozen_string_literal: true
module Maps
class BoundsCalculator
class NoUserFoundError < StandardError; end
class NoDateRangeError < StandardError; end
def initialize(user:, start_date:, end_date:)
@user = user
@start_date = start_date
@end_date = end_date
end
def call
validate_inputs!
start_timestamp = parse_date_parameter(@start_date)
end_timestamp = parse_date_parameter(@end_date)
point_count =
@user
.points
.where(timestamp: start_timestamp..end_timestamp)
.select(:id)
.count
return build_no_data_response if point_count.zero?
bounds_result = execute_bounds_query(start_timestamp, end_timestamp)
build_success_response(bounds_result, point_count)
end
private
def validate_inputs!
raise NoUserFoundError, 'No user found' unless @user
raise NoDateRangeError, 'No date range specified' unless @start_date && @end_date
end
def execute_bounds_query(start_timestamp, end_timestamp)
ActiveRecord::Base.connection.exec_query(
"SELECT ST_YMin(ST_Extent(lonlat::geometry)) as min_lat,
ST_YMax(ST_Extent(lonlat::geometry)) as max_lat,
ST_XMin(ST_Extent(lonlat::geometry)) as min_lng,
ST_XMax(ST_Extent(lonlat::geometry)) as max_lng
FROM points
WHERE user_id = $1
AND timestamp BETWEEN $2 AND $3",
'bounds_query',
[@user.id, start_timestamp, end_timestamp]
).first
end
def build_success_response(bounds_result, point_count)
{
success: true,
data: {
min_lat: bounds_result['min_lat'].to_f,
max_lat: bounds_result['max_lat'].to_f,
min_lng: bounds_result['min_lng'].to_f,
max_lng: bounds_result['max_lng'].to_f,
point_count: point_count
}
}
end
def build_no_data_response
{
success: false,
error: 'No data found for the specified date range',
point_count: 0
}
end
def parse_date_parameter(param)
case param
when String
if param.match?(/^\d+$/)
param.to_i
else
parsed_time = Time.zone.parse(param)
raise ArgumentError, "Invalid date format: #{param}" if parsed_time.nil?
parsed_time.to_i
end
when Integer
param
else
param.to_i
end
rescue ArgumentError => e
Rails.logger.error "Invalid date format: #{param} - #{e.message}"
raise ArgumentError, "Invalid date format: #{param}"
end
end
end