��c��RDUCK3 ^h;D �����������������:<��_�G����(�C->�� V!2"$%,'T*g/�/-6�6v7�?hAC�JM=Q�Q�R�S�T�U�V�Xv^�`ja;b�c:f�gh�h�i�k�rss�t�u�w�z�|�~�?���,�,� ����H�ޚܠo�b�� ��Y���s�ͰX�]�˷��L�&������I�����@��� �y���}�*�����h�����5� �v���������P� ���,��������!�@���� � R�2�����C���U ,!"�"�#�$�%�(�*�+�,s-0�0U2�3�4X6 8�9�:�;C<�=�>�?�@�ANI|J�LtM%NO�OKQR}RSS�S�T�XjY�[Z\1]=b�c�d�e�f�g�g/i�j�l�qKt�z{�W��ě\�ݫϮ0�O����w���G���l���������������������u�7��8�.�?������ $+'r.�0�154�5�7H8L9�F�G]H�K�LnM N�N:O�O6P�P�Q�RSS�SyT/U�UV�VW�W X�X%Y�Y�[�\g^�b�eGf�gh�hEi�i�j�k�lSm�m�n+o�p9q�qkr�stu�uv�{-}E��������X��/�Дŕ—v�������������������էh�s���)�$�l������p�������������1������������������Z�o�/���[���8�#�������c����3��N���� D ����q�!�$�(�-q0y4=5�7�8@9�9�:�<\@?AbB�CTDGwL�P�S�UPVa\rbRcd�g�iNqhs�t�uK}��z�6����n�ښ����p�"� �Q������ ����Y�a�Ŵ������O�������X���������������������� �����������$�O�~��������G�to?(:logger) raise WriteTimeout.new("Timed out after #{timeout} seconds trying to write to #{address}") rescue SystemCallError, IOError => exception message = "#write Connection failure while writing to '#{address.to_s}': #{exception.class}: #{exception.message}" logger.error message if respond_to?(:logger) raise ConnectionFailure.new(message, address.to_s, exception) enddef ssl_connect(socket, address, timeout) ssl_context = OpenSSL::SSL::SSLContext.new ssl_context.set_params(ssl.is_a?(Hash) ? ssl : {}) ssl_def all list = [] page = 1 fetch_all = true if @query.has_key?(:page) page = @query[:page] fetch_all = false end while true response = RestClient.get(@type.Resource, @query) data = response.body[@type.Resource] if !data.empty? data.each {|item| list << @type.new.from_json(item.to_json)} if !fetch_all break else where(page: page += 1) end else break end end return list enddef find(id) response = RestClient.get("#{@type.Resource}/#{id}") singular_resource = @type.Resource[0...-1] if response.body[singular_resource].nil? raise ArgumentError, 'Resource not found' end type.new.from_json(response.body[singular_resource].to_json) enddef topology self.discover unless @first_device_ip return [] unless @first_device_ip doc = Nokogiri::XML(open("http://#{@first_device_ip}:#{Sonos::PORT}/status/topology")) doc.xpath('//ZonePlayers/ZonePlayer').map do |node| TopologyNode.new(node) end enddef discover result = SSDP::Consumer.new.search(service: 'urn:schemas-upnp-org:device:ZonePlayer:1', first_only: true, timeout: @timeout, filter: lambda {|r| r[:params]["ST"].match(/ZonePlayer/) }) @first_device_ip = result[:address] enddef party_mode new_master = nil return nil unless speakers.length > 1 new_master = find_party_master if new_master.nil? party_over speakers.each do |slave| next if slave.uid == new_master.uid slave.join new_master end rescan @topology enddef ssl_connect(socket, address, timeout) ssl_context = OpenSSL::SSL::SSLContext.new ssl_context.set_params(ssl.is_a?(Hash) ? ssl : {}) ssl_socket = OpenSSL::SSL::SSLSocket.new(socket, ssl_context) ssl_socket.hostname = address.host_name ssl_socket.sync_close = true begin if timeout == -1 # Timeout of -1 means wait forever for a connection ssl_socket.connect else deadline = Time.now.utc + timeout begin non_blocking(socket, deadline) { ssl_socket.connect_nonblock } rescue Errno::EISCONN # Connection was successful. rescue NonBlockingTimeout raise ConnectionTimeout.new("SSL handshake Timed out after #{timeout} seconds trying to connect to #{address.to_s}") end end rescue SystemCallError, OpenSSL::SSL::SSLError, IOError => exception message = "#connect SSL handshake failure with '#{address.to_s}': #{exception.class}: #{exception.message}" logger.error message if respond_to?(:logger) raise ConnectionFailure.new(message, address.to_s, exception) end # Verify Peer certificate ssl_verify(ssl_socket, address) if ssl_context.verify_mode != OpenSSL::SSL::VERIFY_NONE ssl_socket enddef socket_write(data, timeout) if timeout < 0 socket.write(data) else deadline = Time.now.utc + timeout length = data.bytesize total_count = 0 non_blocking(socket, deadline) do loop do begin count = socket.write_nonblock(data) rescue Errno::EWOULDBLOCK retry end total_count += count return total_count if total_count >= length data = data.byteslice(count..-1) end end end rescue NonBlockingTimeout logger.warn "#write Timeout after #{timeout} seconds" if respond_to?(:logger) raise WriteTimeout.new("Timed out after #{timeout} seconds trying to write to #{address}") rescue SystemCallError, IOError => exception message = "#write Connection failure while writing to '#{address.to_s}': #{exception.class}: #{exception.message}" logger.error message if respond_to?(:logger) raise ConnectionFailure.new(message, address.to_s, exception) enddef socket_connect(socket, address, timeout) socket_address = Socket.pack_sockaddr_in(address.port, address.ip_address) # Timeout of -1 means wait forever for a connection return socket.connect(socket_address) if timeout == -1 deadline = Time.now.utc + timeout begin non_blocking(socket, deadline) { socket.connect_nonblock(socket_address) } rescue Errno::EISCONN # Connection was successful. rescue NonBlockingTimeout raise ConnectionTimeout.new("Timed out after #{timeout} seconds trying to connect to #{address}") rescue SystemCallError, IOError => exception message = "#connect Connection failure connecting to '#{address.to_s}': #{exception.class}: #{exception.message}" logger.error message if respond_to?(:logger) raise ConnectionFailure.new(message, address.to_s, exception) end enddef alive? return false if socket.nil? || closed? if IO.select([socket], nil, nil, 0) !socket.eof? rescue false else true end rescue IOError false enddef close socket.close if socket && !socket.closed? @socket = nil @address = nil true rescue IOError => exception logger.warn "IOError when attempting to close socket: #{exception.class}: #{exception.message}" if respond_to?(:logger) false enddef read(length, buffer = nil, timeout = read_timeout) if respond_to?(:logger) payload = {bytes: length, timeout: timeout} logger.benchmark_debug('#read', payload: payload) do data = socket_read(length, buffer, timeout) # With trace level also log the received data payload[:data] = data if logger.trace? data end else socket_read(length, buffer, timeout) end rescue Exception => exc close if close_on_error raise exc enddef write(data, timeout = write_timeout) data = data.to_s if respond_to?(:logger) payload = {timeout: timeout} # With trace level also log the sent data payload[:data] = data if logger.trace? logger.benchmark_debug('#write', payload: payload) do payload[:bytes] = socket_write(data, timeout) end else socket_write(data, timeout) end rescue Exception => exc close if close_on_error raise exc enddef connect start_time = Time.now retries = 0 close # Number of times to try begin connect_to_server(servers, policy) logger.info(message: "Connected to #{address}", duration: (Time.now - start_time) * 1000) if respond_to?(:logger) rescue ConnectionFailure, ConnectionTimeout => exception cause = exception.is_a?(ConnectionTimeout) ? exception : exception.cause # Retry-able? if self.class.reconnect_on_errors.include?(cause.class) && (retries < connect_retry_count.to_i) retries += 1 logger.warn "#connect Failed to connect to any of #{servers.join(',')}. Sleeping:#{connect_retry_interval}s. Retry: #{retries}" if respond_to?(:logger) sleep(connect_retry_interval) retry else message = "#connect Failed to connect to any of #{servers.join(',')} after #{retries} retries. #{exception.class}: #{exception.message}" logger.benchmark_error(message, exception: exception, duration: (Time.now - start_time)) if respond_to?(:logger) raise ConnectionFailure.new(message, address.to_s, cause) end end enddef parse_service_name(path) parts = Pathname.new(path).each_filename.to_a.reverse! # Find the last segment not in common segments, fall back to the last segment. parts.find {|seg| !COMMON_SEGMENTS[seg] } || parts.first enddef setup_streaming stream_uri = @client.instance() .attributes['urls']['streaming_api'].gsub(/^wss?/, 'https') @streamer = Mastodon::Streaming::Client.new(base_url: stream_uri, bearer_token: ENV['TOKEN']) enddef store_mention_data(mention) @mention_data = { reply_id: mention.id, visibility: mention.visibility, spoiler: mention.spoiler_text, hide_media: mention.sensitive?, mentions: mention.mentions, account: mention.account } enddef run_reply @streamer.user do |update| next unless update.kind_of? Mastodon::Notification and update.type == 'mention' # this makes it so .content calls strip instead update.status.class.module_eval { alias_method :content, :strip } if @strip_html store_mention_data update.status if block_given? yield(self, update.status) else @on_reply.call(self, update.status) end end enddef reply(text, *options) options = Hash[*options] post("@#{@mention_data[:account].acct} #{text}", **@mention_data.merge(options).reject { |k| k == :mentions or k == :account }) enddef run_interact @streamer.user do |update| if update.kind_of? Mastodon::Notification case update.type when 'mention' # this makes it so .content calls strip instead update.status.class.module_eval { alias_method :content, :strip } if @strip_html store_mention_data update.status @on_reply.call(self, update.status) unless @on_reply.nil? when 'reblog' @on_boost.call(self, update) unless @on_boost.nil? when 'favourite' @on_fave.call(self, update) unless @on_fave.nil? when 'follow' @on_follow.call(self, update) unless @on_follow.nil? end end end enddef expand_and_post(text, *options) opts = Hash[*options] rules = opts.fetch(:rules, 'default') actually_post(@grammar[rules].flatten(text), **opts.reject {|k| k == :rules }) enddef setup_tracery dir_path raise "Provided path not a directory" unless Dir.exist?(dir_path) @grammar = {} Dir.open(dir_path) do |dir| dir.each do |file| # skip our current and parent dir next if file =~ /^\.\.?$/ # read the rule file into the files hash @grammar[file.split('.').first] = createGrammar(JSON.parse(File.read("#{dir_path}/#{file}"))) end end # go ahead and makes a default mention-handler # if we have a reply rule file unless @grammar['reply'].nil? on_reply { |bot| bot.reply_with_mentions('#default#', rules: 'reply') } end enddef lock_exclusively!(max_run_time, worker = worker_name) now = self.class.db_time_now affected_rows = if locked_by != worker # We don't own this job so we will update the locked_by name and the locked_at self.class.update_all(["locked_at = ?, locked_by = ?", now, worker], ["id = ? and (locked_at is null or locked_at < ?)", id, (now - max_run_time.to_i)]) else # We already own this job, this may happen if the job queue crashes. # Simply resume and update the locked_at self.class.update_all(["locked_at = ?", now], ["id = ? and locked_by = ?", id, worker]) end if affected_rows == 1 self.locked_at = now self.locked_by = worker return true else return false end enddef padout(message) message_length = self.class.display_columns(message) if @last_render_width > message_length remaining_width = @last_render_width - message_length message += ' ' * remaining_width end message enddef log(message) sanitized_message = message.gsub(/\r|\n/, ' ') if done? write(sanitized_message + "\n", false) return end sanitized_message = padout(sanitized_message) write(sanitized_message + "\n", true) render enddef stop # reenable cursor if it is turned off if hide_cursor && @last_render_width != 0 write(TTY::Cursor.show, false) end return if done? render clear ? clear_line : write("\n", false) ensure @meter.clear @stopped = true emit(:stopped) enddef finish return if done? @current = total unless no_width render clear ? clear_line : write("\n", false) ensure @meter.clear @done = true # reenable cursor if it is turned off if hide_cursor && @last_render_width != 0 write(TTY::Cursor.show, false) end emit(:done) enddef write(data, clear_first = false) return unless tty? # write only to terminal move_to_row do output.print(TTY::Cursor.column(1)) if clear_first characters_in = @multibar.line_inset(self) if @multibar output.print("#{characters_in}#{data}") output.flush end enddef move_to_row if @multibar CURSOR_LOCK.synchronize do if @first_render @row = @multibar.next_row yield if block_given? output.print "\n" @first_render = false else lines_up = (@multibar.rows + 1) - @row output.print TTY::Cursor.save output.print TTY::Cursor.up(lines_up) yield if block_given? output.print TTY::Cursor.restore end end else yield if block_given? end enddef render return if done? if hide_cursor && @last_render_width == 0 && !(@current >= total) write(TTY::Cursor.hide) end if @multibar characters_in = @multibar.line_inset(self) update(inset: self.class.display_columns(characters_in)) end formatted = @formatter.decorate(self, @format) @tokens.each do |token, val| formatted = formatted.gsub(":#{token}", val) end padded = padout(formatted) write(padded, true) @last_render_time = Time.now @last_render_width = self.class.display_columns(formatted) enddef update(options = {}) synchronize do options.each do |name, val| if @configuration.respond_to?("#{name}=") @configuration.public_send("#{name}=", val) end end end enddef iterate(collection, progress = 1, &block) update(total: collection.count * progress) unless total progress_enum = Enumerator.new do |iter| collection.each do |elem| advance(progress) iter.yield(elem) end end block_given? ? progress_enum.each(&block) : progress_enum enddef advance(progress = 1, tokens = {}) return if done? synchronize do emit(:progress, progress) if progress.respond_to?(:to_hash) tokens, progress = progress, 1 end @start_at = Time.now if @current.zero? && !@started @current += progress @tokens = tokens @meter.sample(Time.now, progress) if !no_width && @current >= total finish && return end now = Time.now return if (now - @last_render_time) < @render_period render end enddef reset @width = 0 if no_width @render_period = frequency == 0 ? 0 : 1.0 / frequency @current = 0 @last_render_time = Time.now @last_render_width = 0 @done = false @stopped = false @start_at = Time.now @started = false @tokens = {} @meter.clear enddef days_to_week_start(start_day = Date.beginning_of_week) start_day_number = DAYS_INTO_WEEK[start_day] current_day_number = wday != 0 ? wday - 1 : 6 (current_day_number - start_day_number) % 7 enddef +(other) if Duration === other Duration.new(value + other.value, @parts + other.parts) else Duration.new(value + other, @parts + [[:seconds, other]]) end enddef get_signals all_signals = [] current = @klass while current != Qt::Base meta = Meta[current.name] if !meta.nil? all_signals.concat meta.signals end current = current.superclass end return all_signals enddef clean! stop remove_instance_dir! FileUtils.remove_entry(config.download_dir, true) if File.exist?(config.download_dir) FileUtils.remove_entry(config.tmp_save_dir, true) if File.exist? config.tmp_save_dir checksum_validator.clean! FileUtils.remove_entry(config.version_file) if File.exist? config.version_file enddef with_collection(options = {}) options = config.collection_options.merge(options) return yield if options.empty? name = create(options) begin yield name ensure delete name unless options[:persist] end enddef downconfig(options = {}) options[:name] ||= SecureRandom.hex options[:zkhost] ||= zkhost downconfig_options = { downconfig: true, n: options[:name] } downconfig_options[:d] = options[:dir] if options[:dir] downconfig_options[:z] = options[:zkhost] if options[:zkhost] exec 'zk', downconfig_options options[:name] enddef upconfig(options = {}) options[:name] ||= SecureRandom.hex options[:zkhost] ||= zkhost upconfig_options = { upconfig: true, n: options[:name] } upconfig_options[:d] = options[:dir] if options[:dir] upconfig_options[:z] = options[:zkhost] if options[:zkhost] exec 'zk', upconfig_options options[:name] enddef create(options = {}) options[:name] ||= SecureRandom.hex create_options = { p: port } create_options[:c] = options[:name] if options[:name] create_options[:n] = options[:config_name] if options[:config_name] create_options[:d] = options[:dir] if options[:dir] Retriable.retriable do raise "Not started yet" unless started? end # short-circuit if we're using persisted data with an existing core/collection return if options[:persist] && create_options[:c] && client.exists?(create_options[:c]) exec("create", create_options) options[:name] enddef restart if config.managed? && started? exec('restart', p: port, c: config.cloud) end enddef start extract_and_configure if config.managed? exec('start', p: port, c: config.cloud) # Wait for solr to start unless status sleep config.poll_interval end after_start end enddef mail_form_attributes self.class.mail_attributes.each_with_object({}) do |attr, hash| hash[attr.to_s] = send(attr) end enddef deliver! mailer = MailForm::Notifier.contact(self) if mailer.respond_to?(:deliver_now) mailer.deliver_now else mailer.deliver end enddef spam? self.class.mail_captcha.each do |field| next if send(field).blank? if defined?(Rails) && Rails.env.development? raise ScriptError, "The captcha field #{field} was supposed to be blank" else return true end end false enddef alt_field(number, ref_field, &block) unless @fields_by_name.include?(ref_field) raise "Unknown ref_field: #{ref_field}" end field = AltField.new(self, ref_field, &block) register_field_by_number(field, number) enddef field(number, type, name, opts = {}) field = Field.new(type, name, opts) register_field_by_name(field, name) register_field_by_number(field, number) enddef check(activity) unless @first_lap_index Log.fatal 'first_lap_index is not set' end unless @num_laps Log.fatal 'num_laps is not set' end @first_lap_index.upto(@first_lap_index - @num_laps) do |i| if (lap = activity.lap[i]) @laps << lap else Log.fatal "Session references lap #{i} which is not contained in " "the FIT file." end end enddef new_fit_data_record(record_type, field_values = {}) case record_type when 'file_id' @file_id = (record = FileId.new(field_values)) when 'field_description' @field_descriptions << (record = FieldDescription.new(field_values)) when 'developer_data_id' @developer_data_ids << (record = DeveloperDataId.new(field_values)) when 'epo_data' @epo_data = (record = EPO_Data.new(field_values)) when 'file_creator' @file_creator = (record = FileCreator.new(field_values)) when 'device_info' @device_infos << (record = DeviceInfo.new(field_values)) when 'sensor_settings' @sensor_settings << (record = SensorSettings.new(field_values)) when 'data_sources' @data_sources << (record = DataSources.new(field_values)) when 'user_data' @user_data << (record = UserData.new(field_values)) when 'user_profile' @user_profiles << (record = UserProfile.new(field_values)) when 'physiological_metrics' @physiological_metrics << (record = PhysiologicalMetrics.new(field_values)) when 'event' @events << (record = Event.new(field_values)) when 'session' unless @cur_lap_records.empty? # Copy selected fields from section to lap. lap_field_values = {} [ :timestamp, :sport ].each do |f| lap_field_values[f] = field_values[f] if field_values.include?(f) end # Ensure that all previous records have been assigned to a lap. record = create_new_lap(lap_field_values) end @num_sessions += 1 @sessions << (record = Session.new(@cur_session_laps, @lap_counter, field_values)) @cur_session_laps = [] when 'lap' record = create_new_lap(field_values) when 'record' @cur_lap_records << (record = Record.new(field_values)) @records << record when 'hrv' @hrv << (record = HRV.new(field_values)) when 'heart_rate_zones' @heart_rate_zones << (record = HeartRateZones.new(field_values)) when 'personal_records' @personal_records << (record = PersonalRecords.new(field_values)) else record = nil end record enddef write(io, id_mapper) @file_id.write(io, id_mapper) @file_creator.write(io, id_mapper) (@field_descriptions + @developer_data_ids + @device_infos + @sensor_settings + @data_sources + @user_profiles + @physiological_metrics + @events + @sessions + @laps + @records + @heart_rate_zones + @personal_records).sort.each do |s| s.write(io, id_mapper) end super enddef vo2max # First check the event log for a vo2max reporting event. @events.each do |e| return e.vo2max if e.event == 'vo2max' end # Then check the user_data entries for a metmax entry. METmax * 3.5 # is same value as VO2max. @user_data.each do |u| return u.metmax * 3.5 if u.metmax end nil enddef total_gps_distance timer_stops = [] # Generate a list of all timestamps where the timer was stopped. @events.each do |e| if e.event == 'timer' && e.event_type == 'stop_all' timer_stops << e.timestamp end end # The first record of a FIT file can already have a distance associated # with it. The GPS location of the first record is not where the start # button was pressed. This introduces a slight inaccurcy when computing # the total distance purely on the GPS coordinates found in the records. d = 0.0 last_lat = last_long = nil last_timestamp = nil # Iterate over all the records and accumlate the distances between the # neiboring coordinates. @records.each do |r| if (lat = r.position_lat) && (long = r.position_long) if last_lat && last_long distance = Fit4Ruby::GeoMath.distance(last_lat, last_long, lat, long) d += distance end if last_timestamp speed = distance / (r.timestamp - last_timestamp) end if timer_stops[0] == r.timestamp # If a stop event was found for this record timestamp we clear the # last_* values so that the distance covered while being stopped # is not added to the total. last_lat = last_long = nil last_timestamp = nil timer_stops.shift else last_lat = lat last_long = long last_timestamp = r.timestamp end end end d enddef check unless @timestamp && @timestamp >= Time.parse('1990-01-01T00:00:00+00:00') Log.fatal "Activity has no valid timestamp" end unless @total_timer_time Log.fatal "Activity has no valid total_timer_time" end unless @device_infos.length > 0 Log.fatal "Activity must have at least one device_info section" end @device_infos.each.with_index { |d, index| d.check(index) } @sensor_settings.each.with_index { |s, index| s.check(index) } unless @num_sessions == @sessions.count Log.fatal "Activity record requires #{@num_sessions}, but " "#{@sessions.length} session records were found in the " "FIT file." end # Records must have consecutively growing timestamps and distances. ts = Time.parse('1989-12-31') distance = nil invalid_records = [] @records.each_with_index do |r, idx| Log.fatal "Record has no timestamp" unless r.timestamp if r.timestamp < ts Log.fatal "Record has earlier timestamp than previous record" end if r.distance if distance && r.distance < distance # Normally this should be a fatal error as the FIT file is clearly # broken. Unfortunately, the Skiing/Boarding app in the Fenix3 # produces such broken FIT files. So we just warn about this # problem and discard the earlier records. Log.error "Record #{r.timestamp} has smaller distance " + "(#{r.distance}) than an earlier record (#{distance})." # Index of the list record to be discarded. (idx - 1).downto(0) do |i| if (ri = @records[i]).distance > r.distance # This is just an approximation. It looks like the app adds # records to the FIT file for runs that it meant to discard. # Maybe the two successive time start events are a better # criteria. But this workaround works for now. invalid_records << ri else # All broken records have been found. break end end end distance = r.distance end ts = r.timestamp end unless invalid_records.empty? # Delete all the broken records from the @records Array. Log.warn "Discarding #{invalid_records.length} earlier records" @records.delete_if { |r| invalid_records.include?(r) } end # Laps must have a consecutively growing message index. @laps.each.with_index do |lap, index| lap.check(index) # If we have heart rate zone records, there should be one for each # lap @heart_rate_zones[index].check(index) if @heart_rate_zones[index] end @sessions.each { |s| s.check(self) } enddef set_type(type) if @top_level_record Log.fatal "FIT file type has already been set to " + "#{@top_level_record.class}" end case type when 4, 'activity' @top_level_record = Activity.new @type = 'activity' when 32, 'monitoring_b' @top_level_record = Monitoring_B.new @type = 'monitoring_b' when 44, 'metrics' @top_level_record = Metrics.new @type = 'metrics' else Log.error "Unsupported FIT file type #{type}" return nil end @top_level_record enddef open(io) begin @@logger = Logger.new(io) rescue => e @@logger = Logger.new($stderr) Log.fatal "Cannot open log file: #{e.message}" end enddef check(index) unless @device_index Log.fatal 'device info record must have a device_index' end if @device_index == 0 unless @manufacturer Log.fatal 'device info record 0 must have a manufacturer field set' end if @manufacturer == 'garmin' unless @garmin_product Log.fatal 'device info record 0 must have a garman_product ' + 'field set' end else unless @product Log.fatal 'device info record 0 must have a product field set' end end if @serial_number.nil? Log.fatal 'device info record 0 must have a serial number set' end end enddef create_global_definition(fit_entity) messages = fit_entity.developer_fit_messages unless (gfm = GlobalFitMessages[@native_mesg_num]) Log.error "Developer field description references unknown global " + "message number #{@native_mesg_num}" return end if @developer_data_index >= fit_entity.top_level_record.developer_data_ids.size Log.error "Developer data index #{@developer_data_index} is too large" return end msg = messages[@native_mesg_num] || messages.message(@native_mesg_num, gfm.name) unless (@fit_base_type_id & 0x7F) < FIT_TYPE_DEFS.size Log.error "fit_base_type_id #{@fit_base_type_id} is too large" return end options = {} options[:scale] = @scale if @scale options[:offset] = @offset if @offset options[:array] = @array if @array options[:unit] = @units msg.field(@field_definition_number, FIT_TYPE_DEFS[@fit_base_type_id & 0x7F][1], "_#{@developer_data_index}_#{@field_name}", options) enddef check last_timestamp = ts_16_offset = nil last_ts_16 = nil # The timestamp_16 is a 2 byte time stamp value that is used instead of # the 4 byte timestamp field for monitoring records that have # current_activity_type_intensity values with an activity type of 6. The # value seems to be in seconds, but the 0 value reference does not seem # to be included in the file. However, it can be approximated using the # surrounding timestamp values. @monitorings.each do |record| if last_ts_16 && ts_16_offset && record.timestamp_16 && record.timestamp_16 < last_ts_16 # Detect timestamp_16 wrap-arounds. timestamp_16 is a 16 bit value. # In case of a wrap-around we adjust the ts_16_offset accordingly. ts_16_offset += 2 ** 16 end if ts_16_offset # We have already found the offset. Adjust all timestamps according # to 'offset + timestamp_16' if record.timestamp_16 record.timestamp = ts_16_offset + record.timestamp_16 last_ts_16 = record.timestamp_16 end else # We are still looking for the offset. if record.timestamp_16 && last_timestamp # We have a previous timestamp and found the first record with a # timestamp_16 value set. We assume that the timestamp of this # record is one minute after the previously found timestamp. # That's just a guess. Who knows what the Garmin engineers were # thinking here? ts_16_offset = last_timestamp + 60 - record.timestamp_16 record.timestamp = ts_16_offset + record.timestamp_16 last_ts_16 = record.timestamp_16 else # Just save the timestamp of the current record. last_timestamp = record.timestamp end end end enddef get_local(message) 0.upto(15) do |i| if (entry = @entries[i]) && entry.global_message == message entry.last_use = Time.now return i end end nil enddef add_global(message) unless (slot = @entries.index { |e| e.nil? }) # No more free slots. We have to find the least recently used one. slot = 0 0.upto(15) do |i| if i != slot && @entries[slot].last_use > @entries[i].last_use slot = i end end end @entries[slot] = Entry.new(message, Time.now) slot enddef write_breaking(text, x, y, width, mode = :left, color = 0, alpha = 0xff, z_index = 0) color = (alpha << 24) | color text.split("\n").each do |p| if mode == :justified y = write_paragraph_justified p, x, y, width, color, z_index else rel = case mode when :left then 0 when :center then 0.5 when :right then 1 else 0 end y = write_paragraph p, x, y, width, rel, color, z_index end end enddef write_line(text, x = nil, y = nil, mode = :left, color = 0, alpha = 0xff, effect = nil, effect_color = 0, effect_size = 1, effect_alpha = 0xff, z_index = 0) if text.is_a? Hash x = text[:x] y = text[:y] mode = text.fetch(:mode, :left) color = text.fetch(:color, 0) alpha = text.fetch(:alpha, 0xff) effect = text.fetch(:effect, nil) effect_color = text.fetch(:effect_color, 0) effect_size = text.fetch(:effect_size, 1) effect_alpha = text.fetch(:effect_alpha, 0xff) z_index = text.fetch(:z_index, 0) text = text[:text] end color = (alpha << 24) | color rel = case mode when :left then 0 when :center then 0.5 when :right then 1 else 0 end if effect effect_color = (effect_alpha << 24) | effect_color if effect == :border @font.draw_markup_rel text, x - effect_size, y - effect_size, z_index, rel, 0, 1, 1, effect_color @font.draw_markup_rel text, x, y - effect_size, z_index, rel, 0, 1, 1, effect_color @font.draw_markup_rel text, x + effect_size, y - effect_size, z_index, rel, 0, 1, 1, effect_color @font.draw_markup_rel text, x + effect_size, y, z_index, rel, 0, 1, 1, effect_color @font.draw_markup_rel text, x + effect_size, y + effect_size, z_index, rel, 0, 1, 1, effect_color @font.draw_markup_rel text, x, y + effect_size, z_index, rel, 0, 1, 1, effect_color @font.draw_markup_rel text, x - effect_size, y + effect_size, z_index, rel, 0, 1, 1, effect_color @font.draw_markup_rel text, x - effect_size, y, z_index, rel, 0, 1, 1, effect_color elsif effect == :shadow @font.draw_markup_rel text, x + effect_size, y + effect_size, z_index, rel, 0, 1, 1, effect_color end end @font.draw_markup_rel text, x, y, z_index, rel, 0, 1, 1, color enddef draw(alpha = 255, z_index = 0, color = 0xffffff) c = @enabled ? @text_color : @disabled_text_color r1 = c >> 16 g1 = (c & 0xff00) >> 8 b1 = (c & 0xff) r2 = color >> 16 g2 = (color & 0xff00) >> 8 b2 = (color & 0xff) r1 *= r2; r1 /= 255 g1 *= g2; g1 /= 255 b1 *= b2; b1 /= 255 color = (alpha << 24) | (r1 << 16) | (g1 << 8) | b1 @font.draw_text(@text, @x, @y, z_index, @scale_x, @scale_y, color) enddef draw(alpha = 0xff, z_index = 0, color = 0xffffff, over_color = 0xcccccc) return unless @visible unless @img bottom = @y + (@open ? @max_h : @h) + @scale_y b_color = (alpha << 24) G.window.draw_quad @x - @scale_x, @y - @scale_y, b_color, @x + @w + @scale_x, @y - @scale_y, b_color, @x + @w + @scale_x, bottom, b_color, @x - @scale_x, bottom, b_color, z_index @buttons.each do |b| c = (alpha << 24) | (b.state == :over ? over_color : color) G.window.draw_quad b.x, b.y, c, b.x + b.w, b.y, c, b.x + b.w, b.y + b.h, c, b.x, b.y + b.h, c, z_index + 1 if b.visible end end @buttons[0].draw(alpha, z_index, color) @buttons[1..-1].each { |b| b.draw alpha, z_index + 1, color } enddef value=(val) if @options.include? val old = @value @value = @buttons[0].text = val @on_changed.call(old, val) if @on_changed end enddef update return unless @enabled and @visible if @open and Mouse.button_pressed? :left and not Mouse.over?(@x, @y, @w, @max_h) toggle return end @buttons.each { |b| b.update } enddef draw(alpha = 0xff, z_index = 0, color = 0xffffff) return unless @visible if @bg c = (alpha << 24) | color @bg.draw @x, @y, z_index, @scale_x, @scale_y, c else c = (alpha << 24) | @bg_color G.window.draw_quad @x, @y, c, @x + @w, @y, c, @x + @w, @y + @h, c, @x, @y + @h, c, z_index end if @fg c = (alpha << 24) | color w1 = @fg.width * @scale_x w2 = (@value.to_f / @max_value * @w).round x0 = @x + @fg_margin_x x = 0 while x <= w2 - w1 @fg.draw x0 + x, @y + @fg_margin_y, z_index, @scale_x, @scale_y, c x += w1 end if w2 - x > 0 img = Gosu::Image.new(@fg_path, tileable: true, retro: @retro, rect: [0, 0, ((w2 - x) / @scale_x).round, @fg.height]) img.draw x0 + x, @y + @fg_margin_y, z_index, @scale_x, @scale_y, c end else c = (alpha << 24) | @fg_color rect_r = @x + (@value.to_f / @max_value * @w).round G.window.draw_quad @x, @y, c, rect_r, @y, c, rect_r, @y + @h, c, @x, @y + @h, c, z_index end if @font c = (alpha << 24) | @text_color @text = @format == '%' ? "#{(@value.to_f / @max_value * 100).round}%" : "#{@value}/#{@max_value}" @font.draw_text_rel @text, @x + @w / 2, @y + @h / 2, z_index, 0.5, 0.5, @scale_x, @scale_y, c end enddef draw(alpha = 0xff, z_index = 0, color = 0xffffff, disabled_color = 0x808080) return unless @visible color = (alpha << 24) | ((@enabled or @disabled_img) ? color : disabled_color) text_color = (alpha << 24) | (@enabled ? @text_color : @disabled_text_color) img = ((@enabled or @disabled_img.nil?) ? @img : @disabled_img) img.draw @x, @y, z_index, @scale_x, @scale_y, color @font.draw_text @text, @text_x, @text_y, z_index, @scale_x, @scale_y, text_color if @anchor1 and @anchor2 selection_color = ((alpha / 2) << 24) | @selection_color G.window.draw_quad @nodes[@anchor1], @text_y, selection_color, @nodes[@anchor2] + 1, @text_y, selection_color, @nodes[@anchor2] + 1, @text_y + @font.height * @scale_y, selection_color, @nodes[@anchor1], @text_y + @font.height * @scale_y, selection_color, z_index end if @cursor_visible if @cursor_img @cursor_img.draw @nodes[@cur_node] - (@cursor_img.width * @scale_x) / 2, @text_y, z_index, @scale_x, @scale_y else cursor_color = alpha << 24 G.window.draw_quad @nodes[@cur_node], @text_y, cursor_color, @nodes[@cur_node] + 1, @text_y, cursor_color, @nodes[@cur_node] + 1, @text_y + @font.height * @scale_y, cursor_color, @nodes[@cur_node], @text_y + @font.height * @scale_y, cursor_color, z_index end end enddef set_position(x, y) d_x = x - @x d_y = y - @y @x = x; @y = y @text_x += d_x @text_y += d_y @nodes.map! do |n| n + d_x end enddef text=(value, trigger_changed = true) @text = value[0...@max_length] @nodes.clear; @nodes << @text_x x = @nodes[0] @text.chars.each { |char| x += @font.text_width(char) * @scale_x @nodes << x } @cur_node = @nodes.size - 1 @anchor1 = nil @anchor2 = nil set_cursor_visible @on_text_changed.call @text, @params if trigger_changed && @on_text_changed enddef draw(alpha = 0xff, z_index = 0, color = 0xffffff) return unless @visible color = (alpha << 24) | color text_color = if @enabled if @state == :down @down_text_color else @state == :over ? @over_text_color : @text_color end else @disabled_text_color end text_color = (alpha << 24) | text_color @img[@img_index].draw @x, @y, z_index, @scale_x, @scale_y, color if @img if @text if @center_x or @center_y rel_x = @center_x ? 0.5 : 0 rel_y = @center_y ? 0.5 : 0 @font.draw_text_rel @text, @text_x, @text_y, z_index, rel_x, rel_y, @scale_x, @scale_y, text_color else @font.draw_text @text, @text_x, @text_y, z_index, @scale_x, @scale_y, text_color end end enddef update return unless @enabled and @visible mouse_over = Mouse.over? @x, @y, @w, @h mouse_press = Mouse.button_pressed? :left mouse_rel = Mouse.button_released? :left if @state == :up if mouse_over @img_index = 1 @state = :over else @img_index = 0 end elsif @state == :over if not mouse_over @img_index = 0 @state = :up elsif mouse_press @img_index = 2 @state = :down else @img_index = 1 end elsif @state == :down if not mouse_over @img_index = 0 @state = :down_out elsif mouse_rel @img_index = 1 @state = :over click else @img_index = 2 end else # :down_out if mouse_over @img_index = 2 @state = :down elsif mouse_rel @img_index = 0 @state = :up else @img_index = 0 end end enddef draw(map = nil, scale_x = 1, scale_y = 1, alpha = 0xff, color = 0xffffff, angle = nil, flip = nil, z_index = 0, round = false) if map.is_a? Hash scale_x = map.fetch(:scale_x, 1) scale_y = map.fetch(:scale_y, 1) alpha = map.fetch(:alpha, 0xff) color = map.fetch(:color, 0xffffff) angle = map.fetch(:angle, nil) flip = map.fetch(:flip, nil) z_index = map.fetch(:z_index, 0) round = map.fetch(:round, false) map = map.fetch(:map, nil) end color = (alpha << 24) | color if angle @img[@img_index].draw_rot @x - (map ? map.cam.x : 0) + @img[0].width * scale_x * 0.5, @y - (map ? map.cam.y : 0) + @img[0].height * scale_y * 0.5, z_index, angle, 0.5, 0.5, (flip == :horiz ? -scale_x : scale_x), (flip == :vert ? -scale_y : scale_y), color else x = @x - (map ? map.cam.x : 0) + (flip == :horiz ? scale_x * @img[0].width : 0) y = @y - (map ? map.cam.y : 0) + (flip == :vert ? scale_y * @img[0].height : 0) @img[@img_index].draw (round ? x.round : x), (round ? y.round : y), z_index, (flip == :horiz ? -scale_x : scale_x), (flip == :vert ? -scale_y : scale_y), color end enddef animate_once(indices, interval) if @animate_once_control == 2 return if indices == @animate_once_indices && interval == @animate_once_interval @animate_once_control = 0 end unless @animate_once_control == 1 @anim_counter = 0 @img_index = indices[0] @index_index = 0 @animate_once_indices = indices @animate_once_interval = interval @animate_once_control = 1 return end @anim_counter += 1 return unless @anim_counter >= interval @index_index += 1 @img_index = indices[@index_index] @anim_counter = 0 @animate_once_control = 2 if @index_index == indices.length - 1 enddef is_in_map(v) v.x >= 0 && v.y >= 0 && v.x < @size.x && v.y < @size.y enddef get_map_pos(scr_x, scr_y) return Vector.new((scr_x + @cam.x) / @tile_size.x, (scr_y + @cam.y) / @tile_size.y) unless @isometric # Gets the position transformed to isometric coordinates v = get_isometric_position scr_x, scr_y # divides by the square size to find the position in the matrix Vector.new((v.x * @inverse_square_size).to_i, (v.y * @inverse_square_size).to_i) enddef get_screen_pos(map_x, map_y) return Vector.new(map_x * @tile_size.x - @cam.x, map_y * @tile_size.y - @cam.y) unless @isometric Vector.new ((map_x - map_y - 1) * @tile_size.x * 0.5) - @cam.x + @x_offset, ((map_x + map_y) * @tile_size.y * 0.5) - @cam.y enddef get_absolute_size return Vector.new(@tile_size.x * @size.x, @tile_size.y * @size.y) unless @isometric avg = (@size.x + @size.y) * 0.5 Vector.new (avg * @tile_size.x).to_i, (avg * @tile_size.y).to_i enddef move_free(aim, speed) if aim.is_a? Vector x_d = aim.x - @x; y_d = aim.y - @y distance = Math.sqrt(x_d**2 + y_d**2) if distance == 0 @speed.x = @speed.y = 0 return end @speed.x = 1.0 * x_d * speed / distance @speed.y = 1.0 * y_d * speed / distance if (@speed.x < 0 and @x + @speed.x <= aim.x) or (@speed.x >= 0 and @x + @speed.x >= aim.x) @x = aim.x @speed.x = 0 else @x += @speed.x end if (@speed.y < 0 and @y + @speed.y <= aim.y) or (@speed.y >= 0 and @y + @speed.y >= aim.y) @y = aim.y @speed.y = 0 else @y += @speed.y end else rads = aim * Math::PI / 180 @speed.x = speed * Math.cos(rads) @speed.y = speed * Math.sin(rads) @x += @speed.x @y += @speed.y end enddef intercom_script_tag(user_details = nil, options={}) controller.instance_variable_set(IntercomRails::SCRIPT_TAG_HELPER_CALLED_INSTANCE_VARIABLE, true) if defined?(controller) options[:user_details] = user_details if user_details.present? options[:find_current_user_details] = !options[:user_details] options[:find_current_company_details] = !(options[:user_details] && options[:user_details][:company]) options[:controller] = controller if defined?(controller) ScriptTag.new(options) enddef each(&block) r = true while r r = next_record # nil means EOF unless r.nil? block.call(r) else # reached the EOF break end end enddef next_record raise @thread_exception.get unless @thread_exception.get.nil? r = @records.deq set_exception if r.nil? r enddef query_users(options = nil) policy = create_policy(options, AdminPolicy, default_admin_policy) command = AdminCommand.new command.query_users(@cluster, policy) enddef grant_roles(user, roles, options = nil) policy = create_policy(options, AdminPolicy, default_admin_policy) command = AdminCommand.new command.grant_roles(@cluster, policy, user, roles) enddef change_password(user, password, options = nil) raise Aerospike::Exceptions::Aerospike.new(INVALID_USER) unless @cluster.user && @cluster.user != "" policy = create_policy(options, AdminPolicy, default_admin_policy) hash = AdminCommand.hash_password(password) command = AdminCommand.new if user == @cluster.user # Change own password. command.change_password(@cluster, policy, user, hash) else # Change other user's password by user admin. command.set_password(@cluster, policy, user, hash) end @cluster.change_password(user, hash) enddef drop_user(user, options = nil) policy = create_policy(options, AdminPolicy, default_admin_policy) command = AdminCommand.new command.drop_user(@cluster, policy, user) enddef scan_node(node, namespace, set_name, bin_names = nil, options = nil) policy = create_policy(options, ScanPolicy, default_scan_policy) # wait until all migrations are finished # TODO: implement # @cluster.WaitUntillMigrationIsFinished(policy.timeout) # Retry policy must be one-shot for scans. # copy on write for policy new_policy = policy.clone new_policy.max_retries = 0 node = @cluster.get_node_by_name(node) unless node.is_a?(Aerospike::Node) recordset = Recordset.new(policy.record_queue_size, 1, :scan) Thread.new do Thread.current.abort_on_exception = true command = ScanCommand.new(node, new_policy, namespace, set_name, bin_names, recordset) begin execute_command(command) rescue => e Aerospike.logger.error(e.backtrace.join("\n")) unless e == SCAN_TERMINATED_EXCEPTION recordset.cancel(e) ensure recordset.thread_finished end end recordset enddef drop_index(namespace, set_name, index_name, options = nil) policy = create_policy(options, Policy, default_info_policy) str_cmd = "sindex-delete:ns=#{namespace}" str_cmd << ";set=#{set_name}" unless set_name.to_s.strip.empty? str_cmd << ";indexname=#{index_name}" # Send index command to one node. That node will distribute the command to other nodes. response = send_info_command(policy, str_cmd).upcase return if response == 'OK' # Index did not previously exist. Return without error. return if response.start_with?('FAIL:201') raise Aerospike::Exceptions::Aerospike.new(Aerospike::ResultCode::INDEX_GENERIC, "Drop index failed: #{response}") enddef create_index(namespace, set_name, index_name, bin_name, index_type, collection_type = nil, options = nil) if options.nil? && collection_type.is_a?(Hash) options, collection_type = collection_type, nil end policy = create_policy(options, Policy, default_info_policy) str_cmd = "sindex-create:ns=#{namespace}" str_cmd << ";set=#{set_name}" unless set_name.to_s.strip.empty? str_cmd << ";indexname=#{index_name};numbins=1" str_cmd << ";indextype=#{collection_type.to_s.upcase}" if collection_type str_cmd << ";indexdata=#{bin_name},#{index_type.to_s.upcase}" str_cmd << ";priority=normal" # Send index command to one node. That node will distribute the command to other nodes. response = send_info_command(policy, str_cmd).upcase if response == 'OK' # Return task that could optionally be polled for completion. return IndexTask.new(@cluster, namespace, index_name) end if response.start_with?('FAIL:200') # Index has already been created. Do not need to poll for completion. return IndexTask.new(@cluster, namespace, index_name, true) end raise Aerospike::Exceptions::Aerospike.new(Aerospike::ResultCode::INDEX_GENERIC, "Create index failed: #{response}") enddef execute_udf_on_query(statement, package_name, function_name, function_args=[], options = nil) policy = create_policy(options, QueryPolicy, default_query_policy) nodes = @cluster.nodes if nodes.empty? raise Aerospike::Exceptions::Aerospike.new(Aerospike::ResultCode::SERVER_NOT_AVAILABLE, "Executing UDF failed because cluster is empty.") end # TODO: wait until all migrations are finished statement.set_aggregate_function(package_name, function_name, function_args, false) # Use a thread per node nodes.each do |node| Thread.new do Thread.current.abort_on_exception = true begin command = QueryCommand.new(node, policy, statement, nil) execute_command(command) rescue => e Aerospike.logger.error(e) raise e end end end ExecuteTask.new(@cluster, statement) enddef list_udf(options = nil) policy = create_policy(options, Policy, default_info_policy) str_cmd = 'udf-list' # Send command to one node. That node will distribute it to other nodes. response_map = @cluster.request_info(policy, str_cmd) _, response = response_map.first vals = response.split(';') vals.map do |udf_info| next if udf_info.strip! == '' udf_parts = udf_info.split(',') udf = UDF.new udf_parts.each do |values| k, v = values.split('=', 2) case k when 'filename' udf.filename = v when 'hash' udf.hash = v when 'type' udf.language = v end end udf end enddef remove_udf(udf_name, options = nil) policy = create_policy(options, Policy, default_info_policy) str_cmd = "udf-remove:filename=#{udf_name};" # Send command to one node. That node will distribute it to other nodes. # Send UDF to one node. That node will distribute the UDF to other nodes. response_map = @cluster.request_info(policy, str_cmd) _, response = response_map.first if response == 'ok' UdfRemoveTask.new(@cluster, udf_name) else raise Aerospike::Exceptions::Aerospike.new(Aerospike::ResultCode::SERVER_ERROR, response) end enddef register_udf(udf_body, server_path, language, options = nil) policy = create_policy(options, Policy, default_info_policy) content = Base64.strict_encode64(udf_body).force_encoding('binary') str_cmd = "udf-put:filename=#{server_path};content=#{content};" str_cmd << "content-len=#{content.length};udf-type=#{language};" # Send UDF to one node. That node will distribute the UDF to other nodes. response_map = @cluster.request_info(policy, str_cmd) res = {} response_map.each do |k, response| vals = response.to_s.split(';') vals.each do |pair| k, v = pair.split("=", 2) res[k] = v end end if res['error'] raise Aerospike::Exceptions::CommandRejected.new("Registration failed: #{res['error']}\nFile: #{res['file']}\nLine: #{res['line']}\nMessage: #{res['message']}") end UdfRegisterTask.new(@cluster, server_path) enddef batch_exists(keys, options = nil) policy = create_policy(options, BatchPolicy, default_batch_policy) results = Array.new(keys.length) if policy.use_batch_direct key_map = BatchItem.generate_map(keys) execute_batch_direct_commands(keys) do |node, batch| BatchDirectExistsCommand.new(node, batch, policy, key_map, results) end else execute_batch_index_commands(keys) do |node, batch| BatchIndexExistsCommand.new(node, batch, policy, results) end end results enddef get_header(key, options = nil) policy = create_policy(options, Policy, default_read_policy) command = ReadHeaderCommand.new(@cluster, policy, key) execute_command(command) command.record enddef prepend(key, bins, options = nil) policy = create_policy(options, WritePolicy, default_write_policy) command = WriteCommand.new(@cluster, policy, key, hash_to_bins(bins), Aerospike::Operation::PREPEND) execute_command(command) enddef get_node_by_name(node_name) node = find_node_by_name(node_name) raise Aerospike::Exceptions::InvalidNode unless node node enddef random_node # Must copy array reference for copy on write semantics to work. node_array = nodes length = node_array.length i = 0 while i < length # Must handle concurrency with other non-tending threads, so node_index is consistent. index = (@node_index.update{ |v| v+1 } % node_array.length).abs node = node_array[index] return node if node.active? i = i.succ end raise Aerospike::Exceptions::InvalidNode enddef parse_record(key, op_count, generation, expiration) bins = op_count > 0 ? {} : nil i = 0 while i < op_count raise Aerospike::Exceptions::QueryTerminated.new unless valid? read_bytes(8) op_size = @data_buffer.read_int32(0).ord particle_type = @data_buffer.read(5).ord name_size = @data_buffer.read(7).ord read_bytes(name_size) name = @data_buffer.read(0, name_size).force_encoding('utf-8') particle_bytes_size = op_size - (4 + name_size) read_bytes(particle_bytes_size) value = Aerospike.bytes_to_particle(particle_type, @data_buffer, 0, particle_bytes_size) bins[name] = value i = i.succ end Record.new(@node, key, bins, generation, expiration) enddef get_connection(timeout) loop do conn = @connections.poll if conn.connected? conn.timeout = timeout.to_f return conn end end enddef all_nodes_done? if @scan command = 'scan-list' else command = 'query-list' end nodes = @cluster.nodes done = false nodes.each do |node| conn = node.get_connection(0) responseMap, _ = Info.request(conn, command) node.put_connection(conn) response = responseMap[command] find = "job_id=#{@task_id}:" index = response.index(find) unless index # don't return on first check done = true next end b = index + find.length response = response[b, response.length] find = 'job_status=' index = response.index(find) next unless index b = index + find.length response = response[b, response.length] e = response.index(':') status = response[0, e] case status when 'ABORTED' raise raise Aerospike::Exceptions::QueryTerminated when 'IN PROGRESS' return false when 'DONE' done = true end end done enddef write_header_with_policy(policy, read_attr, write_attr, field_count, operation_count) # Set flags. generation = Integer(0) info_attr = Integer(0) case policy.record_exists_action when Aerospike::RecordExistsAction::UPDATE when Aerospike::RecordExistsAction::UPDATE_ONLY info_attr |= INFO3_UPDATE_ONLY when Aerospike::RecordExistsAction::REPLACE info_attr |= INFO3_CREATE_OR_REPLACE when Aerospike::RecordExistsAction::REPLACE_ONLY info_attr |= INFO3_REPLACE_ONLY when Aerospike::RecordExistsAction::CREATE_ONLY write_attr |= INFO2_CREATE_ONLY end case policy.generation_policy when Aerospike::GenerationPolicy::NONE when Aerospike::GenerationPolicy::EXPECT_GEN_EQUAL generation = policy.generation write_attr |= INFO2_GENERATION when Aerospike::GenerationPolicy::EXPECT_GEN_GT generation = policy.generation write_attr |= INFO2_GENERATION_GT end info_attr |= INFO3_COMMIT_MASTER if policy.commit_level == Aerospike::CommitLevel::COMMIT_MASTER read_attr |= INFO1_CONSISTENCY_ALL if policy.consistency_level == Aerospike::ConsistencyLevel::CONSISTENCY_ALL write_attr |= INFO2_DURABLE_DELETE if policy.durable_delete # Write all header data except total size which must be written last. @data_buffer.write_byte(MSG_REMAINING_HEADER_SIZE, 8) # Message heade.length. @data_buffer.write_byte(read_attr, 9) @data_buffer.write_byte(write_attr, 10) @data_buffer.write_byte(info_attr, 11) @data_buffer.write_byte(0, 12) # unused @data_buffer.write_byte(0, 13) # clear the result code @data_buffer.write_uint32(generation, 14) @data_buffer.write_uint32(policy.ttl, 18) # Initialize timeout. It will be written later. @data_buffer.write_byte(0, 22) @data_buffer.write_byte(0, 23) @data_buffer.write_byte(0, 24) @data_buffer.write_byte(0, 25) @data_buffer.write_int16(field_count, 26) @data_buffer.write_int16(operation_count, 28) @data_offset = MSG_TOTAL_HEADER_SIZE enddef write_header(policy, read_attr, write_attr, field_count, operation_count) read_attr |= INFO1_CONSISTENCY_ALL if policy.consistency_level == Aerospike::ConsistencyLevel::CONSISTENCY_ALL # Write all header data except total size which must be written last. @data_buffer.write_byte(MSG_REMAINING_HEADER_SIZE, 8) # Message heade.length. @data_buffer.write_byte(read_attr, 9) @data_buffer.write_byte(write_attr, 10) i = 11 while i <= 25 @data_buffer.write_byte(0, i) i = i.succ end @data_buffer.write_int16(field_count, 26) @data_buffer.write_int16(operation_count, 28) @data_offset = MSG_TOTAL_HEADER_SIZE enddef set_operate(policy, key, operations) begin_cmd field_count = estimate_key_size(key, policy) read_attr = 0 write_attr = 0 read_header = false operations.each do |operation| case operation.op_type when Aerospike::Operation::READ read_attr |= INFO1_READ # Read all bins if no bin is specified. read_attr |= INFO1_GET_ALL unless operation.bin_name when Aerospike::Operation::READ_HEADER # The server does not currently return record header data with _INFO1_NOBINDATA attribute set. # The workaround is to request a non-existent bin. # TODO: Fix this on server. # read_attr |= _INFO1_READ | _INFO1_NOBINDATA read_attr |= INFO1_READ read_header = true else write_attr = INFO2_WRITE end estimate_operation_size_for_operation(operation) end size_buffer if write_attr != 0 write_header_with_policy(policy, read_attr, write_attr, field_count, operations.length) else write_header(policy, read_attr, write_attr, field_count, operations.length) end write_key(key, policy) operations.each do |operation| write_operation_for_operation(operation) end write_operation_for_bin(nil, Aerospike::Operation::READ) if read_header end_cmd enddef set_read_header(policy, key) begin_cmd field_count = estimate_key_size(key) estimate_operation_size_for_bin_name('') size_buffer # The server does not currently return record header data with _INFO1_NOBINDATA attribute set. # The workaround is to request a non-existent bin. # TODO: Fix this on server. #command.set_read(INFO1_READ | _INFO1_NOBINDATA); write_header(policy, INFO1_READ, 0, field_count, 1) write_key(key) write_operation_for_bin_name('', Aerospike::Operation::READ) end_cmd enddef set_exists(policy, key) begin_cmd field_count = estimate_key_size(key) size_buffer write_header(policy, INFO1_READ|INFO1_NOBINDATA, 0, field_count, 0) write_key(key) end_cmd enddef set_touch(policy, key) begin_cmd field_count = estimate_key_size(key) estimate_operation_size size_buffer write_header_with_policy(policy, 0, INFO2_WRITE, field_count, 1) write_key(key) write_operation_for_operation_type(Aerospike::Operation::TOUCH) end_cmd enddef set_delete(policy, key) begin_cmd field_count = estimate_key_size(key) size_buffer write_header_with_policy(policy, 0, INFO2_WRITE|INFO2_DELETE, field_count, 0) write_key(key) end_cmd enddef set_write(policy, operation, key, bins) begin_cmd field_count = estimate_key_size(key, policy) bins.each do |bin| estimate_operation_size_for_bin(bin) end size_buffer write_header_with_policy(policy, 0, INFO2_WRITE, field_count, bins.length) write_key(key, policy) bins.each do |bin| write_operation_for_bin(bin, operation) end end_cmd enddef run(*commands) context = case when @_context.is_a?(Hash) && @_context[:tabs] @_context[:tabs]['default'][:commands] when @_context.is_a?(Hash) @_context[:commands] else @_context end context << commands.map { |c| c =~ /&$/ ? "(#{c})" : c }.join(" && ") enddef tab(*args, &block) tabs = @_context[:tabs] key = "tab#{tabs.keys.size}" return (tabs[key] = { :commands => args }) unless block_given? context = (tabs[key] = {:commands => []}) options = args.extract_options! options[:name] = args.first unless args.empty? context[:options] = options run_context context, &block @_context = @_windows[@_windows.keys.last] # Jump back out into the context of the last window. enddef window(*args, &block) key = "window#{@_windows.keys.size}" options = args.extract_options! options[:name] = args.first unless args.empty? context = (@_windows[key] = window_hash.merge(:options => options)) run_context context, &block enddef before(*commands, &block) context = (@_context[:before] ||= []) block_given? ? run_context(context, &block) : context.concat(commands) enddef interpolate(replacement, match) group_idx = replacement.index('$') return replacement if group_idx.nil? group_nbr = replacement[group_idx + 1] replacement.sub("$#{group_nbr}", match[group_nbr.to_i]) enddef from_pattern_match(keys, pattern, match) keys.each_with_index.map do |key, idx| # Check if there is any replacement specified if pattern[key] interpolate(pattern[key], match) else # No replacement defined, just return correct match group match[idx + 1] end end enddef to_proc if args.size > 0 proc { |*value| fn.call(*value, *args) } else fn.to_proc end enddef to_ast args_ast = args.map { |arg| arg.respond_to?(:to_ast) ? arg.to_ast : arg } [name, args_ast] enddef fetch(fn) return fn unless fn.instance_of? Symbol respond_to?(fn) ? method(fn) : store.fetch(fn) rescue raise FunctionNotFoundError.new(fn, self) enddef [](fn, *args) fetched = fetch(fn) return Function.new(fetched, args: args, name: fn) unless already_wrapped?(fetched) args.empty? ? fetched : fetched.with(*args) enddef import_all(source) names = source.public_methods - Registry.instance_methods - Module.methods names -= [:initialize] # for compatibility with Rubinius names += source.store.methods.keys if source.is_a? Registry import_methods(source, names) enddef import_methods(source, names) names.inject(self) { |a, e| a.import_method(source, e) } enddef import_method(source, name, new_name = name) from = name.to_sym to = new_name.to_sym fn = source.is_a?(Registry) ? source.fetch(from) : source.method(from) self.class.new(methods.merge(to => fn)) enddef exit_code fail_chance = ENV.fetch('REX_SIMULATE_FAIL_CHANCE', 0).to_i fail_exitcode = ENV.fetch('REX_SIMULATE_EXIT', 0).to_i if fail_exitcode == 0 || fail_chance < (Random.rand * 100).round 0 else fail_exitcode end enddef run_async(command) raise 'Async command already in progress' if @started @started = false @user_method.reset session.open_channel do |channel| channel.request_pty channel.on_data do |ch, data| publish_data(data, 'stdout') unless @user_method.filter_password?(data) @user_method.on_data(data, ch) end channel.on_extended_data { |ch, type, data| publish_data(data, 'stderr') } # standard exit of the command channel.on_request('exit-status') { |ch, data| publish_exit_status(data.read_long) } # on signal: sending the signal value (such as 'TERM') channel.on_request('exit-signal') do |ch, data| publish_exit_status(data.read_string) ch.close # wait for the channel to finish so that we know at the end # that the session is inactive ch.wait end channel.exec(command) do |_, success| @started = true raise('Error initializing command') unless success end end session.process(0) { !run_started? } return true enddef parse_user_info(node) return nil if node.nil? {}.tap do |hash| node.children.each do |e| unless e.kind_of?(Nokogiri::XML::Text) || e.name == 'proxies' # There are no child elements if e.element_children.count == 0 if hash.has_key?(e.name) hash[e.name] = [hash[e.name]] if hash[e.name].is_a? String hash[e.name] << e.content else hash[e.name] = e.content end elsif e.element_children.count # JASIG style extra attributes if e.name == 'attributes' hash.merge!(parse_user_info(e)) else hash[e.name] = [] if hash[e.name].nil? hash[e.name] = [hash[e.name]] if hash[e.name].is_a? String hash[e.name].push(parse_user_info(e)) end end end end end enddef remove_params(params) self.tap do |u| u.query_values = (u.query_values || {}).tap do |qv| params.each do |key, value| qv.delete key end end if u.query_values.empty? u.query_values = nil end end enddef method_missing(meth, opts = {}) if meth.to_s == 'to_ary' super end if meth.to_s.end_with? '!' deep_merge_options meth[0..-2].to_sym, opts else merge_options meth, opts end enddef call(job) args = job[:args] receiver_str, _, message = job[:method].rpartition('.') receiver = eval(receiver_str) receiver.send(message, *args) enddef lock_job log(:at => "lock_job") job = nil while @running @queues.each do |queue| if job = queue.lock return [queue, job] end end @conn_adapter.wait(@wait_interval, *@queues.map {|q| q.name}) end enddef work queue, job = lock_job if queue && job QC.log_yield(:at => "work", :job => job[:id]) do process(queue, job) end end enddef decrement c = data['count'] return false unless c c = c - 1 data['count'] = c self[:status] = s = (c > 0) ? 'active' : 'consumed' self.update( content: Flor::Storage.to_blob(@flor_model_cache_data), status: s) c < 1 enddef lookup_on_error_parent(message) nd = Flor::Node.new(self, nil, message).on_error_parent nd ? nd.to_procedure_node : nil enddef vars(nid, vs={}) n = node(nid); return vs unless n (n['vars'] || {}) .each { |k, v| vs[k] = Flor.dup(v) unless vs.has_key?(k) } pnid = n['parent'] if @unit.loader && pnid == nil && n['vdomain'] != false @unit.loader.variables(n['vdomain'] || Flor.domain(@exid)) .each { |k, v| vs[k] = Flor.dup(v) unless vs.has_key?(k) } end if cn = n['cnid']; vars(cn, vs); end vars(pnid, vs) if pnid vs enddef node(reload=false) nid = @values[:nid]; return nil unless nid exe = execution(reload); return nil unless exe nodes = exe.data['nodes']; return nil unless nodes nodes[nid] enddef row_waiter? @serie.find { |_, points| points.find { |po| pos = po.split(':') pos.length > 1 && ROW_PSEUDO_POINTS.include?(pos[0]) } } enddef route(name) if name.is_a?(String) [ Flor.dup_and_merge( @message, 'tasker' => name, 'original_tasker' => @message['tasker'], 'routed' => true) ] else [ Flor.dup_and_merge( @message, 'routed' => !! name) ] end enddef do_run @unit.logger.log_run_start(self) counter_next('runs') t0 = Time.now (@unit.conf['exe_max_messages'] || 77).times do |i| break if @shutdown m = @messages.shift break unless m m = (@messages << m).shift \ if m['point'] == 'terminated' && @messages.any? # # handle 'terminated' messages last ms = process(m) @consumed << m ims, oms = ms.partition { |mm| mm['exid'] == @exid } # qui est "in", qui est "out"? counter_add('omsgs', oms.size) # keep track of "out" messages, messages to other executions @messages.concat(ims) @unit.storage.put_messages(oms) end @alive = false @execution.merge!( closing_messages: @consumed.select { |m| CLOSING_POINTS.include?(m['point']) }) @unit.storage.put_execution(@execution) @unit.storage.consume(@consumed) @unit.storage.put_messages(@messages) du = Time.now - t0 t0 = Flor.tstamp(t0) @unit.logger.log_run_end(self, t0, du) @unit.hooker.notify(self, make_end_message(t0, du, @execution['size'])) @consumed.clear rescue Exception => exc # TODO eventually, have a dump dir fn = [ 'flor', @unit.conf['env'], @unit.identifier, @exid, 'r' + counter('runs').to_s ].collect(&:to_s).join('_') + '.dump' @unit.logger.error( "#{self.class}#do_run()", exc, "(dumping to #{fn})") File.open(fn, 'wb') do |f| f.puts(Flor.to_pretty_s({ execution: @execution, messages: @messages, consumed: @consumed, traps: @traps.collect(&:to_h), exid: @exid, alive: @alive, shutdown: @shutdown, thread: [ @thread.object_id, @thread.to_s ] })) f.puts('-' * 80) f.puts(on_do_run_exc(exc)) end #puts on_do_run_exc(exc) # dump notification above enddef gather_vars(executor, tconf, message) # try to return before a potentially costly call to executor.vars(nid) return nil if (tconf.keys & %w[ include_vars exclude_vars ]).empty? # default behaviour, don't pass variables to taskers iv = expand_filter(tconf['include_vars']) return nil if iv == false ev = expand_filter(tconf['exclude_vars']) return {} if ev == true vars = executor.vars(message['nid']) return vars if iv == true vars = vars.select { |k, v| var_match(k, iv) } if iv vars = vars.reject { |k, v| var_match(k, ev) } if ev vars enddef message_for(corrections) return "" if corrections.empty? output = "\n\n Did you mean? ".dup output << corrections.join("\n ") output << "\n " enddef extract_file_and_line(stack, short_name = false) match = CALLER_REGEXP.match(stack.first) [short_name ? File.basename(match[1]) : match[1], match[2].to_i] enddef each_exception # With thanks to https://github.com/bugsnag/bugsnag-ruby/blob/6348306e44323eee347896843d16c690cd7c4362/lib/bugsnag/notification.rb#L81 depth = 0 exceptions = [] ex = exception while !ex.nil? && !exceptions.include?(ex) && exceptions.length < MAX_EXCEPTIONS_TO_UNWRAP exceptions << ex yield(ex, depth) depth += 1 ex = if ex.respond_to?(:cause) && ex.cause ex.cause elsif ex.respond_to?(:continued_exception) && ex.continued_exception ex.continued_exception elsif ex.respond_to?(:original_exception) && ex.original_exception ex.original_exception end end enddef assign_positional(message = nil, payload = nil, exception = nil) # Exception being logged? # Under JRuby a java exception is not a Ruby Exception # Java::JavaLang::ClassCastException.new.is_a?(Exception) => false if exception.nil? && payload.nil? && message.respond_to?(:backtrace) && message.respond_to?(:message) exception = message message = nil elsif exception.nil? && payload && payload.respond_to?(:backtrace) && payload.respond_to?(:message) exception = payload payload = nil elsif payload && !payload.is_a?(Hash) message = message.nil? ? payload : "#{message} -- #{payload}" payload = nil end # Add result of block as message or payload if not nil if block_given? && (result = yield) if result.is_a?(String) message = message.nil? ? result : "#{message} -- #{result}" assign(message: message, payload: payload, exception: exception) elsif message.nil? && result.is_a?(Hash) && %i[message payload exception].any? { |k| result.key? k } assign(result) elsif payload&.respond_to?(:merge) assign(message: message, payload: payload.merge(result), exception: exception) else assign(message: message, payload: result, exception: exception) end else assign(message: message, payload: payload, exception: exception) end enddef assign(message: nil, payload: nil, min_duration: 0.0, exception: nil, metric: nil, metric_amount: nil, duration: nil, backtrace: nil, log_exception: :full, on_exception_level: nil, dimensions: nil) # Elastic logging: Log when :duration exceeds :min_duration # Except if there is an exception when it will always be logged if duration self.duration = duration return false if (duration < min_duration) && exception.nil? end self.message = message if payload && payload.is_a?(Hash) self.payload = payload elsif payload self.message = message.nil? ? payload.to_s : "#{message} -- #{payload}" self.payload = nil end if exception case log_exception when :full self.exception = exception when :partial self.message = "#{message} -- Exception: #{exception.class}: #{exception.message}" when nil, :none # Log the message without the exception that was raised nil else raise(ArgumentError, "Invalid value:#{log_exception.inspect} for argument :log_exception") end # On exception change the log level if on_exception_level self.level = on_exception_level self.level_index = Levels.index(level) end end if backtrace self.backtrace = Utils.extract_backtrace(backtrace) elsif level_index >= SemanticLogger.backtrace_level_index self.backtrace = Utils.extract_backtrace end if metric self.metric = metric self.metric_amount = metric_amount self.dimensions = dimensions end true enddef log(log, message = nil, progname = nil, &block) # Compatibility with ::Logger return add(log, message, progname, &block) unless log.is_a?(SemanticLogger::Log) Logger.call_subscribers(log) Logger.processor.log(log) enddef measure_method(index:, level:, message:, min_duration:, metric:, log_exception:, on_exception_level:) # Ignores filter, silence, payload exception = nil start = Process.clock_gettime(Process::CLOCK_MONOTONIC) begin yield rescue Exception => exc exception = exc ensure log = Log.new(name, level, index) # May return false due to elastic logging should_log = log.assign( message: message, min_duration: min_duration, exception: exception, metric: metric, duration: 1_000.0 * (Process.clock_gettime(Process::CLOCK_MONOTONIC) - start), log_exception: log_exception, on_exception_level: on_exception_level ) # Log level may change during assign due to :on_exception_level log(log) if should_log && should_log?(log) raise exception if exception end enddef measure_internal(level, index, message, params) exception = nil result = nil # Single parameter is a hash if params.empty? && message.is_a?(Hash) params = message message = nil end start = Process.clock_gettime(Process::CLOCK_MONOTONIC) begin if block_given? result = if (silence_level = params[:silence]) # In case someone accidentally sets `silence: true` instead of `silence: :error` silence_level = :error if silence_level == true silence(silence_level) { yield(params) } else yield(params) end end rescue Exception => exc exception = exc ensure # Must use ensure block otherwise a `return` in the yield above will skip the log entry log = Log.new(name, level, index) exception ||= params[:exception] message = params[:message] if params[:message] duration = if block_given? 1_000.0 * (Process.clock_gettime(Process::CLOCK_MONOTONIC) - start) else params[:duration] || raise('Mandatory block missing when :duration option is not supplied') end # Extract options after block completes so that block can modify any of the options payload = params[:payload] # May return false due to elastic logging should_log = log.assign( message: message, payload: payload, min_duration: params[:min_duration] || 0.0, exception: exception, metric: params[:metric], metric_amount: params[:metric_amount], duration: duration, log_exception: params[:log_exception] || :partial, on_exception_level: params[:on_exception_level] ) # Log level may change during assign due to :on_exception_level self.log(log) if should_log && should_log?(log) raise exception if exception result end enddef log_internal(level, index, message = nil, payload = nil, exception = nil, &block) log = Log.new(name, level, index) should_log = if payload.nil? && exception.nil? && message.is_a?(Hash) # Check if someone just logged a hash payload instead of meaning to call semantic logger if message.key?(:message) || message.key?(:payload) || message.key?(:exception) || message.key?(:metric) log.assign(message) else log.assign_positional(nil, message, nil, &block) end else log.assign_positional(message, payload, exception, &block) end # Log level may change during assign due to :on_exception_level self.log(log) if should_log && should_log?(log) enddef filtered?(log) return false if @filter.nil? @filter.is_a?(Regexp) ? (@filter =~ log.name).nil? : @filter.call(log) != true enddef push_tags(*tags) # Need to flatten and reject empties to support calls from Rails 4 new_tags = tags.flatten.collect(&:to_s).reject(&:empty?) SemanticLogger.push_tags(*new_tags) enddef tagged(*tags, &block) # Allow named tags to be passed into the logger if tags.size == 1 tag = tags[0] return yield if tag.nil? || tag == '' return tag.is_a?(Hash) ? SemanticLogger.named_tagged(tag, &block) : SemanticLogger.fast_tag(tag.to_s, &block) end # Need to flatten and reject empties to support calls from Rails 4 new_tags = tags.flatten.collect(&:to_s).reject(&:empty?) SemanticLogger.tagged(*new_tags, &block) enddef backtrace(thread: Thread.current, level: :warn, message: 'Backtrace:', payload: nil, metric: nil, metric_amount: nil) log = Log.new(name, level) return false unless meets_log_level?(log) backtrace = if thread == Thread.current Utils.extract_backtrace else log.thread_name = thread.name log.tags = (thread[:semantic_logger_tags] || []).clone log.named_tags = (thread[:semantic_logger_named_tags] || {}).clone thread.backtrace end # TODO: Keep backtrace instead of transforming into a text message at this point # Maybe log_backtrace: true if backtrace message += "\n" message << backtrace.join("\n") end if log.assign(message: message, backtrace: backtrace, payload: payload, metric: metric, metric_amount: metric_amount) && !filtered?(log) self.log(log) else false end enddef measure(level, message, params = {}, &block) index = Levels.index(level) if level_index <= index measure_internal(level, index, message, params, &block) elsif block yield(params) end enddef logger @logger ||= begin logger = SemanticLogger::Processor.logger.clone logger.name = self.class.name logger end enddef reopen each do |appender| begin next unless appender.respond_to?(:reopen) logger.trace "Reopening appender: #{appender.name}" appender.reopen rescue Exception => exc logger.error "Failed to re-open appender: #{appender.inspect}", exc end end logger.trace 'All appenders re-opened' enddef open(enciphered_message) nonce, ciphertext = extract_nonce(enciphered_message.to_s) @box.open(nonce, ciphertext) enddef box(message) nonce = generate_nonce cipher_text = @box.box(nonce, message) nonce + cipher_text enddef verify(authenticator, message) auth = authenticator.to_s Util.check_length(auth, tag_bytes, "Provided authenticator") verify_message(auth, message) || raise(BadAuthenticatorError, "Invalid authenticator provided, message is corrupt") enddef auth(message) authenticator = Util.zeros(tag_bytes) message = message.to_str compute_authenticator(authenticator, message) authenticator enddef check_string_validation(string) raise TypeError, "can't convert #{string.class} into String with #to_str" unless string.respond_to? :to_str string = string.to_str raise EncodingError, "strings must use BINARY encoding (got #{string.encoding})" if string.encoding != Encoding::BINARY enddef check_hmac_key(string, _description) check_string_validation(string) string = string.to_str if string.bytesize.zero? raise LengthError, "#{Description} was #{string.bytesize} bytes (Expected more than 0)", caller end string enddef check_string(string, length, description) check_string_validation(string) string = string.to_s check_length(string, length, description) string enddef check_length(string, length, description) if string.nil? # code below is runs only in test cases # nil can't be converted to str with #to_str method raise LengthError, "#{description} was nil (Expected #{length.to_int})", caller end if string.bytesize != length.to_int raise LengthError, "#{description} was #{string.bytesize} bytes (Expected #{length.to_int})", caller end true enddef zero_pad(n, message) len = message.bytesize if len == n message elsif len > n raise LengthError, "String too long for zero-padding to #{n} bytes" else message + zeros(n - len) end enddef create_event(type:, data:) raise ArgumentError.new("type must be provided") if type.nil? raise ArgumentError.new("data must be provided") if data.nil? headers = { } sdk_headers = Common.new.get_sdk_headers("discovery", "V1", "create_event") headers.merge!(sdk_headers) params = { "version" => @version } data = { "type" => type, "data" => data } method_url = "/v1/events" response = request( method: "POST", url: method_url, headers: headers, params: params, json: data, accept_json: true ) response enddef add_audio(customization_id:, audio_name:, audio_resource:, contained_content_type: nil, allow_overwrite: nil, content_type: nil) raise ArgumentError.new("customization_id must be provided") if customization_id.nil? raise ArgumentError.new("audio_name must be provided") if audio_name.nil? raise ArgumentError.new("audio_resource must be provided") if audio_resource.nil? headers = { "Contained-Content-Type" => contained_content_type, "Content-Type" => content_type } sdk_headers = Common.new.get_sdk_headers("speech_to_text", "V1", "add_audio") headers.merge!(sdk_headers) params = { "allow_overwrite" => allow_overwrite } data = audio_resource method_url = "/v1/acoustic_customizations/%s/audio/%s" % [ERB::Util.url_encode(customization_id), ERB::Util.url_encode(audio_name)] request( method: "POST", url: method_url, headers: headers, params: params, data: data, accept_json: true ) nil enddef apply_data_type_coercion(*args) coerced_type = check_data_types(*args) args.map { |a| a.is_a?(Tensor) ? a : convert_to_tensor(a, dtype: coerced_type) } enddef check_if_dense(value, expected_shape = nil) return unless value.is_a?(Array) return if value.empty? expected_shape ||= shape_eval(value) s = expected_shape.shift raise TensorStream::ValueError, "Argument must be a dense tensor: #{value}, expected size #{s} got #{value.size}" if value.size != s return if expected_shape.empty? value.each do |item| check_if_dense(item, expected_shape.dup) end enddef placeholder(dtype, shape: nil, name: nil) TensorStream::Placeholder.new(dtype, nil, shape, name: name) enddef session(evaluator = nil, thread_pool_class: Concurrent::ImmediateExecutor, log_device_placement: false, profile_enabled: false) session = TensorStream::Session.new(evaluator, thread_pool_class: thread_pool_class, log_device_placement: log_device_placement, profile_enabled: profile_enabled) yield session if block_given? session enddef variable_scope(scope = nil, default_name = nil, reuse: nil, initializer: nil) Thread.current[:tensor_stream_variable_scope] ||= [VariableScope.new] # uniquenifier if scope.nil? && default_name same_names = get_variable_scope.used_names.select { |s| s.start_with?(default_name) } new_name = default_name index = 1 while same_names.include?(new_name) new_name = "#{default_name}_#{index}" index += 1 end scope = new_name end variable_scope = VariableScope.new(name: scope, reuse: reuse, initializer: initializer) get_variable_scope.register_name(scope || "") Thread.current[:tensor_stream_variable_scope] << variable_scope scope_name = __v_scope_name if block_given? begin TensorStream.get_default_graph.name_scope(scope) do yield(scope_name) end ensure Thread.current[:tensor_stream_variable_scope].pop end else variable_scope end enddef variable(value, name: nil, initializer: nil, graph: nil, dtype: nil, trainable: true) op = Graph.get_default_graph.add_op(:assign, nil, value) common_options = { initializer: initializer || op, name: name, graph: graph, dtype: dtype, trainable: trainable, } tensor = if value.is_a?(String) i_var(dtype || :string, 0, [], get_variable_scope, common_options) elsif value.is_a?(Integer) i_var(dtype || :int32, 0, [], get_variable_scope, common_options) elsif value.is_a?(Float) i_var(dtype || :float32, 0, [], get_variable_scope, common_options) else i_var(dtype || :float32, 0, nil, get_variable_scope, common_options) end op.set_input(0, tensor.op) Graph.get_default_graph.add_node(op) tensor enddef load_from_string(buffer) serialized_ops = YAML.safe_load(buffer, [Symbol], [], true) serialized_ops.each do |op_def| inputs = op_def[:inputs].map { |i| @graph.get_tensor_by_name(i) } options = {} new_var = nil if op_def.dig(:attrs, :container) new_var = Variable.new(op_def.dig(:attrs, :data_type)) var_shape = op_def.dig(:attrs, :container, :shape) var_options = op_def.dig(:attrs, :container, :options) var_options[:name] = op_def[:name] new_var.prepare(var_shape.size, var_shape, TensorStream.get_variable_scope, var_options) options[:container] = new_var @graph.add_variable(new_var, var_options) end new_op = Operation.new(@graph, inputs: inputs, options: op_def[:attrs].merge(options)) new_op.operation = op_def[:op].to_sym new_op.name = op_def[:name] new_op.shape = TensorShape.new(TensorStream::InferShape.infer_shape(new_op)) new_op.rank = new_op.shape.rank new_op.data_type = new_op.set_data_type(op_def.dig(:attrs, :data_type)) new_op.is_const = new_op.infer_const new_op.given_name = new_op.name new_var.op = new_op if new_var @graph.add_node(new_op) end @graph enddef device(device_name) Thread.current["ts_graph_#{object_id}"] ||= {} Thread.current["ts_graph_#{object_id}"][:default_device] ||= [] Thread.current["ts_graph_#{object_id}"][:default_device] << device_name begin yield ensure Thread.current["ts_graph_#{object_id}"][:default_device].pop end enddef convert(session, checkpoint_folder, output_file) model_file = File.join(checkpoint_folder, "model.yaml") TensorStream.graph.as_default do |current_graph| YamlLoader.new.load_from_string(File.read(model_file)) saver = TensorStream::Train::Saver.new saver.restore(session, checkpoint_folder) # collect all assign ops and remove them from the graph remove_nodes = Set.new(current_graph.nodes.values.select { |op| op.is_a?(TensorStream::Operation) && op.operation == :assign }.map { |op| op.consumers.to_a }.flatten.uniq) output_buffer = TensorStream::Yaml.new.get_string(current_graph) { |graph, node_key| node = graph.get_tensor_by_name(node_key) case node.operation when :variable_v2 value = node.container options = { value: value, data_type: node.data_type, shape: shape_eval(value), } const_op = TensorStream::Operation.new(current_graph, inputs: [], options: options) const_op.name = node.name const_op.operation = :const const_op.data_type = node.data_type const_op.shape = TensorShape.new(shape_eval(value)) const_op when :assign nil else remove_nodes.include?(node.name) ? nil : node end } File.write(output_file, output_buffer) end enddef zeros(shape, dtype: :float32, name: nil) _op(:zeros, shape, dtype: dtype, name: name) enddef top_k(input, k = 1, sorted: true, name: nil) result = _op(:top_k, input, k, sorted: sorted, name: name) [result[0], result[1]] enddef tanh(input_a, name: nil) check_allowed_types(input_a, TensorStream::Ops::FLOATING_POINT_TYPES) _op(:tanh, input_a, name: name) enddef tan(input_a, name: nil) check_allowed_types(input_a, TensorStream::Ops::FLOATING_POINT_TYPES) _op(:tan, input_a, name: name) enddef sum(input_a, axis_p = nil, axis: nil, name: nil, keepdims: false) check_allowed_types(axis_p, TensorStream::Ops::INTEGER_TYPES) input_a = TensorStream.convert_to_tensor(input_a) return input_a if input_a.shape.scalar? axis_p = axis_p || axis axis_p = cast_axis(input_a, axis_p) _op(:sum, input_a, axis_p, name: name, keepdims: keepdims) enddef sub(input_a, input_b, name: nil) input_a, input_b = apply_data_type_coercion(input_a, input_b) _op(:sub, input_a, input_b, name: name) enddef sin(input_a, name: nil) check_allowed_types(input_a, TensorStream::Ops::FLOATING_POINT_TYPES) _op(:sin, input_a, name: name) enddef sigmoid(input_a, name: nil) check_allowed_types(input_a, TensorStream::Ops::FLOATING_POINT_TYPES) _op(:sigmoid, input_a, name: name) enddef shape(input, name: nil, out_type: :int32) return constant(shape_eval(input, out_type), dtype: out_type, name: "Shape/#{name}") if input.is_a?(Array) && !input[0].is_a?(Tensor) return constant(input.shape.shape, dtype: out_type, name: "Shape/#{input.name}_c") if shape_full_specified(input) _op(:shape, input, name: name, out_type: out_type) enddef rsqrt(input_a, name: nil) check_allowed_types(input_a, TensorStream::Ops::FLOATING_POINT_TYPES) _op(:rsqrt, input_a, name: name) enddef round(input_a, name: nil) check_allowed_types(input_a, TensorStream::Ops::FLOATING_POINT_TYPES) _op(:round, input_a, name: name) enddef rank(input, name: nil) input = convert_to_tensor(input) return cons(input.shape.ndims) if input.shape.known? _op(:rank, input, name: name) enddef range(start = 0, limit = 0, delta = 1, name: "range", dtype: nil, output_type: :int32) _op(:range, start, limit, delta, name: name, dtype: dtype, output_type: output_type) enddef random_uniform(shape, name: nil, dtype: :float32, minval: 0, maxval: 1, seed: nil) _op(:random_uniform, shape, name: name, dtype: dtype, minval: minval, maxval: maxval, seed: seed) enddef prod(input_a, axis = nil, name: nil, keepdims: false) check_allowed_types(axis, TensorStream::Ops::INTEGER_TYPES) input_a = TensorStream.convert_to_tensor(input_a) return input_a if input_a.shape.scalar? axis = cast_axis(input_a, axis) _op(:prod, input_a, axis, name: name, keepdims: keepdims) enddef pow(input_a, input_b, name: nil) input_a, input_b = apply_data_type_coercion(input_a, input_b) _op(:pow, input_a, input_b, name: name) enddef mod(input_a, input_b, name: nil) input_a, input_b = apply_data_type_coercion(input_a, input_b) _op(:mod, input_a, input_b, name: name) enddef floor(input_a, name: nil) check_allowed_types(input_a, TensorStream::Ops::FLOATING_POINT_TYPES) _op(:floor, input_a, name: name) enddef cos(input_a, name: nil) check_allowed_types(input_a, TensorStream::Ops::FLOATING_POINT_TYPES) _op(:cos, input_a, name: name) enddef ceil(input_a, name: nil) check_allowed_types(input_a, TensorStream::Ops::FLOATING_POINT_TYPES) _op(:ceil, input_a, name: name) enddef argmax(input_a, axis = nil, name: nil, dimension: nil, output_type: :int32) check_allowed_types(input_a, TensorStream::Ops::NUMERIC_TYPES) check_allowed_types(axis, TensorStream::Ops::INTEGER_TYPES) _op(:argmax, input_a, axis, name: name, dimension: dimension, output_type: output_type) enddef add(input_a, input_b, name: nil) input_a, input_b = apply_data_type_coercion(input_a, input_b) _op(:add, input_a, input_b, name: name) enddef transpose_with_perm(arr, new_arr, shape, new_shape, perm) arr_size = shape.reduce(:*) divisors = shape.dup.drop(1).reverse.inject([1]) { |a, s| a << s * a.last }.reverse multipliers = new_shape.dup.drop(1).reverse.inject([1]) { |a, s| a << s * a.last }.reverse arr_size.times do |p| ptr = p index = [] divisors.each_with_object(index) do |div, a| a << (ptr / div.to_f).floor ptr = ptr % div end # remap based on perm remaped = perm.map { |x| index[x] } ptr2 = 0 multipliers.each_with_index do |m, idx| ptr2 += remaped[idx] * m end new_arr[ptr2] = arr[p] end [new_arr, new_shape] enddef vector_op(vector, vector2, switch = false, safe = true, &block) if get_rank(vector) < get_rank(vector2) # upgrade rank of A duplicated = Array.new(vector2.size) { vector } return vector_op(duplicated, vector2, switch, &block) end return yield(vector, vector2) unless vector.is_a?(Array) vector.each_with_index.collect { |input, index| next vector_op(input, vector2, switch, &block) if input.is_a?(Array) && get_rank(vector) > get_rank(vector2) if safe && vector2.is_a?(Array) next nil if vector2.size != 1 && index >= vector2.size end z = if vector2.is_a?(Array) if index < vector2.size vector2[index] else raise "incompatible tensor shapes used during op" if vector2.size != 1 vector2[0] end else vector2 end if input.is_a?(Array) vector_op(input, z, switch, &block) else switch ? yield(z, input) : yield(input, z) end }.compact enddef broadcast_dimensions(input, dims = []) return input if dims.empty? d = dims.shift if input.is_a?(Array) && (get_rank(input) - 1) == dims.size row_to_dup = input.collect { |item| broadcast_dimensions(item, dims.dup) } row_to_dup + Array.new(d) { row_to_dup }.flatten(1) elsif input.is_a?(Array) Array.new(d) { broadcast_dimensions(input, dims.dup) } else Array.new(d + 1) { input } end enddef i_op(code, *args) options = if args.last.is_a?(Hash) args.pop else {} end args << options.merge(internal: true) Graph.get_default_graph.add_op!(code.to_sym, *args) enddef case(args = {}) args = args.dup default = args.delete(:default) exclusive = args.delete(:exclusive) strict = args.delete(:strict) name = args.delete(:name) predicates = [] functions = [] args.each do |k, v| raise "Invalid argment or option #{k}" unless k.is_a?(Tensor) predicates << k functions << (v.is_a?(Proc) ? v.call : v) end _op(:case, predicates, default, *functions, exclusive: exclusive, strict: strict, name: name) enddef unpack(value, num: nil, axis: 0, name: "unpack") unstack(value, num: num, axis: axis, name: name) enddef pack(values, axis: 0, name: "pack") _op(:stack, *values, axis: axis, name: name) enddef gather(params, indices, validate_indices: nil, name: nil, axis: 0) _op(:gather, params, indices, validate_indices: validate_indices, name: name, axis: axis) enddef pad(tensor, paddings, mode: "CONSTANT", name: nil) _op(:pad, tensor, paddings, mode: mode, name: name) enddef exp(input, name: nil) check_allowed_types(input, FLOATING_POINT_TYPES) _op(:exp, input, name: name) enddef log(input, name: nil) check_allowed_types(input, FLOATING_POINT_TYPES) _op(:log, input, name: name) enddef sqrt(input, name: nil) check_allowed_types(input, FLOATING_POINT_TYPES) _op(:sqrt, input, name: name) enddef sec(input, name: nil) check_allowed_types(input, FLOATING_POINT_TYPES) _op(:sec, input, name: name) enddef print(input, data, message: nil, name: nil) _op(:print, input, data, message: message, name: name) enddef cast(input, dtype, name: nil) input = convert_to_tensor(input) return input if input.data_type == dtype _op(:cast, input, data_type: dtype, name: name) enddef atan(input, name: nil) check_allowed_types(input, FLOATING_POINT_TYPES) _op(:atan, input, name: name) enddef acos(input, name: nil) check_allowed_types(input, FLOATING_POINT_TYPES) _op(:acos, input, name: name) enddef asin(input, name: nil) check_allowed_types(input, FLOATING_POINT_TYPES) _op(:asin, input, name: name) enddef where(condition, true_t = nil, false_t = nil, name: nil) _op(:where, condition, true_t, false_t, name: name) enddef dynamic_partition(data, partitions, num_partitions, name: nil) result = _op(:dynamic_partition, data, partitions, num_partitions: num_partitions, name: nil) num_partitions.times.map do |index| result[index] end enddef concat(values, axis, name: "concat") if values.is_a?(Array) _op(:concat, axis, *values, name: name) else _op(:concat, axis, values, name: name) end enddef reduce_mean(input_tensor, axis = nil, keepdims: false, name: nil) reduce(:mean, input_tensor, axis, keepdims: keepdims, name: name) enddef logical_and(input_a, input_b, name: nil) check_data_types(input_a, input_b) _op(:logical_and, input_a, input_b, name: name) enddef ones(shape, dtype: :float32, name: nil) _op(:ones, shape, data_type: dtype, name: name) enddef slice(input, start, size, name: nil) _op(:slice, input, start, size: size, name: name) enddef random_uniform_initializer(minval: 0, maxval: 1, seed: nil, dtype: nil) TensorStream::Initializer.new(-> { _op(:random_uniform, minval: 0, maxval: 1, seed: seed, data_type: dtype) }) enddef glorot_uniform_initializer(seed: nil, dtype: nil) TensorStream::Initializer.new(-> { _op(:glorot_uniform, seed: seed, data_type: dtype) }) enddef eye(num_rows, num_columns: nil, dtype: :float32, name: nil) _op(:eye, num_rows, num_columns || num_rows, data_type: dtype, name: name) enddef random_normal(shape, dtype: :float32, mean: 0.0, stddev: 1.0, seed: nil, name: nil) options = {dtype: dtype, mean: mean, stddev: stddev, seed: seed, name: name} _op(:random_standard_normal, shape, options) enddef gradients(tensor_ys, wrt_xs, name: "gradients", stop_gradients: nil) tensor_ys = tensor_ys.op gs = wrt_xs.map(&:op).collect { |x| stops = stop_gradients ? stop_gradients.map(&:name).join("_") : "" gradient_program_name = "grad_#{tensor_ys.name}_#{x.name}_#{stops}".to_sym tensor_graph = tensor_ys.graph tensor_program = if tensor_graph.node_added?(gradient_program_name) tensor_graph.get_node(gradient_program_name) else tensor_graph.name_scope("gradient_wrt_#{x.name}") do derivative_ops = TensorStream::MathGradients.derivative(tensor_ys, x, graph: tensor_graph, stop_gradients: stop_gradients) tensor_graph.add_node!(gradient_program_name, derivative_ops) end end tensor_program } gs enddef assert_equal(x, y, data: nil, summarize: nil, message: nil, name: nil) _op(:assert_equal, x, y, data: data, summarize: summarize, message: message, name: name) enddef load(pbfile) f = File.new(pbfile, "r") lines = [] while !f.eof? && (str = f.readline.strip) lines << str end evaluate_lines(lines) enddef _embedding_lookup_and_transform(params, ids, partition_strategy: "mod", name: nil, max_norm: nil, transform_fn: nil) raise TensorStream::ValueError, "Need at least one param" if params.nil? params = [params] unless params.is_a?(Array) TensorStream.name_scope(name, "embedding_lookup", values: params + [ids]) do |name| np = params.size ids = TensorStream.convert_to_tensor(ids, name: "ids") if (np == 1) && (transform_fn.nil? || (ids.shape.size == 1)) result = nil TensorStream.colocate_with(params[0]) do result = _clip(TensorStream.gather(params[0], ids, name: name), ids, max_norm) result = transform_fn.call(result) if transform_fn end return TensorStream.identity(result) else flat_ids = TensorStream.reshape(ids, [-1]) original_indices = TensorStream.range(TensorStream.size(flat_ids)) p_assignments = nil new_ids = nil if partition_strategy == "mod" p_assignments = flat_ids % np new_ids = floor_div(flat_ids, np) elsif partition_strategy == "div" raise "not yet supported!" else raise TensorStream::ValueError, "Unrecognized partition strategy: " + partition_strategy end p_assignments = TensorStream.cast(p_assignments, :int32) gather_ids = TensorStream.dynamic_partition(new_ids, p_assignments, np) pindices = TensorStream.dynamic_partition(original_indices, p_assignments, np) partitioned_result = [] (0...np).each do |p| pids = gather_ids[p] result = nil TensorStream.colocate_with(params[p]) do result = TensorStream.gather(params[p], pids) if transform_fn # If transform_fn is provided, the clip_by_norm precedes # the transform and hence must be co-located. See below # for the counterpart if transform_fn is not proveded. result = transform_fn.call(_clip(result, pids, max_norm)) end end partitioned_result << result end ret = TensorStream.dynamic_stitch(pindices, partitioned_result, name: name) if transform_fn.nil? element_shape_s = params[0].shape[1..-1] params[1..-1].each { |p| element_shape_s = element_shape_s.merge_with(p.shape[1..-1]) } else element_shape_s = ret.shape[1..-1] end # Compute the dynamic element shape. element_shape_d = if element_shape_s.fully_defined? element_shape_s elsif transform_fn.nil? # It's important that we compute params[0].shape on the right device # to avoid data motion. TensorStream.colocate_with(params[0]) do params_shape = TensorStream.shape(params[0]) params_shape[1..-1] end else TensorStream.shape(ret)[1..-1] end ret = TensorStream.reshape(ret, TensorStream.concat([TensorStream.shape(ids), element_shape_d], 0)) ret = _clip(ret, ids, max_norm) unless transform_fn ret end end enddef embedding_lookup(params, ids, partition_strategy: "mod", name: nil, validate_indices: true, max_norm: nil) _embedding_lookup_and_transform(params, ids, partition_strategy: partition_strategy, name: name, max_norm: max_norm, transform_fn: nil) enddef notice_signal(signal) Thread.new do Karafka.monitor.instrument('process.notice_signal', caller: self, signal: signal) end enddef deliver! messages_buffer.each_value do |data_elements| data_elements.each do |data, options| # We map this topic name, so it will match namespaced/etc topic in Kafka # @note By default will not change topic (if default mapper used) mapped_topic = Karafka::App.config.topic_mapper.outgoing(options[:topic]) external_options = options.merge(topic: mapped_topic) producer(options).call(data, external_options) end end enddef validate_options! return true unless self.class.options_schema messages_buffer.each_value do |messages_set| messages_set.each do |message_data| result = self.class.options_schema.call(message_data.last) next if result.success? raise Karafka::Errors::InvalidResponderMessageOptionsError, result.errors end end enddef validate_usage! registered_topics = self.class.topics.map do |name, topic| topic.to_h.merge!( usage_count: messages_buffer[name]&.count || 0 ) end used_topics = messages_buffer.map do |name, usage| topic = self.class.topics[name] || Responders::Topic.new(name, registered: false) topic.to_h.merge!(usage_count: usage.count) end result = Karafka::Schemas::ResponderUsage.call( registered_topics: registered_topics, used_topics: used_topics ) return if result.success? raise Karafka::Errors::InvalidResponderUsageError, result.errors enddef location_filter(location) return nil if location.nil? location.\ strip.\ downcase.\ tr('#"<>[]', '').\ gsub(/^[0-9,\/().:]*/, '').\ gsub(/ +/, ' ').\ gsub(/,([a-z]*)/, '\1') enddef read_value(from, key) return from if key.nil? or key == "" key.split(/\./).reduce({}) do |acc, x| unless acc.nil? if acc.empty? # Initial run acc = from[x] else if acc.has_key?(x) acc = acc[x] else # Some intermediate key does not exist return nil end end else # Some intermediate key returned a null value # This indicates a malformed entry return nil end end enddef queue_client(queue, key = queue, ack = :after, block) stopped = false while not stopped begin conn = Bunny.new(:host => config(:amqp_host), :port => config(:amqp_port), :username => config(:amqp_username), :password => config(:amqp_password)) conn.start ch = conn.create_channel debug "Queue setting prefetch to #{config(:amqp_prefetch)}" ch.prefetch(config(:amqp_prefetch)) debug "Queue connection to #{config(:amqp_host)} succeeded" x = ch.topic(config(:amqp_exchange), :durable => true, :auto_delete => false) q = ch.queue(queue, :durable => true) q.bind(x, :routing_key => key) q.subscribe(:block => true, :manual_ack => true) do |delivery_info, properties, msg| if ack == :before ch.acknowledge(delivery_info.delivery_tag) end begin block.call(msg) ensure if ack != :before ch.acknowledge(delivery_info.delivery_tag) end end end rescue Bunny::TCPConnectionFailed => e warn "Connection to #{config(:amqp_host)} failed. Retrying in 1 sec" sleep(1) rescue Bunny::PossibleAuthenticationFailureError => e warn "Could not authenticate as #{conn.username}" rescue Bunny::NotFound, Bunny::AccessRefused, Bunny::PreconditionFailed => e warn "Channel error: #{e}. Retrying in 1 sec" sleep(1) rescue Interrupt => _ stopped = true rescue StandardError => e raise e end end ch.close unless ch.nil? conn.close unless conn.nil? enddef validate if options[:config].nil? unless (File.exist?("config.yaml")) Trollop::die "No config file in default location (#{Dir.pwd}). You need to specify the #{:config} parameter. Read the documentation on how to create a config.yaml file." end else Trollop::die "Cannot find file #{options[:config]}" \ unless File.exist?(options[:config]) end unless @options[:user].nil? if not Process.uid == 0 Trollop::die "Option --user (-u) can only be specified by root" end begin Etc.getpwnam(@options[:user]) rescue ArgumentError Trollop::die "No such user: #{@options[:user]}" end end enddef process_options command = self @options = Trollop::options(command.args) do command.prepare_options(self) banner <<-END Standard options: END opt :config, 'config.yaml file location', :short => 'c', :default => 'config.yaml' opt :verbose, 'verbose mode', :short => 'v' opt :addr, 'IP address to use for performing requests', :short => 'a', :type => String opt :token, 'GitHub OAuth token', :type => String, :short => 't' opt :req_limit, 'Number or requests to leave on any provided account (in reqs/hour)', :type => Integer, :short => 'l' opt :uniq, 'Unique name for this command. Will appear in logs.', :type => String, :short => 'u' end enddef retrieve_default_branch(owner, repo, refresh = false) retrieved = retrieve_repo(owner, repo, refresh) return nil if retrieved.nil? master_branch = 'master' if retrieved['default_branch'].nil? # The currently stored repo entry has been created before the # default_branch field was added to the schema retrieved = retrieve_repo(owner, repo, true) return nil if retrieved.nil? end master_branch = retrieved['default_branch'] unless retrieved.nil? master_branch enddef retrieve_master_branch_diff(owner, repo, branch, parent_owner, parent_repo, parent_branch) branch = retrieve_default_branch(owner, repo) if branch.nil? parent_branch = retrieve_default_branch(parent_owner, parent_repo) if parent_branch.nil? return nil if branch.nil? or parent_branch.nil? cmp_url = "https://api.github.com/repos/#{parent_owner}/#{parent_repo}/compare/#{parent_branch}...#{owner}:#{branch}" api_request(cmp_url) enddef get_repo_events(owner, repo) url = ghurl("repos/#{owner}/#{repo}/events") r = paged_api_request(url) r.each do |e| unless get_event(e['id']).empty? debug "Repository event #{owner}/#{repo} -> #{e['type']}-#{e['id']} already exists" else persister.store(:events, e) info "Added event for repository #{owner}/#{repo} -> #{e['type']}-#{e['id']}" end end persister.find(:events, {'repo.name' => "#{owner}/#{repo}"}) enddef retrieve_watcher(user, repo, watcher) repo_bound_item(user, repo, watcher, :watchers, ["repos/#{user}/#{repo}/stargazers"], {'repo' => repo, 'owner' => user}, 'login', order = :desc) enddef retrieve_watchers(user, repo) repo_bound_items(user, repo, :watchers, ["repos/#{user}/#{repo}/stargazers"], {'repo' => repo, 'owner' => user}, 'login', item = nil, refresh = false, order = :desc) enddef retrieve_orgs(user) url = ghurl "users/#{user}/orgs" orgs = paged_api_request(url) orgs.map{|o| retrieve_org(o['login'])} enddef retrieve_commits(repo, sha, user, pages = -1) url = if sha.nil? ghurl "repos/#{user}/#{repo}/commits" else ghurl "repos/#{user}/#{repo}/commits?sha=#{sha}" end commits = restricted_page_request(url, pages) commits.map do |c| retrieve_commit(repo, c['sha'], user) end.select{|x| not x.nil?} enddef retrieve_commit(repo, sha, user) commit = persister.find(:commits, {'sha' => "#{sha}"}) if commit.empty? url = ghurl "repos/#{user}/#{repo}/commits/#{sha}" c = api_request(url) if c.nil? or c.empty? return end # commit patches are big and not always interesting if config(:commit_handling) == 'trim' c['files'].each { |file| file.delete('patch') } end persister.store(:commits, c) info "Added commit #{user}/#{repo} -> #{sha}" c else debug "Commit #{user}/#{repo} -> #{sha} exists" commit.first end enddef connect(adapter, settings) driver = ADAPTERS[adapter.intern] driver.new(settings) enddef attach_to(ip) TCPSocket.instance_eval do (class << self; self; end).instance_eval do alias_method :original_open, :open case RUBY_VERSION when /1.8/, /1.9/ define_method(:open) do |conn_address, conn_port| original_open(conn_address, conn_port, ip) end else define_method(:open) do |conn_address, conn_port, local_host, local_port| original_open(conn_address, conn_port, ip, local_port) end end end end result = begin yield rescue StandardError => e raise e ensure TCPSocket.instance_eval do (class << self; self; end).instance_eval do alias_method :open, :original_open remove_method :original_open end end end result enddef api_request_raw(url, media_type = '') begin start_time = Time.now contents = do_request(url, media_type) total = Time.now.to_ms - start_time.to_ms info "Successful request. URL: #{url}, Remaining: #{@remaining}, Total: #{total} ms" contents rescue OpenURI::HTTPError => e @remaining = e.io.meta['x-ratelimit-remaining'].to_i @reset = e.io.meta['x-ratelimit-reset'].to_i case e.io.status[0].to_i # The following indicate valid Github return codes when 400, # Bad request 403, # Forbidden 404, # Not found 409, # Conflict -- returned on gets of empty repos 422 then # Unprocessable entity warn request_error_msg(url, e) return nil when 401 # Unauthorized warn request_error_msg(url, e) warn "Unauthorised request with token: #{@token}" raise e when 451 # DMCA takedown warn request_error_msg(url, e) warn "Repo was taken down (DMCA)" return nil else # Server error or HTTP conditions that Github does not report warn request_error_msg(url, e) raise e end rescue StandardError => e warn error_msg(url, e) raise e ensure # The exact limit is only enforced upon the first @reset # No idea how many requests are available on this key. Sleep if we have run out if @remaining < @req_limit to_sleep = @reset - Time.now.to_i + 2 warn "Request limit reached, reset in: #{to_sleep} secs" t = Thread.new do slept = 0 while true do debug "Sleeping for #{to_sleep - slept} seconds" sleep 1 slept += 1 end end sleep([0, to_sleep].max) t.exit end end enddef parse_request_result(result) if result.nil? [] else json = result.read if json.nil? [] else r = JSON.parse(json) # Add the etag to the response only for individual entities if result.meta['etag'] and r.class != Array r['etag'] = result.meta['etag'] end r end end enddef parse_links(links) links.split(/,/).reduce({}) do |acc, x| matches = x.strip.match(/<(.*)>; rel=\"(.*)\"/) acc[matches[2]] = matches[1] acc end enddef num_pages(url) url = ensure_max_per_page(url) data = api_request_raw(url) if data.nil? or data.meta.nil? or data.meta['link'].nil? return 1 end links = parse_links(data.meta['link']) if links.nil? or links['last'].nil? return 1 end params = CGI::parse(URI::parse(links['last']).query) params['page'][0].to_i enddef last_updated(url, etag) begin ts = Time.now response = do_request(url, '', etag) info "Successful etag request. URL: #{url}, Etag: #{etag}, Remaining: #{@remaining}, Total: #{Time.now.to_ms - ts.to_ms} ms" rescue OpenURI::HTTPError => e response = e.io if response.status.first != '304' etag_request_error_message(url, e, etag) raise e end end return Time.parse(response.meta['last-modified']) unless response.meta['last-modified'].nil? return Time.at(86400) enddef paged_api_request(url, pages = config(:mirror_history_pages_back), last = nil) url = ensure_max_per_page(url) data = api_request_raw(url) return [] if data.nil? unless data.meta['link'].nil? links = parse_links(data.meta['link']) last = links['last'] if last.nil? if pages > 0 pages = pages - 1 if pages == 0 return parse_request_result(data) end end if links['next'].nil? parse_request_result(data) else parse_request_result(data) | paged_api_request(links['next'], pages, last) end else parse_request_result(data) end enddef log(level, msg) case level when :fatal then loggerr.fatal (retrieve_caller + msg) when :error then loggerr.error (retrieve_caller + msg) when :warn then loggerr.warn (retrieve_caller + msg) when :info then loggerr.info (retrieve_caller + msg) when :debug then loggerr.debug (retrieve_caller + msg) else loggerr.debug (retrieve_caller + msg) end enddef store_commit(c, repo, user) commits = db[:commits] commit = commits.first(:sha => c['sha']) if commit.nil? author = commit_user(c['author'], c['commit']['author']) commiter = commit_user(c['committer'], c['commit']['committer']) repository = ensure_repo(user, repo) if repository.nil? warn "Could not find repo #{user}/#{repo} for storing commit #{c['sha']}" end commits.insert(:sha => c['sha'], :author_id => author[:id], :committer_id => commiter[:id], :project_id => if repository.nil? then nil else repository[:id] end , :created_at => date(c['commit']['author']['date']) ) info "Added commit #{user}/#{repo} -> #{c['sha']} " commits.first(:sha => c['sha']) else debug "Commit #{user}/#{repo} -> #{c['sha']} exists" commit end enddef transaction(&block) db persister result = nil start_time = Time.now begin db.transaction(:rollback => :reraise, :isolation => :repeatable, :retry_on => @retry_on_error, :num_retries => 3) do result = yield block end total = Time.now.to_ms - start_time.to_ms debug "Transaction committed (#{total} ms)" result rescue StandardError => e total = Time.now.to_ms - start_time.to_ms warn "Transaction failed (#{total} ms)" raise e ensure GC.start end enddef ensure_issue_label(owner, repo, issue_id, name) issue = ensure_issue(owner, repo, issue_id, false, false, false) if issue.nil? warn "Could not find issue #{owner}/#{repo} -> #{issue_id} to assign label #{name}" return end label = ensure_repo_label(owner, repo, name) if label.nil? warn "Could not find repo label #{owner}/#{repo} -> #{name}" return end issue_lbl = db[:issue_labels].first(:label_id => label[:id], :issue_id => issue[:id]) if issue_lbl.nil? db[:issue_labels].insert( :label_id => label[:id], :issue_id => issue[:id], ) info "Added issue_label #{name} to issue #{owner}/#{repo} -> #{issue_id}" db[:issue_labels].first(:label_id => label[:id], :issue_id => issue[:id]) else debug "Issue label #{name} to issue #{owner}/#{repo} -> #{issue_id} exists" issue_lbl end enddef ensure_issue_labels(owner, repo, issue_id) issue = ensure_issue(owner, repo, issue_id, false, false, false) if issue.nil? warn "Could not find issue #{owner}/#{repo} -> #{issue_id} for retrieving labels" return end issue_labels = db.from(:issue_labels, :repo_labels)\ .where(Sequel.qualify('issue_labels', 'label_id') => Sequel.qualify('repo_labels', 'id'))\ .where(Sequel.qualify('issue_labels', 'issue_id') => issue[:id])\ .select(Sequel.qualify('repo_labels', 'name')).all retrieve_issue_labels(owner, repo, issue_id).reduce([]) do |acc, x| if issue_labels.find {|y| y[:name] == x['name']}.nil? acc << x else acc end end.map { |x| save{ensure_issue_label(owner, repo, issue[:issue_id], x['name']) }}.select{|x| !x.nil?} enddef ensure_repo_label(owner, repo, name) currepo = ensure_repo(owner, repo) if currepo.nil? warn "Could not find #{owner}/#{repo} for retrieving label #{name}" return end label = db[:repo_labels].first(:repo_id => currepo[:id], :name => name) if label.nil? retrieved = retrieve_repo_label(owner, repo, name) if retrieved.nil? warn "Could not retrieve repo_label #{owner}/#{repo} -> #{name}" return end db[:repo_labels].insert( :repo_id => currepo[:id], :name => name ) info "Added repo_label #{owner}/#{repo} -> #{name}" db[:repo_labels].first(:repo_id => currepo[:id], :name => name) else label end enddef ensure_labels(owner, repo) currepo = ensure_repo(owner, repo) if currepo.nil? warn "Could not find #{owner}/#{repo} for retrieving issue labels" return end repo_labels = db[:repo_labels].filter(:repo_id => currepo[:id]).all retrieve_repo_labels(owner, repo).reduce([]) do |acc, x| if repo_labels.find {|y| y[:name] == x['name']}.nil? acc << x else acc end end.map { |x| save { ensure_repo_label(owner, repo, x['name']) } }.select { |x| !x.nil? } enddef ensure_issue_comment(owner, repo, issue_id, comment_id, pull_req_id = nil) issue = if pull_req_id.nil? ensure_issue(owner, repo, issue_id, false, false, false) else db[:issues].first(:pull_request_id => pull_req_id) end if issue.nil? warn "Could not find issue #{owner}/#{repo} -> #{issue_id} for retrieving comment #{comment_id}" return end issue_comment_str = "#{owner}/#{repo} -> #{issue_id}/#{comment_id}" curcomment = db[:issue_comments].first(:issue_id => issue[:id], :comment_id => comment_id) if curcomment.nil? retrieved = retrieve_issue_comment(owner, repo, issue_id, comment_id) if retrieved.nil? warn "Could not retrieve issue_comment #{issue_comment_str}" return end user = ensure_user(retrieved['user']['login'], false, false) db[:issue_comments].insert( :comment_id => comment_id, :issue_id => issue[:id], :user_id => unless user.nil? then user[:id] end, :created_at => date(retrieved['created_at']) ) info "Added issue_comment #{issue_comment_str}" db[:issue_comments].first(:issue_id => issue[:id], :comment_id => comment_id) else debug "Issue comment #{issue_comment_str} exists" curcomment end enddef ensure_issue_comments(owner, repo, issue_id, pull_req_id = nil) currepo = ensure_repo(owner, repo) if currepo.nil? warn "Could not find repository #{owner}/#{repo} for retrieving issue comments for issue #{issue_id}" return end issue = if pull_req_id.nil? ensure_issue(owner, repo, issue_id, false, false, false) else db[:issues].first(:pull_request_id => pull_req_id) end if issue.nil? warn "Could not find issue #{owner}/#{repo} -> #{issue_id} for retrieving issue comments" return end retrieve_issue_comments(owner, repo, issue_id).reduce([]) do |acc, x| if db[:issue_comments].first(:issue_id => issue[:id], :comment_id => x['id']).nil? acc << x else acc end end.map { |x| save{ensure_issue_comment(owner, repo, issue_id, x['id'], pull_req_id)} }.select{|x| !x.nil?} enddef ensure_issue_event(owner, repo, issue_id, event_id) issue = ensure_issue(owner, repo, issue_id, false, false, false) if issue.nil? warn "Could not find issue #{owner}/#{repo} -> #{issue_id} for retrieving event #{event_id}" return end issue_event_str = "#{owner}/#{repo} -> #{issue_id}/#{event_id}" curevent = db[:issue_events].first(:issue_id => issue[:id], :event_id => event_id) if curevent.nil? retrieved = retrieve_issue_event(owner, repo, issue_id, event_id) if retrieved.nil? warn "Could not retrieve issue_event #{owner}/#{repo} -> #{issue_id}/#{issue_event_str}" return elsif retrieved['actor'].nil? warn "Could not find issue_event_actor #{owner}/#{repo} -> #{issue_id}/#{issue_event_str}" return end actor = ensure_user(retrieved['actor']['login'], false, false) action_specific = case retrieved['event'] when "referenced" then retrieved['commit_id'] when "merged" then retrieved['commit_id'] when "closed" then retrieved['commit_id'] else nil end if retrieved['event'] == 'assigned' def update_assignee(owner, repo, issue, actor) db[:issues].first(:id => issue[:id]).update(:assignee_id => actor[:id]) info "Updated #{owner}/#{repo} -> #{issue[:id]}, assignee -> #{actor[:id]}" end if issue[:assignee_id].nil? then update_assignee(owner, repo, issue, actor) else existing = db[:issue_events].\ filter(:issue_id => issue[:id],:action => 'assigned').\ order(Sequel.desc(:created_at)).first if existing.nil? update_assignee(owner, repo, issue, actor) elsif date(existing[:created_at]) < date(retrieved['created_at']) update_assignee(owner, repo, issue, actor) end end end db[:issue_events].insert( :event_id => event_id, :issue_id => issue[:id], :actor_id => unless actor.nil? then actor[:id] end, :action => retrieved['event'], :action_specific => action_specific, :created_at => date(retrieved['created_at'])) info "Added issue_event #{owner}/#{repo} -> #{issue_id}/#{issue_event_str}" db[:issue_events].first(:issue_id => issue[:id], :event_id => event_id) else debug "Issue event #{owner}/#{repo} -> #{issue_id}/#{issue_event_str} exists" curevent end enddef ensure_issue_events(owner, repo, issue_id) currepo = ensure_repo(owner, repo) if currepo.nil? warn "Could not find repository #{owner}/#{repo} for retrieving events for issue #{issue_id}" return end issue = ensure_issue(owner, repo, issue_id, false, false, false) if issue.nil? warn "Could not find issue #{owner}/#{repo} -> #{issue_id} for retrieving events" return end retrieve_issue_events(owner, repo, issue_id).reduce([]) do |acc, x| if db[:issue_events].first(:issue_id => issue[:id], :event_id => x['id']).nil? acc << x else acc end end.map { |x| save{ensure_issue_event(owner, repo, issue_id, x['id'])} }.select{|x| !x.nil?} enddef ensure_issue(owner, repo, issue_id, events = true, comments = true, labels = true) issues = db[:issues] repository = ensure_repo(owner, repo) if repository.nil? warn "Could not find repo #{owner}/#{repo} for retrieving issue #{issue_id}" return end cur_issue = issues.first(:issue_id => issue_id, :repo_id => repository[:id]) retrieved = retrieve_issue(owner, repo, issue_id) if retrieved.nil? warn "Could not retrieve issue #{owner}/#{repo} -> #{issue_id}" return end # Pull requests and issues share the same issue_id pull_req = unless retrieved['pull_request'].nil? or retrieved['pull_request']['patch_url'].nil? debug "Issue #{owner}/#{repo}->#{issue_id} is a pull request" ensure_pull_request(owner, repo, issue_id, false, false, false) end if cur_issue.nil? reporter = ensure_user(retrieved['user']['login'], false, false) assignee = unless retrieved['assignee'].nil? ensure_user(retrieved['assignee']['login'], false, false) end issues.insert(:repo_id => repository[:id], :assignee_id => unless assignee.nil? then assignee[:id] end, :reporter_id => reporter[:id], :issue_id => issue_id, :pull_request => if pull_req.nil? then false else true end, :pull_request_id => unless pull_req.nil? then pull_req[:id] end, :created_at => date(retrieved['created_at'])) info "Added issue #{owner}/#{repo} -> #{issue_id}" else debug "Issue #{owner}/#{repo}->#{issue_id} exists" if cur_issue[:pull_request] == false and not pull_req.nil? info "Updated issue #{owner}/#{repo}->#{issue_id} as pull request" issues.filter(:issue_id => issue_id, :repo_id => repository[:id]).update( :pull_request => true, :pull_request_id => pull_req[:id]) end end ensure_issue_events(owner, repo, issue_id) if events ensure_issue_comments(owner, repo, issue_id) if comments ensure_issue_labels(owner, repo, issue_id) if labels issues.first(:issue_id => issue_id, :repo_id => repository[:id]) enddef ensure_issues(owner, repo) currepo = ensure_repo(owner, repo) if currepo.nil? warn "Could not find repo #{owner}/#{repo} for retrieving issues" return end issues = db[:issues].filter(:repo_id => currepo[:id]).all raw_issues = retrieve_issues(owner, repo).reduce([]) do |acc, x| if issues.find { |y| y[:issue_id] == x['number'] }.nil? acc << x else acc end end raw_issues.map { |x| save { ensure_issue(owner, repo, x['number']) } }.select { |x| !x.nil? } enddef ensure_fork(owner, repo, fork_id) fork = retrieve_fork(owner, repo, fork_id) if fork.nil? warn "Could not retrieve fork #{owner}/#{repo} -> #{fork_id}" return end fork_name = if fork['full_name'].nil? then fork['url'].split(/\//)[4..5].join('/') else fork['full_name'] end fork_owner = fork_name.split(/\//)[0] fork_name = fork_name.split(/\//)[1] r = ensure_repo(fork_owner, fork_name, true) if r.nil? warn "Could not add #{fork_owner}/#{fork_name} as fork of #{owner}/#{repo}" else info "Added fork #{fork_owner}/#{fork_name} of #{owner}/#{repo}" end r enddef ensure_forks(owner, repo) currepo = ensure_repo(owner, repo) if currepo.nil? warn "Could not find repo #{owner}/#{repo} for retrieving forks" return end existing_forks = db.from(:projects, :users).\ where(Sequel.qualify('users', 'id') => Sequel.qualify('projects', 'owner_id')). \ where(Sequel.qualify('projects', 'forked_from') => currepo[:id]).\ select(Sequel.qualify('projects', 'name'), :login).all retrieve_forks(owner, repo).reduce([]) do |acc, x| if existing_forks.find do |y| forked_repo_owner = x['url'].split(/\//)[4] forked_repo_name = x['url'].split(/\//)[5] y[:login] == forked_repo_owner && y[:name] == forked_repo_name end.nil? acc << x else acc end end.map { |x| save{ensure_fork(owner, repo, x['id']) }}.select{|x| !x.nil?} enddef pr_is_intra_branch(req) return false unless pr_has_head_repo(req) if req['head']['repo']['owner']['login'] == req['base']['repo']['owner']['login'] and req['head']['repo']['full_name'] == req['base']['repo']['full_name'] true else false end enddef ensure_pull_request_history(id, ts, act, actor) user = unless actor.nil? ensure_user(actor, false, false) end pull_req_history = db[:pull_request_history] entry = if ['opened', 'merged'].include? act pull_req_history.first(:pull_request_id => id, :action => act) else pull_req_history.first(:pull_request_id => id, :created_at => (ts - 3)..(ts + 3), :action => act) end if entry.nil? pull_req_history.insert(:pull_request_id => id, :created_at => ts, :action => act, :actor_id => unless user.nil? then user[:id] end) info "Added pullreq_event (#{id}) -> (#{act}) by (#{actor}) timestamp #{ts}" else debug "Pull request (#{id}) event (#{act}) by (#{actor}) timestamp #{ts} exists" if entry[:actor_id].nil? and not user.nil? pull_req_history.where(:pull_request_id => id, :created_at => (ts - 3)..(ts + 3), :action => act)\ .update(:actor_id => user[:id]) info "Updated pull request (#{id}) event (#{act}) timestamp #{ts}, actor -> #{user[:login]}" end end enddef ensure_pull_requests(owner, repo, refresh = false) currepo = ensure_repo(owner, repo) if currepo.nil? warn "Could not find repo #{owner}/#{repo} for retrieving pull requests" return end raw_pull_reqs = if refresh retrieve_pull_requests(owner, repo, refresh = true) else pull_reqs = db[:pull_requests].filter(:base_repo_id => currepo[:id]).all retrieve_pull_requests(owner, repo).reduce([]) do |acc, x| if pull_reqs.find { |y| y[:pullreq_id] == x['number'] }.nil? acc << x else acc end end end raw_pull_reqs.map { |x| save { ensure_pull_request(owner, repo, x['number']) } }.select { |x| !x.nil? } enddef ensure_watchers(owner, repo) currepo = ensure_repo(owner, repo) if currepo.nil? warn "Could not find repo #{owner}/#{repo} for retrieving watchers" return end watchers = db.from(:watchers, :users).\ where(Sequel.qualify('watchers', 'user_id') => Sequel.qualify('users', 'id')).\ where(Sequel.qualify('watchers', 'repo_id') => currepo[:id]).select(:login).all retrieve_watchers(owner, repo).reduce([]) do |acc, x| if watchers.find { |y| y[:login] == x['login'] }.nil? acc << x else acc end end.map { |x| save{ensure_watcher(owner, repo, x['login']) }}.select{|x| !x.nil?} enddef ensure_commit_comments(user, repo, sha) commit_id = db[:commits].first(:sha => sha)[:id] stored_comments = db[:commit_comments].filter(:commit_id => commit_id) commit_comments = retrieve_commit_comments(user, repo, sha) not_saved = commit_comments.reduce([]) do |acc, x| if stored_comments.find{|y| y[:comment_id] == x['id']}.nil? acc << x else acc end end not_saved.map{|x| save{ensure_commit_comment(user, repo, sha, x['id'])}}.select{|x| !x.nil?} enddef ensure_org(organization, members = true) org = db[:users].first(:login => organization, :type => 'org') if org.nil? org = ensure_user(organization, false, false) # Not an organization, don't go ahead if org[:type] != 'ORG' warn "User #{organization} is not an organization" return nil end end if members retrieve_org_members(organization).map do |x| ensure_participation(ensure_user(x['login'], false, false)[:login], organization, false) end end org enddef ensure_participation(user, organization, members = true) org = ensure_org(organization, members) if org.nil? warn "Could not find organization #{organization}" return end usr = ensure_user(user, false, false) org_members = db[:organization_members] participates = org_members.first(:user_id => usr[:id], :org_id => org[:id]) if participates.nil? org_members.insert(:user_id => usr[:id], :org_id => org[:id]) info "Added participation #{organization} -> #{user}" org_members.first(:user_id => usr[:id], :org_id => org[:id]) else debug "Participation #{organization} -> #{user} exists" participates end enddef ensure_orgs(user) retrieve_orgs(user).map{|o| save{ensure_participation(user, o['login'])}}.select{|x| !x.nil?} enddef ensure_fork_point(owner, repo) fork = ensure_repo(owner, repo, false) if fork[:forked_from].nil? warn "Repo #{owner}/#{repo} is not a fork" return nil end # Return commit if already specified unless fork[:forked_commit_id].nil? commit = db[:commits].where(:id => fork[:forked_commit_id]).first return commit unless commit.nil? end parent = db.from(:projects, :users).\ where(Sequel.qualify('projects', 'owner_id') => Sequel.qualify('users', 'id')).\ where(Sequel.qualify('projects', 'id') => fork[:forked_from]).\ select(Sequel.qualify('users', 'login'), Sequel.qualify('projects','name')).first if parent.nil? warn "Unknown parent for repo #{owner}/#{repo}" return nil end default_branch = retrieve_default_branch(parent[:login], parent[:name]) # Retrieve diff between parent and fork master branch diff = retrieve_master_branch_diff(owner, repo, default_branch, parent[:login], parent[:name], default_branch) if diff.nil? or diff.empty? # Try a bit harder by refreshing the default branch default_branch = retrieve_default_branch(parent[:login], parent[:name], true) diff = retrieve_master_branch_diff(owner, repo, default_branch, parent[:login], parent[:name], default_branch) end if diff.nil? or diff.empty? # This means that the are no common ancestors between the repos # This can apparently happen when the parent repo was renamed or force-pushed # example: https://github.com/openzipkin/zipkin/compare/master...aa1wi:master warn "No common ancestor between #{parent[:login]}/#{parent[:name]} and #{owner}/#{repo}" return nil else debug "Fork #{owner}/#{repo} is #{diff['ahead_by']} commits ahead and #{diff['behind_by']} commits behind #{parent[:login]}/#{parent[:name]}" end if diff['ahead_by'].to_i > 0 # This means that the fork has diverged, and we need to search through the fork # commit graph for the earliest commit that is shared with the parent. GitHub's # diff contains a list of divergent commits. We are sorting those by date # and select the earliest one. We do date sort instead of graph walking as this # would be prohibetively slow if the commits for the parent did not exist. earliest_diverging = diff['commits'].sort_by{|x| x['commit']['author']['date']}.first if earliest_diverging['parents'].nil? # this means that the repo was forked from the from the parent repo's initial commit. thus, they both share an initial commit. # example: https://api.github.com/repos/btakita/pain-point/compare/master...spent:master likely_fork_point = ensure_commit(parent[:name], earliest_diverging['sha'], parent['login']) else # Make sure that all likely fork points exist for the parent project # and select the latest of them. # https://github.com/gousiosg/github-mirror/compare/master...pombredanne:master likely_fork_point = earliest_diverging['parents'].\ map{ |x| ensure_commit(parent[:name], x['sha'], parent[:login])}.\ select{|x| !x.nil?}.\ sort_by { |x| x[:created_at]}.\ last end forked_sha = likely_fork_point[:sha] else # This means that the fork has not diverged. forked_sha = diff['merge_base_commit']['sha'] end forked_commit = ensure_commit(repo, forked_sha, owner); debug "Fork commit for #{owner}/#{repo} is #{forked_sha}" unless forked_commit.nil? db[:projects].filter(:id => fork[:id]).update(:forked_commit_id => forked_commit[:id]) info "Repo #{owner}/#{repo} was forked at #{parent[:login]}/#{parent[:name]}:#{forked_sha}" end db[:commits].where(:sha => forked_sha).first enddef ensure_fork_commits(owner, repo, parent_owner, parent_repo) currepo = ensure_repo(owner, repo) if currepo.nil? warn "Could not find repo #{owner}/#{repo}" return end parent = ensure_repo(parent_owner, parent_repo) if parent.nil? warn "Could not find repo #{parent_owner}/#{parent_repo}, parent of #{owner}/#{repo}" return end strategy = case when config(:fork_commits).match(/all/i) :all when config(:fork_commits).match(/fork_point/i) :fork_point when config(:fork_commits).match(/none/i) :none else :fork_point end fork_commit = ensure_fork_point(owner, repo) if fork_commit.nil? or fork_commit.empty? warn "Could not find fork commit for repo #{owner}/#{repo}. Retrieving all commits." return ensure_commits(owner, repo, fork_all: true) end debug "Retrieving commits for fork #{owner}/#{repo}: strategy is #{strategy}" return if strategy == :none if strategy == :fork_point # Retrieve commits up to fork point (fork_commit strategy) info "Retrieving commits for #{owner}/#{repo} until fork commit #{fork_commit[:sha]}" master_branch = retrieve_default_branch(parent_owner, parent_repo) return if master_branch.nil? sha = master_branch found = false while not found commits = retrieve_commits(repo, sha, owner, 1) # This means that we retrieved no commits if commits.size == 0 break end # This means we retrieved the last page again if commits.size == 1 and commits[0]['sha'] == sha break end for c in commits ensure_commit(repo, c['sha'], owner) sha = c['sha'] if c['sha'] == fork_commit[:sha] found = true break end end end end if strategy == :all shared_commit = db[:commits].first(:sha => fork_commit) copied = 0 to_copy = db.from(:project_commits, :commits).\ where(Sequel.qualify('project_commits', 'commit_id') => Sequel.qualify('commits', 'id')).\ where(Sequel.qualify('project_commits', 'project_id') => parent[:id]).\ where('commits.created_at < ?', shared_commit[:created_at]).\ select(Sequel.qualify('commits','id')) to_copy.each do |c| copied += 1 begin db[:project_commits].insert( :project_id => currepo[:id], :commit_id => c[:id] ) debug "Copied commit #{c[:sha]} #{parent_owner}/#{parent_repo} -> #{owner}/#{repo} (#{copied} total)" rescue StandardError => e warn "Could not copy commit #{c[:sha]} #{parent_owner}/#{parent_repo} -> #{owner}/#{repo} : #{e.message}" end end info "Finished copying commits from #{parent_owner}/#{parent_repo} -> #{owner}/#{repo}: #{copied} total" end enddef ensure_languages(owner, repo) currepo = ensure_repo(owner, repo) langs = retrieve_languages(owner, repo) if langs.nil? or langs.empty? warn "Could not find languages for repo #{owner}/#{repo}" return end ts = Time.now langs.keys.each do |lang| db[:project_languages].insert( :project_id => currepo[:id], :language => lang.downcase, :bytes => langs[lang], :created_at => ts ) info "Added project_language #{owner}/#{repo} -> #{lang} (#{langs[lang]} bytes)" end db[:project_languages].where(:project_id => currepo[:id]).where(:created_at => ts).all enddef ensure_repo(user, repo, recursive = false) repos = db[:projects] curuser = ensure_user(user, false, false) if curuser.nil? warn "Could not find user #{user}" return end currepo = repos.first(:owner_id => curuser[:id], :name => repo) unless currepo.nil? debug "Repo #{user}/#{repo} exists" return refresh_repo(user, repo, currepo) end r = retrieve_repo(user, repo, true) if r.nil? warn "Could not retrieve repo #{user}/#{repo}" return end if r['owner']['login'] != curuser[:login] info "Repo changed owner from #{curuser[:login]} to #{r['owner']['login']}" curuser = ensure_user(r['owner']['login'], false, false) end repos.insert(:url => r['url'], :owner_id => curuser[:id], :name => r['name'], :description => unless r['description'].nil? then r['description'][0..254] else nil end, :language => r['language'], :created_at => date(r['created_at']), :updated_at => date(Time.now), :etag => unless r['etag'].nil? then r['etag'] end) unless r['parent'].nil? parent_owner = r['parent']['owner']['login'] parent_repo = r['parent']['name'] parent = ensure_repo(parent_owner, parent_repo) if parent.nil? warn "Could not find repo #{parent_owner}/#{parent_repo}, parent of: #{user}/#{repo}" repos.filter(:owner_id => curuser[:id], :name => repo).update(:forked_from => -1) else repos.filter(:owner_id => curuser[:id], :name => repo).update(:forked_from => parent[:id]) info "Repo #{user}/#{repo} is a fork of #{parent_owner}/#{parent_repo}" unless ensure_fork_point(user, repo).nil? warn "Could not find fork point for #{user}/#{repo}, fork of #{parent_owner}/#{parent_repo}" end end end if recursive and not ensure_repo_recursive(user, repo) warn "Could retrieve #{user}/#{repo} recursively" return nil end info "Added repo #{user}/#{repo}" return repos.first(:owner_id => curuser[:id], :name => repo) enddef ensure_user_byemail(email, name) users = db[:users] usr = users.first(:email => email) if usr.nil? u = retrieve_user_byemail(email, name) if u.nil? or u['login'].nil? warn "Could not retrieve user #{email} through search API query" login = (0...8).map { 65.+(rand(25)).chr }.join users.insert(:email => email, :name => name, :login => login, :fake => true, :deleted => false, :created_at => Time.now) info "Added user fake #{login} -> #{email}" users.first(:login => login) else in_db = users.first(:login => u['login']) geo = geolocate(location: u['location']) if in_db.nil? users.insert(:login => u['login'], :name => u['name'], :company => u['company'], :email => u['email'], :long => geo[:long], :lat => geo[:lat], :country_code => geo[:country_code], :state => geo[:state], :city => geo[:city], :fake => false, :deleted => false, :created_at => date(u['created_at'])) info "Added user #{u['login']} (#{email}) through search API query" else in_db.update(:name => u['name'], :company => u['company'], :email => u['email'], :long => geo[:long], :lat => geo[:lat], :country_code => geo[:country_code], :state => geo[:state], :city => geo[:city], :fake => false, :deleted => false, :created_at => date(u['created_at'])) debug "User #{u['login']} with email #{email} exists" end users.first(:login => u['login']) end else debug "User with email #{email} exists" usr end enddef ensure_user_follower(followed, follower, date_added = nil) follower_user = ensure_user(follower, false, false) followed_user = ensure_user(followed, false, false) if followed_user.nil? or follower_user.nil? warn "Could not find follower #{follower} or user #{followed}" return end followers = db[:followers] follower_id = follower_user[:id] followed_id = followed_user[:id] follower_exists = followers.first(:user_id => followed_id, :follower_id => follower_id) if follower_exists.nil? added = if date_added.nil? max(follower_user[:created_at], followed_user[:created_at]) else date_added end retrieved = retrieve_user_follower(followed, follower) if retrieved.nil? warn "Could not retrieve follower #{follower} for #{followed}" return end followers.insert(:user_id => followed_id, :follower_id => follower_id, :created_at => added) info "Added follower #{follower} to #{followed}" else debug "Follower #{follower} for user #{followed} exists" end unless date_added.nil? followers.filter(:user_id => followed_id, :follower_id => follower_id) .update(:created_at => date(date_added)) info "Updated follower #{followed} -> #{follower}, created_at -> #{date(date_added)}" end followers.first(:user_id => followed_id, :follower_id => follower_id) enddef ensure_user_followers(followed) curuser = ensure_user(followed, false, false) followers = db.from(:followers, :users).\ where(Sequel.qualify('followers', 'follower_id') => Sequel.qualify('users', 'id')).\ where(Sequel.qualify('followers', 'user_id') => curuser[:id]).select(:login).all retrieve_user_followers(followed).reduce([]) do |acc, x| if followers.find {|y| y[:login] == x['login']}.nil? acc << x else acc end end.map { |x| save{ensure_user_follower(followed, x['login']) }}.select{|x| !x.nil?} enddef ensure_parents(commit) commits = db[:commits] parents = db[:commit_parents] commit['parents'].map do |p| save do url = p['url'].split(/\//) this = commits.first(:sha => commit['sha']) parent = commits.first(:sha => url[7]) if parent.nil? c = retrieve_commit(url[5], url[7], url[4]) if c.nil? warn "Could not retrieve commit_parent #{url[4]}/#{url[5]} -> #{url[7]} to #{this[:sha]}" next end parent = store_commit(c, url[5], url[4]) end if parent.nil? warn "Could not find #{url[4]}/#{url[5]} -> #{url[7]}, parent to commit #{this[:sha]}" next end if parents.first(:commit_id => this[:id], :parent_id => parent[:id]).nil? parents.insert(:commit_id => this[:id], :parent_id => parent[:id]) info "Added commit_parent #{parent[:sha]} to commit #{this[:sha]}" else debug "Parent #{parent[:sha]} for commit #{this[:sha]} exists" end parents.first(:commit_id => this[:id], :parent_id => parent[:id]) end end.select{|x| !x.nil?} enddef ensure_commit(repo, sha, user, comments = true) ensure_repo(user, repo) c = retrieve_commit(repo, sha, user) if c.nil? warn "Commit #{user}/#{repo} -> #{sha} does not exist" return end stored = store_commit(c, repo, user) ensure_parents(c) if not c['commit']['comment_count'].nil? \ and c['commit']['comment_count'] > 0 ensure_commit_comments(user, repo, sha) if comments end ensure_repo_commit(user, repo, sha) stored enddef db return @db unless @db.nil? Sequel.single_threaded = true @db = Sequel.connect(config(:sql_url), :encoding => 'utf8') #@db.loggers << Logger.new(STDOUT) if @db.tables.empty? dir = File.join(File.dirname(__FILE__), 'migrations') puts "Database empty, running migrations from #{dir}" Sequel.extension :migration Sequel::Migrator.apply(@db, dir) end @db enddef head_and_get(path, codes = [200], params = {}) url_to_get = url(path) head_params = (params[:head] || {}).merge(head_or_get_params) head_res = NS::Browser.forge_request(url_to_get, head_params).run codes.include?(head_res.code) ? NS::Browser.get(url_to_get, params[:get] || {}) : head_res enddef online?(path = nil) NS::Browser.get(url(path)).code.nonzero? ? true : false enddef max_threads=(number) @max_threads = number.to_i.positive? && throttle.zero? ? number.to_i : 1 hydra.max_concurrency = @max_threads enddef to_svg(options={}) output_to_string_io do |io| Cairo::SVGSurface.new(io, full_width(options), full_height(options)) do |surface| render(surface, options) end end enddef to_pdf(options={}) output_to_string_io do |io| Cairo::PDFSurface.new(io, full_width(options), full_height(options)) do |surface| render(surface, options) end end enddef to_ps(options={}) output_to_string_io do |io| Cairo::PSSurface.new(io, full_width(options), full_height(options)) do |surface| surface.eps = options[:eps] if surface.respond_to?(:eps=) render(surface, options) end end enddef to_png(options={}) output_to_string_io do |io| Cairo::ImageSurface.new(options[:format], full_width(options), full_height(options)) do |surface| render(surface, options) surface.write_to_png(io) end end enddef render_to_cairo_context(context, options={}) if context.respond_to?(:have_current_point?) and context.have_current_point? current_x, current_y = context.current_point else current_x = x(options) || margin(options) current_y = y(options) || margin(options) end _xdim = xdim(options) _height = height(options) original_current_x = current_x context.save do context.set_source_color(:black) context.fill do if barcode.two_dimensional? boolean_groups.each do |groups| groups.each do |bar,amount| current_width = _xdim * amount if bar context.rectangle(current_x, current_y, current_width, _xdim) end current_x += current_width end current_x = original_current_x current_y += _xdim end else boolean_groups.each do |bar,amount| current_width = _xdim * amount if bar context.rectangle(current_x, current_y, current_width, _height) end current_x += current_width end end end end context enddef encoding_for_bars(*bars) wide, narrow, space = wide_encoding, narrow_encoding, space_encoding bars.flatten.inject '' do |enc,bar| enc + (bar == WIDE ? wide : narrow) + space end enddef checksum pos = 0 (numbers+extra_numbers).inject(start_num) do |sum,number| pos += 1 sum + (number * pos) end % 103 enddef characters chars = data.split(//n) if type == 'C' result = [] count = 0 while count < chars.size if chars[count] =~ /^\d$/ #If encountering a digit, next char/byte *must* be second digit in pair. I.e. if chars[count] is 5, #chars[count+1] must be /[0-9]/, otherwise it's not valid result << "#{chars[count]}#{chars[count+1]}" count += 2 else result << chars[count] count += 1 end end result else chars end enddef characters chars = raw_characters extended ? chars.map{|c| EXTENDED_ENCODINGS[c].split(//) }.flatten : chars enddef annotate_pdf(pdf, options={}) with_options options do xpos, ypos = x, y orig_xpos = xpos if barcode.two_dimensional? boolean_groups.reverse_each do |groups| groups.each do |bar,amount| if bar pdf.move_to(xpos, ypos). line_to(xpos, ypos+xdim). line_to(xpos+(xdim*amount), ypos+xdim). line_to(xpos+(xdim*amount), ypos). line_to(xpos, ypos). fill end xpos += (xdim*amount) end xpos = orig_xpos ypos += xdim end else boolean_groups.each do |bar,amount| if bar pdf.move_to(xpos, ypos). line_to(xpos, ypos+height). line_to(xpos+(xdim*amount), ypos+height). line_to(xpos+(xdim*amount), ypos). line_to(xpos, ypos). fill end xpos += (xdim*amount) end end end pdf enddef k_checksum sum = 0 checksum_values_with_c_checksum.each_with_index do |value, index| sum += ((index % 15) + 1) * value end sum % 47 enddef c_checksum sum = 0 checksum_values.each_with_index do |value, index| sum += ((index % 20) + 1) * value end sum % 47 enddef ascend path = @path yield self while (r = chop_basename(path)) path, _name = r break if path.empty? yield self.class.new(del_trailing_separator(path)) end enddef descend vs = [] ascend { |v| vs << v } vs.reverse_each { |v| yield v } nil enddef each_filename # :yield: filename return to_enum(__method__) unless block_given? _prefix, names = split_names(@path) names.each { |filename| yield filename } nil enddef create_missing_file raise Errno::EISDIR, path.to_s if File.directory?(@path) return if File.exist?(@path) # Unnecessary check, probably. dirname = RealFile.dirname @path unless dirname == '.' dir = FileSystem.find dirname raise Errno::ENOENT, path.to_s unless dir.is_a? FakeDir end @file = FileSystem.add(path, FakeFile.new) enddef relevant_rules(action, subject) rules.reverse.select do |rule| rule.expanded_actions = expand_actions(rule.actions) rule.relevant? action, subject end enddef aliases_for_action(action) results = [action] aliased_actions.each do |aliased_action, actions| results += aliases_for_action(aliased_action) if actions.include? action end results enddef expand_actions(actions) actions.map do |action| aliased_actions[action] ? [action, *expand_actions(aliased_actions[action])] : action end.flatten enddef alias_action(*args) target = args.pop[:to] validate_target(target) aliased_actions[target] ||= [] aliased_actions[target] += args enddef matches_conditions?(action, subject, extra_args) if @match_all call_block_with_all(action, subject, extra_args) elsif @block && !subject_class?(subject) @block.call(subject, *extra_args) elsif @conditions.kind_of?(Hash) && subject.class == Hash nested_subject_matches_conditions?(subject) elsif @conditions.kind_of?(Hash) && !subject_class?(subject) matches_conditions_hash?(subject) else # Don't stop at "cannot" definitions when there are conditions. @conditions.empty? ? true : @base_behavior end enddef handle_schema(parent_schema, obj) if obj.is_a?(Hash) schema_uri = parent_schema.uri.dup schema = JSON::Schema.new(obj, schema_uri, parent_schema.validator) if obj['id'] self.class.add_schema(schema) end build_schemas(schema) end enddef build_schemas(parent_schema) schema = parent_schema.schema # Build ref schemas if they exist if schema["$ref"] load_ref_schema(parent_schema, schema["$ref"]) end case schema["extends"] when String load_ref_schema(parent_schema, schema["extends"]) when Array schema['extends'].each do |type| handle_schema(parent_schema, type) end end # Check for schemas in union types ["type", "disallow"].each do |key| if schema[key].is_a?(Array) schema[key].each do |type| if type.is_a?(Hash) handle_schema(parent_schema, type) end end end end # Schema properties whose values are objects, the values of which # are themselves schemas. %w[definitions properties patternProperties].each do |key| next unless value = schema[key] value.each do |k, inner_schema| handle_schema(parent_schema, inner_schema) end end # Schema properties whose values are themselves schemas. %w[additionalProperties additionalItems dependencies extends].each do |key| next unless schema[key].is_a?(Hash) handle_schema(parent_schema, schema[key]) end # Schema properties whose values may be an array of schemas. %w[allOf anyOf oneOf not].each do |key| next unless value = schema[key] Array(value).each do |inner_schema| handle_schema(parent_schema, inner_schema) end end # Items are always schemas if schema["items"] items = schema["items"].clone items = [items] unless items.is_a?(Array) items.each do |item| handle_schema(parent_schema, item) end end # Convert enum to a ArraySet if schema["enum"].is_a?(Array) schema["enum"] = ArraySet.new(schema["enum"]) end enddef time_remaining(timeout) return unless timeout raise Socketry::InternalError, "no deadline set" unless @deadline remaining = @deadline - lifetime raise Socketry::TimeoutError, "time expired" if remaining <= 0 remaining enddef set_timeout(timeout) raise Socketry::InternalError, "deadline already set" if @deadline return unless timeout raise Socketry::TimeoutError, "time expired" if timeout < 0 @deadline = lifetime + timeout enddef start_timer(timer = DEFAULT_TIMER.new) raise Socketry::InternalError, "timer already started" if defined?(@timer) raise Socketry::InternalError, "deadline already set" if defined?(@deadline) @deadline = nil @timer = timer @timer.start true enddef get_httparty_config(options) return if options.nil? httparty = Gitlab::CLI::Helpers.yaml_load(options) raise ArgumentError, 'HTTParty config should be a Hash.' unless httparty.is_a? Hash Gitlab::CLI::Helpers.symbolize_keys httparty enddef reset self.endpoint = ENV['GITLAB_API_ENDPOINT'] self.private_token = ENV['GITLAB_API_PRIVATE_TOKEN'] || ENV['GITLAB_API_AUTH_TOKEN'] self.httparty = get_httparty_config(ENV['GITLAB_API_HTTPARTY_OPTIONS']) self.sudo = nil self.user_agent = DEFAULT_USER_AGENT enddef options VALID_OPTIONS_KEYS.inject({}) do |option, key| option.merge!(key => send(key)) end enddef request_defaults(sudo = nil) self.class.default_params sudo: sudo raise Error::MissingCredentials, 'Please set an endpoint to API' unless @endpoint self.class.default_params.delete(:sudo) if sudo.nil? enddef indirect_conditions(object) t = arel_table node = to_node(object) # rails has case sensitive matching. if ActiveRecord::VERSION::MAJOR >= 5 t[ancestry_column].matches("#{node.child_ancestry}/%", nil, true) else t[ancestry_column].matches("#{node.child_ancestry}/%") end enddef rebuild_depth_cache! raise Ancestry::AncestryException.new("Cannot rebuild depth cache for model without depth caching.") unless respond_to? :depth_cache_column self.ancestry_base_class.transaction do unscoped_where do |scope| scope.find_each do |node| node.update_attribute depth_cache_column, node.depth end end end enddef build_ancestry_from_parent_ids! parent_id = nil, ancestry = nil unscoped_where do |scope| scope.where(:parent_id => parent_id).find_each do |node| node.without_ancestry_callbacks do node.update_attribute ancestry_column, ancestry end build_ancestry_from_parent_ids! node.id, if ancestry.nil? then "#{node.id}" else "#{ancestry}/#{node.id}" end end end enddef arrange_serializable options={}, nodes=nil, &block nodes = arrange(options) if nodes.nil? nodes.map do |parent, children| if block_given? yield parent, arrange_serializable(options, children, &block) else parent.serializable_hash.merge 'children' => arrange_serializable(options, children) end end enddef arrange options = {} if (order = options.delete(:order)) arrange_nodes self.ancestry_base_class.order(order).where(options) else arrange_nodes self.ancestry_base_class.where(options) end enddef orphan_strategy= orphan_strategy # Check value of orphan strategy, only rootify, adopt, restrict or destroy is allowed if [:rootify, :adopt, :restrict, :destroy].include? orphan_strategy class_variable_set :@@orphan_strategy, orphan_strategy else raise Ancestry::AncestryException.new("Invalid orphan strategy, valid ones are :rootify,:adopt, :restrict and :destroy.") end enddef scope_depth depth_options, depth depth_options.inject(self.ancestry_base_class) do |scope, option| scope_name, relative_depth = option if [:before_depth, :to_depth, :at_depth, :from_depth, :after_depth].include? scope_name scope.send scope_name, depth + relative_depth else raise Ancestry::AncestryException.new("Unknown depth option: #{scope_name}.") end end enddef to_node object if object.is_a?(self.ancestry_base_class) then object else unscoped_where{|scope| scope.find object} end enddef _squash_changes(changes) # We combine here for backward compatibility # Newer clients should receive dir and path separately changes = changes.map { |change, dir, path| [change, dir + path] } actions = changes.group_by(&:last).map do |path, action_list| [_logical_action_for(path, action_list.map(&:first)), path.to_s] end config.debug("listen: raw changes: #{actions.inspect}") { modified: [], added: [], removed: [] }.tap do |squashed| actions.each do |type, path| squashed[type] << path unless type.nil? end config.debug("listen: final changes: #{squashed.inspect}") end enddef save_version? if_condition = @record.paper_trail_options[:if] unless_condition = @record.paper_trail_options[:unless] (if_condition.blank? || if_condition.call(@record)) && !unless_condition.try(:call, @record) enddef check_presence_of_item_subtype_column(options) return unless options.key?(:limit) return if version_class.item_subtype_column_present? raise format(E_MODEL_LIMIT_REQUIRES_ITEM_SUBTYPE, @model_class.name) enddef on_touch @model_class.after_touch { |r| r.paper_trail.record_update( force: true, in_after_callback: true, is_touch: true ) } enddef on_update @model_class.before_save { |r| r.paper_trail.reset_timestamp_attrs_for_update_if_needed } @model_class.after_update { |r| if r.paper_trail.save_version? r.paper_trail.record_update( force: false, in_after_callback: true, is_touch: false ) end } @model_class.after_update { |r| r.paper_trail.clear_version_instance } return if @model_class.paper_trail_options[:on].include?(:update) @model_class.paper_trail_options[:on] << :update enddef on_destroy(recording_order = "before") unless %w[after before].include?(recording_order.to_s) raise ArgumentError, 'recording order can only be "after" or "before"' end if recording_order.to_s == "after" && cannot_record_after_destroy? raise E_CANNOT_RECORD_AFTER_DESTROY end @model_class.send( "#{recording_order}_destroy", lambda do |r| return unless r.paper_trail.save_version? r.paper_trail.record_destroy(recording_order) end ) return if @model_class.paper_trail_options[:on].include?(:destroy) @model_class.paper_trail_options[:on] << :destroy enddef on_create @model_class.after_create { |r| r.paper_trail.record_create if r.paper_trail.save_version? } return if @model_class.paper_trail_options[:on].include?(:create) @model_class.paper_trail_options[:on] << :create enddef version_limit if self.class.item_subtype_column_present? klass = (item_subtype || item_type).constantize if klass&.paper_trail_options&.key?(:limit) return klass.paper_trail_options[:limit] end end PaperTrail.config.version_limit enddef reify(options = {}) unless self.class.column_names.include? "object" raise "reify can't be called without an object column" end return nil if object.nil? ::PaperTrail::Reifier.reify(self, options) enddef batches(batch_size:, cursor:) @csv.lazy .each_slice(batch_size) .each_with_index .drop(cursor.to_i) .to_enum { (count_rows_in_file.to_f / batch_size).ceil } enddef build_active_record_enumerator_on_batches(scope, cursor:, **args) enum = build_active_record_enumerator( scope, cursor: cursor, **args ).batches wrap(self, enum) enddef build_active_record_enumerator_on_records(scope, cursor:, **args) enum = build_active_record_enumerator( scope, cursor: cursor, **args ).records wrap(self, enum) enddef build_lock_queue_enumerator(lock_queue, at_most_once:) unless lock_queue.is_a?(BackgroundQueue::LockQueue::RedisQueue) || lock_queue.is_a?(BackgroundQueue::LockQueue::RolloutRedisQueue) raise ArgumentError, "an argument to #build_lock_queue_enumerator must be a LockQueue" end wrap(self, BackgroundQueue::LockQueueEnumerator.new(lock_queue, at_most_once: at_most_once).to_enum) enddef build_array_enumerator(enumerable, cursor:) unless enumerable.is_a?(Array) raise ArgumentError, "enumerable must be an Array" end if enumerable.any? { |i| defined?(ActiveRecord) && i.is_a?(ActiveRecord::Base) } raise ArgumentError, "array cannot contain ActiveRecord objects" end drop = if cursor.nil? 0 else cursor + 1 end wrap(self, enumerable.each_with_index.drop(drop).to_enum { enumerable.size }) enddef build_times_enumerator(number, cursor:) raise ArgumentError, "First argument must be an Integer" unless number.is_a?(Integer) wrap(self, build_array_enumerator(number.times.to_a, cursor: cursor)) enddef substitution_value(index) sha = Digest::SHA1.digest(index.to_s) Base64.urlsafe_encode64(sha).gsub(/[^A-Za-z]/, '')[0..5] enddef to_substituted_uri url = pattern substitutions.each_pair { |slug, value| url = url.sub(slug, value) } begin Addressable::URI.parse(url) rescue Addressable::URI::InvalidURIError SitePrism.logger.warn("Ensure you don't use templated port numbers.") raise SitePrism::InvalidUrlMatcherError end enddef component_matches(component, uri) component_template = component_templates[component] return {} unless component_template component_url = uri.public_send(component).to_s mappings = component_template.extract(component_url) return mappings if mappings # to support Addressable's expansion of queries # ensure it's parsing the fragment as appropriate (e.g. {?params*}) prefix = component_prefixes[component] return nil unless prefix component_template.extract(prefix + component_url) enddef matches?(url, expected_mappings = {}) actual_mappings = mappings(url) return false unless actual_mappings expected_mappings.empty? || all_expected_mappings_match?(expected_mappings, actual_mappings) enddef elements_to_check if _expected_items SitePrism.logger.debug('Expected Items has been set.') _mapped_items.select { |item_name| _expected_items.include?(item_name) } else _mapped_items end enddef recombine_args(find_args, runtime_args, options) options.merge!(find_args.pop) if find_args.last.is_a? Hash options.merge!(runtime_args.pop) if runtime_args.last.is_a? Hash options[:wait] = wait_time unless wait_key_present?(options) enddef merge_args(find_args, runtime_args, visibility_args = {}) find_args = find_args.dup runtime_args = runtime_args.dup options = visibility_args.dup SitePrism.logger.debug("Initial args: #{find_args}, #{runtime_args}.") recombine_args(find_args, runtime_args, options) return [*find_args, *runtime_args] if options.empty? [*find_args, *runtime_args, options] enddef raise_if_block(obj, name, has_block, type) return unless has_block SitePrism.logger.debug("Type passed in: #{type}") SitePrism.logger.warn('section / iFrame can only accept blocks.') SitePrism.logger.error("#{obj.class}##{name} does not accept blocks") raise SitePrism::UnsupportedBlockError enddef load_validations_pass? self.class.load_validations.all? do |validation| passed, message = instance_eval(&validation) self.load_error = message if message && !passed passed end enddef when_loaded # Get original loaded value, in case we are nested # inside another when_loaded block. previously_loaded = loaded # Within the block, check (and cache) loaded?, to see whether the # page has indeed loaded according to the rules defined by the user. self.loaded = loaded? # If the page hasn't loaded. Then crash and return the error message. # If one isn't defined, just return the Error code. raise SitePrism::FailedLoadValidationError, load_error unless loaded # Return the yield value of the block if one was supplied. yield self if block_given? ensure self.loaded = previously_loaded enddef build_signature_buffer(result) response = Net::SSH::Buffer.new response.write_string data[:client_version_string], data[:server_version_string], data[:client_algorithm_packet], data[:server_algorithm_packet], result[:key_blob] response.write_long MINIMUM_BITS, data[:need_bits], MAXIMUM_BITS response.write_bignum dh.p, dh.g, dh.pub_key, result[:server_dh_pubkey], result[:shared_secret] response enddef get_parameters compute_need_bits # request the DH key parameters for the given number of bits. buffer = Net::SSH::Buffer.from(:byte, KEXDH_GEX_REQUEST, :long, data[:minimum_dh_bits], :long, data[:need_bits], :long, MAXIMUM_BITS) connection.send_message(buffer) buffer = connection.next_message raise Net::SSH::Exception, "expected KEXDH_GEX_GROUP, got #{buffer.type}" unless buffer.type == KEXDH_GEX_GROUP p = buffer.read_bignum g = buffer.read_bignum [p, g] enddef compute_need_bits # for Compatibility: OpenSSH requires (need_bits * 2 + 1) length of parameter need_bits = data[:need_bytes] * 8 * 2 + 1 data[:minimum_dh_bits] ||= MINIMUM_BITS if need_bits < data[:minimum_dh_bits] need_bits = data[:minimum_dh_bits] elsif need_bits > MAXIMUM_BITS need_bits = MAXIMUM_BITS end data[:need_bits] = need_bits data[:need_bytes] = need_bits / 8 enddef to_ssh if zero? return [0].pack("N") else buf = to_s(2) if buf.getbyte(0)[7] == 1 return [buf.length + 1, 0, buf].pack("NCA*") else return [buf.length, buf].pack("NA*") end end enddef contains_revision?(rev) cmd = git("cat-file -t #{rev}") cmd.stdout.strip == "commit" rescue CommandFailed log.debug(log_key) { "unable to determine presence of commit #{rev}" } false enddef current_revision cmd = git("rev-parse HEAD") cmd.stdout.strip rescue CommandFailed log.debug(log_key) { "unable to determine current revision" } nil enddef force_recreate_project_dir! log.warn(log_key) { "Removing existing directory #{project_dir} before cloning" } FileUtils.rm_rf(project_dir) Dir.mkdir(project_dir) enddef dir_empty?(dir) Dir.entries(dir).reject { |d| [".", ".."].include?(d) }.empty? enddef package_size @package_size ||= begin path = "#{project.install_dir}/**/*" total = FileSyncer.glob(path).inject(0) do |size, path| unless File.directory?(path) || File.symlink?(path) size += File.size(path) end size end # Per http://www.debian.org/doc/debian-policy/ch-controlfields.html, the # disk space is given as the integer value of the estimated installed # size in bytes, divided by 1024 and rounded up. total / 1024 end enddef write_conffiles_file return if project.config_files.empty? render_template(resource_path("conffiles.erb"), destination: File.join(debian_dir, "conffiles"), variables: { config_files: project.config_files, } ) enddef write_text_manifest File.open(text_manifest_path, "w") do |f| f.puts "#{name} #{build_version}" f.puts "" f.puts Omnibus::Reports.pretty_version_map(self) end enddef built_manifest log.info(log_key) { "Building version manifest" } m = Omnibus::Manifest.new(build_version, build_git_revision, license) softwares.each do |software| m.add(software.name, software.manifest_entry) end m enddef dependency?(software) name = software.is_a?(Software) ? software.name : software dependencies.include?(name) enddef license_file_path(path = NULL) if null?(path) @license_file_path || File.join(install_dir, "LICENSE") else @license_file_path = File.join(install_dir, path) end enddef override(name, val = NULL) if null?(val) overrides[name.to_sym] else overrides[name.to_sym] = val end enddef compress(id, &block) if block compressors[id] << block else compressors[id] << Proc.new {} end enddef package(id, &block) unless block raise InvalidValue.new(:package, "have a block") end packagers[id] << block enddef build_version(val = NULL, &block) if block && !null?(val) raise Error, "You cannot specify additional parameters to " \ "#build_version when a block is given!" end if block @build_version_dsl = BuildVersionDSL.new(&block) else if null?(val) @build_version_dsl.build_version else @build_version_dsl = BuildVersionDSL.new(val) end end enddef publish(klass, pattern, options) if options[:platform_mappings] options[:platform_mappings] = FFI_Yajl::Parser.parse(File.read(File.expand_path(options[:platform_mappings]))) end klass.publish(pattern, options) do |package| say("Published '#{package.name}' for #{package.metadata[:platform]}-#{package.metadata[:platform_version]}", :green) end enddef with_rpm_signing(&block) directory = Dir.mktmpdir destination = "#{directory}/sign-rpm" render_template(resource_path("signing.erb"), destination: destination, mode: 0700, variables: { passphrase: signing_passphrase, } ) # Yield the destination to the block yield(destination) ensure remove_file(destination) remove_directory(directory) enddef build_filepath(path) filepath = rpm_safe("/" + path.gsub("#{build_dir}/", "")) return if config_files.include?(filepath) full_path = build_dir + filepath.gsub("[%]", "%") # FileSyncer.glob quotes pathnames that contain spaces, which is a problem on el7 full_path.delete!('"') # Mark directories with the %dir directive to prevent rpmbuild from counting their contents twice. return mark_filesystem_directories(filepath) if !File.symlink?(full_path) && File.directory?(full_path) filepath enddef license(val = NULL) if null?(val) @license || project.license else unless val.is_a?(String) raise InvalidValue.new(:license, "be a String") end @license = val end enddef vendor(val = NULL) if null?(val) @vendor || "Omnibus " else unless val.is_a?(String) raise InvalidValue.new(:vendor, "be a String") end @vendor = val end enddef save File.open(path, "w+") do |f| f.write(FFI_Yajl::Encoder.encode(to_hash, pretty: true)) end true enddef build_start_time @build_start_time ||= begin if ENV["BUILD_TIMESTAMP"] begin Time.strptime(ENV["BUILD_TIMESTAMP"], "%Y-%m-%d_%H-%M-%S") rescue ArgumentError error_message = "BUILD_TIMESTAMP environment variable " error_message << "should be in YYYY-MM-DD_hh-mm-ss " error_message << "format." raise ArgumentError, error_message end elsif ENV["BUILD_ID"] begin Time.strptime(ENV["BUILD_ID"], "%Y-%m-%d_%H-%M-%S") rescue ArgumentError error_message = "BUILD_ID environment variable " error_message << "should be in YYYY-MM-DD_hh-mm-ss " error_message << "format." raise ArgumentError, error_message end else Time.now.utc end end.strftime(TIMESTAMP_FORMAT) enddef semver build_tag = version_tag # PRERELEASE VERSION if prerelease_version? # ensure all dashes are dots per precedence rules (#12) in Semver # 2.0.0-rc.1 prerelease = prerelease_tag.tr("-", ".") build_tag << "-" << prerelease end # BUILD VERSION # Follows SemVer conventions and the build version begins with a '+'. build_version_items = [] # By default we will append a timestamp to every build. This behavior can # be overriden by setting the OMNIBUS_APPEND_TIMESTAMP environment # variable to a 'falsey' value (ie false, f, no, n or 0). # # format: YYYYMMDDHHMMSS example: 20130131123345 if Config.append_timestamp build_version_items << build_start_time end # We'll append the git describe information unless we are sitting right # on an annotated tag. # # format: git.COMMITS_SINCE_TAG.GIT_SHA example: git.207.694b062 unless commits_since_tag == 0 build_version_items << ["git", commits_since_tag, git_sha_tag].join(".") end unless build_version_items.empty? build_tag << "+" << build_version_items.join(".") end build_tag enddef key_for(package, *stuff) File.join( Config.s3_publish_pattern % package.metadata, *stuff ) enddef validate! unless File.exist?(path) raise NoPackageFile.new(path) end unless File.exist?(metadata.path) raise NoPackageMetadataFile.new(metadata.path) end true enddef content @content ||= IO.read(path) rescue Errno::ENOENT raise NoPackageFile.new(path) enddef write_prototype_file shellout! "cd #{install_dirname} && find #{install_basename} -print > #{staging_dir_path('files')}" File.open staging_dir_path("files.clean"), "w+" do |fout| File.open staging_dir_path("files") do |fin| fin.each_line do |line| if line.chomp =~ /\s/ log.warn(log_key) { "Skipping packaging '#{line}' file due to whitespace in filename" } else fout.write(line) end end end end # generate list of control files File.open staging_dir_path("Prototype"), "w+" do |f| f.write <<-EOF.gsub(/^ {10}/, "") i pkginfo i postinstall i postremove EOF end # generate the prototype's file list shellout! "cd #{install_dirname} && pkgproto < #{staging_dir_path('files.clean')} > #{staging_dir_path('Prototype.files')}" # fix up the user and group in the file list to root shellout! "awk '{ $5 = \"root\"; $6 = \"root\"; print }' < #{staging_dir_path('Prototype.files')} >> #{staging_dir_path('Prototype')}" enddef collect_licenses_for(software) return nil if software.license == :project_license software_name = software.name license_data = license_map[software_name] license_files = license_data[:license_files] license_files.each do |license_file| if license_file output_file = license_package_location(software_name, license_file) if local?(license_file) input_file = File.expand_path(license_file, license_data[:project_dir]) if File.exist?(input_file) FileUtils.cp(input_file, output_file) File.chmod 0644, output_file unless windows? else licensing_warning("License file '#{input_file}' does not exist for software '#{software_name}'.") # If we got here, we need to fail now so we don't take a git # cache snapshot, or else the software build could be restored # from cache without fixing the license issue. raise_if_warnings_fatal! end else begin download_file!(license_file, output_file, enable_progress_bar: false) File.chmod 0644, output_file unless windows? rescue SocketError, Errno::ECONNREFUSED, Errno::ECONNRESET, Errno::ENETUNREACH, Timeout::Error, OpenURI::HTTPError, OpenSSL::SSL::SSLError licensing_warning("Can not download license file '#{license_file}' for software '#{software_name}'.") # If we got here, we need to fail now so we don't take a git # cache snapshot, or else the software build could be restored # from cache without fixing the license issue. raise_if_warnings_fatal! end end end end enddef process_transitive_dependency_licensing_info Dir.glob("#{cache_dir}/*/*-dependency-licenses.json").each do |license_manifest_path| license_manifest_data = FFI_Yajl::Parser.parse(File.read(license_manifest_path)) project_name = license_manifest_data["project_name"] dependency_license_dir = File.dirname(license_manifest_path) license_manifest_data["dependency_managers"].each do |dep_mgr_name, dependencies| dep_license_map[dep_mgr_name] ||= {} dependencies.each do |dependency| # Copy dependency files dependency["license_files"].each do |f| license_path = File.join(dependency_license_dir, f) output_path = File.join(output_dir, f) FileUtils.cp(license_path, output_path) end dep_name = dependency["name"] dep_version = dependency["version"] # If we already have this dependency we do not need to add it again. if dep_license_map[dep_mgr_name][dep_name] && dep_license_map[dep_mgr_name][dep_name][dep_version] dep_license_map[dep_mgr_name][dep_name][dep_version]["dependency_of"] << project_name else dep_license_map[dep_mgr_name][dep_name] ||= {} dep_license_map[dep_mgr_name][dep_name][dep_version] = { "license" => dependency["license"], "license_files" => dependency["license_files"], "dependency_of" => [ project_name ], } end end end end FileUtils.rm_rf(cache_dir) enddef license_map @license_map ||= begin map = {} project.library.each do |component| # Some of the components do not bundle any software but contain # some logic that we use during the build. These components are # covered under the project's license and they do not need specific # license files. next if component.license == :project_license map[component.name] = { license: component.license, license_files: component.license_files, version: component.version, project_dir: component.project_dir, } end map end enddef project_license_content project.license_file.nil? ? "" : IO.read(File.join(Config.project_root, project.license_file)) enddef validate_license_info # First check the project licensing information # Check existence of licensing information if project.license == "Unspecified" licensing_warning("Project '#{project.name}' does not contain licensing information.") end # Check license file exists if project.license != "Unspecified" && project.license_file.nil? licensing_warning("Project '#{project.name}' does not point to a license file.") end # Check used license is a standard license if project.license != "Unspecified" && !STANDARD_LICENSES.include?(project.license) licensing_info("Project '#{project.name}' is using '#{project.license}' which is not one of the standard licenses identified in https://opensource.org/licenses/alphabetical. Consider using one of the standard licenses.") end # Now let's check the licensing info for software components license_map.each do |software_name, license_info| # First check if the software specified a license if license_info[:license] == "Unspecified" licensing_warning("Software '#{software_name}' does not contain licensing information.") end # Check if the software specifies any license files if license_info[:license] != "Unspecified" && license_info[:license_files].empty? licensing_warning("Software '#{software_name}' does not point to any license files.") end # Check if the software license is one of the standard licenses if license_info[:license] != "Unspecified" && !STANDARD_LICENSES.include?(license_info[:license]) licensing_info("Software '#{software_name}' uses license '#{license_info[:license]}' which is not one of the standard licenses identified in https://opensource.org/licenses/alphabetical. Consider using one of the standard licenses.") end end enddef create_link(a, b) log.debug(log_key) { "Linking `#{a}' to `#{b}'" } FileUtils.ln_s(a, b) enddef create_file(*paths, &block) path = File.join(*paths) log.debug(log_key) { "Creating file `#{path}'" } FileUtils.mkdir_p(File.dirname(path)) if block File.open(path, "wb") { |f| f.write(yield) } else FileUtils.touch(path) end path enddef remove_file(*paths) path = File.join(*paths) log.debug(log_key) { "Removing file `#{path}'" } FileUtils.rm_f(path) path enddef copy_file(source, destination) log.debug(log_key) { "Copying `#{source}' to `#{destination}'" } FileUtils.cp(source, destination) destination enddef remove_directory(*paths) path = File.join(*paths) log.debug(log_key) { "Remove directory `#{path}'" } FileUtils.rm_rf(path) path enddef create_directory(*paths) path = File.join(*paths) log.debug(log_key) { "Creating directory `#{path}'" } FileUtils.mkdir_p(path) path enddef compiler_safe_path(*pieces) path = File.join(*pieces) path = path.sub(/^([A-Za-z]):\//, "/\\1/") if ENV["MSYSTEM"] path enddef windows_safe_path(*pieces) path = File.join(*pieces) if File::ALT_SEPARATOR path.gsub(File::SEPARATOR, File::ALT_SEPARATOR) else path end enddef retry_block(logstr, retried_exceptions = [], retries = Omnibus::Config.fetcher_retries, &block) yield rescue Exception => e raise e unless retried_exceptions.any? { |eclass| e.is_a?(eclass) } if retries != 0 log.info(log_key) { "Retrying failed #{logstr} due to #{e} (#{retries} retries left)..." } retries -= 1 retry else log.error(log_key) { "#{logstr} failed - #{e.class}!" } raise end enddef shellout!(*args) cmd = shellout(*args) cmd.error! cmd rescue Mixlib::ShellOut::ShellCommandFailed raise CommandFailed.new(cmd) rescue Mixlib::ShellOut::CommandTimeout raise CommandTimeout.new(cmd) enddef shellout(*args) options = args.last.kind_of?(Hash) ? args.pop : {} options = SHELLOUT_OPTIONS.merge(options) command_string = args.join(" ") in_msys = options.delete(:in_msys_bash) && ENV["MSYSTEM"] # Mixlib will handle escaping characters for cmd but our command might # contain '. For now, assume that won't happen because I don't know # whether this command is going to be played via cmd or through # ProcessCreate. command_string = "bash -c \'#{command_string}\'" if in_msys # Grab the log_level log_level = options.delete(:log_level) # Set the live stream if one was not given options[:live_stream] ||= log.live_stream(:internal) # Since Mixlib::ShellOut supports :environment and :env, we want to # standardize here if options[:env] options[:environment] = options.fetch(:environment, {}).merge(options[:env]) end # Log any environment options given unless options[:environment].empty? log.public_send(log_level, log_key) { "Environment:" } options[:environment].sort.each do |key, value| log.public_send(log_level, log_key) { " #{key}=#{value.inspect}" } end end # Log the actual command log.public_send(log_level, log_key) { "$ #{command_string}" } cmd = Mixlib::ShellOut.new(command_string, options) cmd.environment["HOME"] = "/tmp" unless ENV["HOME"] cmd.run_command cmd enddef write_manifest_file render_template(resource_path("AppxManifest.xml.erb"), destination: "#{windows_safe_path(project.install_dir)}/AppxManifest.xml", variables: { name: project.package_name, friendly_name: project.friendly_name, version: windows_package_version, maintainer: project.maintainer, certificate_subject: certificate_subject.gsub('"', """), } ) enddef remove_git_dirs log.internal(log_key) { "Removing git directories" } Dir.glob("#{install_dir}/**/{,.*}/config").reject do |path| REQUIRED_GIT_FILES.any? do |required_file| !File.exist?(File.join(File.dirname(path), required_file)) end end.each do |path| log.internal(log_key) { "Removing git dir `#{path}'" } FileUtils.rm_rf(File.dirname(path)) end true enddef incremental log.internal(log_key) { "Performing incremental cache" } create_cache_path remove_git_dirs git_cmd("add -A -f") begin git_cmd(%Q{commit -q -m "Backup of #{tag}"}) rescue CommandFailed => e raise unless e.message.include?("nothing to commit") end git_cmd(%Q{tag -f "#{tag}"}) enddef tag return @tag if @tag log.internal(log_key) { "Calculating tag" } # Accumulate an array of all the software projects that come before # the name and version we are tagging. So if you have # # build_order = [ 1, 2, 3, 4, 5 ] # # And we are tagging 3, you would get dep_list = [ 1, 2 ] dep_list = software.project.library.build_order.take_while do |dep| if dep.name == software.name && dep.version == software.version false else true end end log.internal(log_key) { "dep_list: #{dep_list.map(&:name).inspect}" } # This is the list of all the unqiue shasums of all the software build # dependencies, including the on currently being acted upon. shasums = [dep_list.map(&:shasum), software.shasum].flatten suffix = Digest::SHA256.hexdigest(shasums.join("|")) @tag = "#{software.name}-#{suffix}-#{SERIAL_NUMBER}" log.internal(log_key) { "tag: #{@tag}" } @tag enddef create_cache_path if File.directory?(cache_path) false else create_directory(File.dirname(cache_path)) git_cmd("init -q") # On windows, git is very picky about single vs double quotes git_cmd("config --local user.name \"Omnibus Git Cache\"") git_cmd("config --local user.email \"omnibus@localhost\"") true end enddef write_makeselfinst makeselfinst_staging_path = File.join(staging_dir, "makeselfinst") render_template(resource_path("makeselfinst.erb"), destination: makeselfinst_staging_path, variables: { install_dir: project.install_dir, } ) FileUtils.chmod(0755, makeselfinst_staging_path) enddef canonicalize_source(source) if source.is_a?(Hash) && source[:github] source = source.dup source[:git] = "https://github.com/#{source[:github]}.git" source.delete(:github) end source enddef shasum @shasum ||= begin digest = Digest::SHA256.new update_with_string(digest, project.shasum) update_with_string(digest, builder.shasum) update_with_string(digest, name) update_with_string(digest, version_for_cache) update_with_string(digest, FFI_Yajl::Encoder.encode(overrides)) if filepath && File.exist?(filepath) update_with_file_contents(digest, filepath) else update_with_string(digest, "") end digest.hexdigest end enddef fetcher @fetcher ||= if source_type == :url && File.basename(source[:url], "?*").end_with?(*NetFetcher::ALL_EXTENSIONS) Fetcher.fetcher_class_for_source(source).new(manifest_entry, fetch_dir, build_dir) else Fetcher.fetcher_class_for_source(source).new(manifest_entry, project_dir, build_dir) end enddef version_for_cache @version_for_cache ||= if fetcher.version_for_cache fetcher.version_for_cache elsif version version else log.warn(log_key) do "No version given! This is probably a bad thing. I am going to " \ "assume the version `0.0.0', but that is most certainly not your " \ "desired behavior. If git caching seems off, this is probably why." end "0.0.0" end enddef overrides if null?(@overrides) # lazily initialized because we need the 'name' to be parsed first @overrides = {} @overrides = project.overrides[name.to_sym].dup if project.overrides[name.to_sym] end @overrides enddef prepend_path(*paths) path_values = Array(paths) path_values << ENV[path_key] separator = File::PATH_SEPARATOR || ":" path_values.join(separator) enddef project_file if fetcher && fetcher.is_a?(NetFetcher) log.deprecated(log_key) do "project_file (DSL). This is a property of the NetFetcher and will " \ "not be publically exposed in the next major release. In general, " \ "you should not be using this method in your software definitions " \ "as it is an internal implementation detail of the NetFetcher. If " \ "you disagree with this statement, you should open an issue on the " \ "Omnibus repository on GitHub an explain your use case. For now, " \ "I will return the path to the downloaded file on disk, but please " \ "rethink the problem you are trying to solve :)." end fetcher.downloaded_file else log.warn(log_key) do "Cannot retrieve a `project_file' for software `#{name}'. This " \ "attribute is actually an internal representation that is unique " \ "to the NetFetcher class and requires the use of a `source' " \ "attribute that is declared using a `:url' key. For backwards-" \ "compatability, I will return `nil', but this is most likely not " \ "your desired behavior." end nil end enddef whitelist_file(file) file = Regexp.new(file) unless file.kind_of?(Regexp) whitelist_files << file whitelist_files.dup enddef version(val = NULL, &block) final_version = apply_overrides(:version) if block_given? if val.equal?(NULL) raise InvalidValue.new(:version, "pass a block when given a version argument") else if val == final_version # # Unfortunately we need to make a specific logic here for license files. # We support multiple calls `license_file` and we support overriding the # license files inside a version block. We can not differentiate whether # `license_file` is being called from a version block or not. So we need # to check if the license files are being overridden during the call to # block. # # If so we use the new set, otherwise we restore the old license files. # current_license_files = @license_files @license_files = [] yield new_license_files = @license_files if new_license_files.empty? @license_files = current_license_files end end end end return if final_version.nil? begin Chef::Sugar::Constraints::Version.new(final_version) rescue ArgumentError log.warn(log_key) do "Version #{final_version} for software #{name} was not parseable. " \ "Comparison methods such as #satisfies? will not be available for this version." end final_version end enddef source(val = NULL) unless null?(val) unless val.is_a?(Hash) raise InvalidValue.new(:source, "be a kind of `Hash', but was `#{val.class.inspect}'") end val = canonicalize_source(val) extra_keys = val.keys - [ :git, :file, :path, :url, # fetcher types :md5, :sha1, :sha256, :sha512, # hash type - common to all fetchers :cookie, :warning, :unsafe, :extract, :cached_name, :authorization, # used by net_fetcher :options, # used by path_fetcher :submodules # used by git_fetcher ] unless extra_keys.empty? raise InvalidValue.new(:source, "only include valid keys. Invalid keys: #{extra_keys.inspect}") end duplicate_keys = val.keys & [:git, :file, :path, :url] unless duplicate_keys.size < 2 raise InvalidValue.new(:source, "not include duplicate keys. Duplicate keys: #{duplicate_keys.inspect}") end @source ||= {} @source.merge!(val) end override = canonicalize_source(overrides[:source]) apply_overrides(:source, override) enddef manifest_entry @manifest_entry ||= if manifest log.info(log_key) { "Using user-supplied manifest entry for #{name}" } manifest.entry_for(name) else log.info(log_key) { "Resolving manifest entry for #{name}" } to_manifest_entry end enddef certificate_subject return "CN=#{project.package_name}" unless signing_identity store = machine_store? ? "LocalMachine" : "CurrentUser" cmd = Array.new.tap do |arr| arr << "powershell.exe" arr << "-ExecutionPolicy Bypass" arr << "-NoProfile" arr << "-Command (Get-Item Cert:/#{store}/#{cert_store_name}/#{thumbprint}).Subject" end.join(" ") shellout!(cmd).stdout.strip enddef sign_package(package_file) success = false timestamp_servers.each do |ts| success = try_sign(package_file, ts) break if success end raise FailedToSignWindowsPackage.new if !success enddef signing_identity(thumbprint = NULL, params = NULL) unless null?(thumbprint) @signing_identity = {} unless thumbprint.is_a?(String) raise InvalidValue.new(:signing_identity, "be a String") end @signing_identity[:thumbprint] = thumbprint if !null?(params) unless params.is_a?(Hash) raise InvalidValue.new(:params, "be a Hash") end valid_keys = [:store, :timestamp_servers, :machine_store, :algorithm] invalid_keys = params.keys - valid_keys unless invalid_keys.empty? raise InvalidValue.new(:params, "contain keys from [#{valid_keys.join(', ')}]. "\ "Found invalid keys [#{invalid_keys.join(', ')}]") end if !params[:machine_store].nil? && !( params[:machine_store].is_a?(TrueClass) || params[:machine_store].is_a?(FalseClass)) raise InvalidValue.new(:params, "contain key :machine_store of type TrueClass or FalseClass") end else params = {} end @signing_identity[:store] = params[:store] || "My" @signing_identity[:algorithm] = params[:algorithm] || "SHA256" servers = params[:timestamp_servers] || DEFAULT_TIMESTAMP_SERVERS @signing_identity[:timestamp_servers] = [servers].flatten @signing_identity[:machine_store] = params[:machine_store] || false end @signing_identity enddef verify_checksum! log.info(log_key) { "Verifying checksum" } expected = checksum actual = digest(downloaded_file, digest_type) if expected != actual raise ChecksumMismatch.new(self, expected, actual) end enddef digest_type DIGESTS.each do |digest| return digest if source.key? digest end raise ChecksumMissing.new(self) enddef extract # Only used by tar compression_switch = "" compression_switch = "z" if downloaded_file.end_with?("gz") compression_switch = "--lzma -" if downloaded_file.end_with?("lzma") compression_switch = "j" if downloaded_file.end_with?("bz2") compression_switch = "J" if downloaded_file.end_with?("xz") if Ohai["platform"] == "windows" if downloaded_file.end_with?(*TAR_EXTENSIONS) && source[:extract] != :seven_zip returns = [0] returns << 1 if source[:extract] == :lax_tar shellout!("tar #{compression_switch}xf #{safe_downloaded_file} -C#{safe_project_dir}", returns: returns) elsif downloaded_file.end_with?(*COMPRESSED_TAR_EXTENSIONS) Dir.mktmpdir do |temp_dir| log.debug(log_key) { "Temporarily extracting `#{safe_downloaded_file}' to `#{temp_dir}'" } shellout!("7z.exe x #{safe_downloaded_file} -o#{windows_safe_path(temp_dir)} -r -y") fname = File.basename(downloaded_file, File.extname(downloaded_file)) fname << ".tar" if downloaded_file.end_with?("tgz", "txz") next_file = windows_safe_path(File.join(temp_dir, fname)) log.debug(log_key) { "Temporarily extracting `#{next_file}' to `#{safe_project_dir}'" } shellout!("7z.exe x #{next_file} -o#{safe_project_dir} -r -y") end else shellout!("7z.exe x #{safe_downloaded_file} -o#{safe_project_dir} -r -y") end elsif downloaded_file.end_with?(".7z") shellout!("7z x #{safe_downloaded_file} -o#{safe_project_dir} -r -y") elsif downloaded_file.end_with?(".zip") shellout!("unzip #{safe_downloaded_file} -d #{safe_project_dir}") else shellout!("#{tar} #{compression_switch}xf #{safe_downloaded_file} -C#{safe_project_dir}") end enddef deploy if downloaded_file.end_with?(*ALL_EXTENSIONS) log.info(log_key) { "Extracting `#{safe_downloaded_file}' to `#{safe_project_dir}'" } extract else log.info(log_key) { "`#{safe_downloaded_file}' is not an archive - copying to `#{safe_project_dir}'" } if File.directory?(downloaded_file) # If the file itself was a directory, copy the whole thing over. This # seems unlikely, because I do not think it is a possible to download # a folder, but better safe than sorry. FileUtils.cp_r("#{downloaded_file}/.", project_dir) else # In the more likely case that we got a "regular" file, we want that # file to live **inside** the project directory. project_dir should already # exist due to create_required_directories FileUtils.cp(downloaded_file, project_dir) end end enddef clean needs_cleaning = File.exist?(project_dir) if needs_cleaning log.info(log_key) { "Cleaning project directory `#{project_dir}'" } FileUtils.rm_rf(project_dir) end create_required_directories deploy needs_cleaning enddef tarball tarfile = StringIO.new("") Gem::Package::TarWriter.new(tarfile) do |tar| path = "#{staging_dir}/#{packager.package_name}" name = packager.package_name mode = File.stat(path).mode tar.add_file(name, mode) do |tf| File.open(path, "rb") do |file| tf.write(file.read) end end end tarfile.rewind tarfile enddef write_tgz # Grab the contents of the gzipped tarball for reading contents = gzipped_tarball # Write the .tar.gz into the staging directory File.open("#{staging_dir}/#{package_name}", "wb") do |tgz| while chunk = contents.read(1024) tgz.write(chunk) end end # Copy the .tar.gz into the package directory FileSyncer.glob("#{staging_dir}/*.tar.gz").each do |tgz| copy_file(tgz, Config.package_dir) end enddef update_config_guess(target: ".", install: [:config_guess, :config_sub]) build_commands << BuildCommand.new("update_config_guess `target: #{target} install: #{install.inspect}'") do config_guess_dir = "#{install_dir}/embedded/lib/config_guess" %w{config.guess config.sub}.each do |c| unless File.exist?(File.join(config_guess_dir, c)) raise "Can not find #{c}. Make sure you add a dependency on 'config_guess' in your software definition" end end destination = File.join(software.project_dir, target) FileUtils.mkdir_p(destination) FileUtils.cp_r("#{config_guess_dir}/config.guess", destination) if install.include? :config_guess FileUtils.cp_r("#{config_guess_dir}/config.sub", destination) if install.include? :config_sub end enddef copy(source, destination, options = {}) command = "copy `#{source}' to `#{destination}'" build_commands << BuildCommand.new(command) do Dir.chdir(software.project_dir) do files = FileSyncer.glob(source) if files.empty? log.warn(log_key) { "no matched files for glob #{command}" } else files.each do |file| FileUtils.cp_r(file, destination, options) end end end end enddef delete(path, options = {}) build_commands << BuildCommand.new("delete `#{path}'") do Dir.chdir(software.project_dir) do FileSyncer.glob(path).each do |file| FileUtils.rm_rf(file, options) end end end enddef touch(file, options = {}) build_commands << BuildCommand.new("touch `#{file}'") do Dir.chdir(software.project_dir) do parent = File.dirname(file) FileUtils.mkdir_p(parent) unless File.directory?(parent) FileUtils.touch(file, options) end end enddef rake(command, options = {}) build_commands << BuildCommand.new("rake `#{command}'") do bin = embedded_bin("rake") shellout!("#{bin} #{command}", options) end enddef appbundle(software_name, lockdir: nil, gem: nil, without: nil, extra_bin_files: nil , **options) build_commands << BuildCommand.new("appbundle `#{software_name}'") do bin_dir = "#{install_dir}/bin" appbundler_bin = embedded_bin("appbundler") lockdir ||= begin app_software = project.softwares.find do |p| p.name == software_name end if app_software.nil? raise "could not find software definition for #{software_name}, add a dependency to it, or pass a lockdir argument to appbundle command." end app_software.project_dir end command = [ appbundler_bin, "'#{lockdir}'", "'#{bin_dir}'" ] # This option is almost entirely for support of ChefDK and enables transitive gemfile lock construction in order # to be able to decouple the dev gems for all the different components of ChefDK. AKA: don't use it outside of # ChefDK. You should also explicitly specify the lockdir when going down this road. command << [ "'#{gem}'" ] if gem # FIXME: appbundler lacks support for this argument when not also specifying the gem (2-arg appbundling lacks support) # (if you really need this bug fixed, though, fix it in appbundler, don't try using the 3-arg version to try to # get `--without` support, you will likely wind up going down a sad path). command << [ "--without", without.join(",") ] unless without.nil? command << [ "--extra-bin-files", extra_bin_files.join(",") ] unless extra_bin_files.nil? || extra_bin_files.empty? # Ensure the main bin dir exists FileUtils.mkdir_p(bin_dir) shellout!(command.join(" "), options) end enddef make(*args) options = args.last.is_a?(Hash) ? args.pop : {} make = options.delete(:bin) || # Prefer gmake on non-windows environments. if !windows? && Omnibus.which("gmake") env = options.delete(:env) || {} env = { "MAKE" => "gmake" }.merge(env) options[:env] = env "gmake" else "make" end options[:in_msys_bash] = true make_cmd = ([make] + args).join(" ").strip command(make_cmd, options) enddef command(command, options = {}) warn_for_shell_commands(command) build_commands << BuildCommand.new("Execute: `#{command}'") do shellout!(command, options) end enddef add(severity, progname, &block) return true if io.nil? || severity < level message = format_message(severity, progname, yield) MUTEX.synchronize { io.write(message) } true enddef deprecated(progname, &block) meta = Proc.new { "DEPRECATED: #{yield}" } add(LEVELS.index("WARN"), progname, &meta) enddef render_template_content(source, variables = {}) template = ERB.new(File.read(source), nil, "-") struct = if variables.empty? Struct.new("Empty") else Struct.new(*variables.keys).new(*variables.values) end template.result(struct.instance_eval { binding }) enddef construct_build_version(version_source = nil) case source_type when :git version = if version_source Omnibus::BuildVersion.new(version_source.project_dir) else Omnibus::BuildVersion.new end output = output_method || :semver self.build_version = version.send(output) when :version if version_source self.build_version = version_source.version else raise "Please tell me the source to get the version from" end else raise "I don't know how to construct a build_version using source '#{source_type}'" end enddef has_timestamp?(version) _ver, build_info = version.split("+") return false if build_info.nil? build_info.split(".").any? do |part| begin Time.strptime(part, Omnibus::BuildVersion::TIMESTAMP_FORMAT) true rescue ArgumentError false end end enddef maybe_append_timestamp(version) if Config.append_timestamp && !has_timestamp?(version) [version, Omnibus::BuildVersion.build_start_time].join("+") else version end enddef resolve(dependency) if from_dependency? && version_dependency == dependency.name construct_build_version(dependency) log.info(log_key) { "Build Version is set to '#{build_version}'" } end enddef write_bundle_file render_template(resource_path("bundle.wxs.erb"), destination: "#{staging_dir}/bundle.wxs", variables: { name: project.package_name, friendly_name: project.friendly_name, maintainer: project.maintainer, upgrade_code: upgrade_code, parameters: parameters, version: windows_package_version, display_version: msi_display_version, msi: windows_safe_path(Config.package_dir, msi_name), } ) enddef write_source_file paths = [] # Remove C:/ install_dir = project.install_dir.split("/")[1..-1].join("/") # Grab all parent paths Pathname.new(install_dir).ascend do |path| paths << path.to_s end # Create the hierarchy hierarchy = paths.reverse.inject({}) do |hash, path| hash[File.basename(path)] = path.gsub(/[^[:alnum:]]/, "").upcase + "LOCATION" hash end # The last item in the path MUST be named PROJECTLOCATION or else space # robots will cause permanent damage to you and your family. hierarchy[hierarchy.keys.last] = "PROJECTLOCATION" # If the path hierarchy is > 1, the customizable installation directory # should default to the second-to-last item in the hierarchy. If the # hierarchy is smaller than that, then just use the system drive. wix_install_dir = if hierarchy.size > 1 hierarchy.to_a[-2][1] else "WINDOWSVOLUME" end render_template(resource_path("source.wxs.erb"), destination: "#{staging_dir}/source.wxs", variables: { name: project.package_name, friendly_name: project.friendly_name, maintainer: project.maintainer, hierarchy: hierarchy, fastmsi: fast_msi, wix_install_dir: wix_install_dir, } ) enddef write_parameters_file render_template(resource_path("parameters.wxi.erb"), destination: "#{staging_dir}/parameters.wxi", variables: { name: project.package_name, friendly_name: project.friendly_name, maintainer: project.maintainer, upgrade_code: upgrade_code, parameters: parameters, version: windows_package_version, display_version: msi_display_version, } ) enddef write_localization_file render_template(resource_path("localization-#{localization}.wxl.erb"), destination: "#{staging_dir}/localization-#{localization}.wxl", variables: { name: project.package_name, friendly_name: project.friendly_name, maintainer: project.maintainer, } ) enddef wix_candle_extension(extension) unless extension.is_a?(String) raise InvalidValue.new(:wix_candle_extension, "be an String") end wix_candle_extensions << extension enddef wix_light_delay_validation(val = false) unless val.is_a?(TrueClass) || val.is_a?(FalseClass) raise InvalidValue.new(:iwix_light_delay_validation, "be TrueClass or FalseClass") end @delay_validation ||= val unless @delay_validation return "" end "-sval" enddef wix_light_extension(extension) unless extension.is_a?(String) raise InvalidValue.new(:wix_light_extension, "be an String") end wix_light_extensions << extension enddef parameters(val = NULL) if null?(val) @parameters || {} else unless val.is_a?(Hash) raise InvalidValue.new(:parameters, "be a Hash") end @parameters = val end enddef remote_path_for(package) File.join( Config.artifactory_base_path, Config.artifactory_publish_pattern % package.metadata ) enddef metadata_properties_for(package) metadata = { "omnibus.project" => package.metadata[:name], "omnibus.platform" => package.metadata[:platform], "omnibus.platform_version" => package.metadata[:platform_version], "omnibus.architecture" => package.metadata[:arch], "omnibus.version" => package.metadata[:version], "omnibus.iteration" => package.metadata[:iteration], "omnibus.license" => package.metadata[:license], "omnibus.md5" => package.metadata[:md5], "omnibus.sha1" => package.metadata[:sha1], "omnibus.sha256" => package.metadata[:sha256], "omnibus.sha512" => package.metadata[:sha512], "md5" => package.metadata[:md5], "sha1" => package.metadata[:sha1], "sha256" => package.metadata[:sha256], "sha512" => package.metadata[:sha512], }.tap do |h| if build_record? h["build.name"] = package.metadata[:name] h["build.number"] = package.metadata[:version] end end metadata enddef client @client ||= Artifactory::Client.new( endpoint: Config.artifactory_endpoint, username: Config.artifactory_username, password: Config.artifactory_password, ssl_pem_file: Config.artifactory_ssl_pem_file, ssl_verify: Config.artifactory_ssl_verify, proxy_username: Config.artifactory_proxy_username, proxy_password: Config.artifactory_proxy_password, proxy_address: Config.artifactory_proxy_address, proxy_port: Config.artifactory_proxy_port ) enddef build_for(packages) metadata = packages.first.metadata name = metadata[:name] # Attempt to load the version manifest data from the packages metadata manifest = if version_manifest = metadata[:version_manifest] Manifest.from_hash(version_manifest) else Manifest.new( metadata[:version], # we already know the `version_manifest` entry is # missing so we can't pull in the `build_git_revision` nil, metadata[:license] ) end # Upload the actual package log.info(log_key) { "Saving build info for #{name}, Build ##{manifest.build_version}" } Artifactory::Resource::Build.new( client: client, name: name, number: manifest.build_version, vcs_revision: manifest.build_git_revision, build_agent: { name: "omnibus", version: Omnibus::VERSION, }, modules: [ { # com.getchef:chef-server:12.0.0 id: [ Config.artifactory_base_path.tr("/", "."), name, manifest.build_version, ].join(":"), artifacts: packages.map do |package| [ { type: File.extname(package.path).split(".").last, sha1: package.metadata[:sha1], md5: package.metadata[:md5], name: package.metadata[:basename], }, { type: File.extname(package.metadata.path).split(".").last, sha1: digest(package.metadata.path, :sha1), md5: digest(package.metadata.path, :md5), name: File.basename(package.metadata.path), }, ] end.flatten, }, ] ) enddef artifact_for(artifact) md5 = artifact.respond_to?(:metadata) ? artifact.metadata[:md5] : digest(artifact.path, :md5) sha1 = artifact.respond_to?(:metadata) ? artifact.metadata[:sha1] : digest(artifact.path, :sha1) Artifactory::Resource::Artifact.new( local_path: artifact.path, client: client, checksums: { "md5" => md5, "sha1" => sha1, } ) enddef write_distribution_file render_template(resource_path("distribution.xml.erb"), destination: "#{staging_dir}/Distribution", mode: 0600, variables: { friendly_name: project.friendly_name, identifier: safe_identifier, version: safe_version, component_pkg: component_pkg, } ) enddef packages @packages ||= begin publish_packages = Array.new build_packages = FileSyncer.glob(@pattern).map { |path| Package.new(path) } if @options[:platform_mappings] # the platform map is a simple hash with publish to build platform mappings @options[:platform_mappings].each_pair do |build_platform, publish_platforms| # Splits `ubuntu-12.04` into `ubuntu` and `12.04` build_platform, build_platform_version = build_platform.rpartition("-") - %w{ - } # locate the package for the build platform packages = build_packages.select do |p| p.metadata[:platform] == build_platform && p.metadata[:platform_version] == build_platform_version end if packages.empty? log.warn(log_key) do "Could not locate a package for build platform #{build_platform}-#{build_platform_version}. " \ "Publishing will be skipped for: #{publish_platforms.join(', ')}" end end publish_platforms.each do |publish_platform| publish_platform, publish_platform_version = publish_platform.rpartition("-") - %w{ - } packages.each do |p| # create a copy of our package before mucking with its metadata publish_package = p.dup publish_metadata = p.metadata.dup.to_hash # override the platform and platform version in the metadata publish_metadata[:platform] = publish_platform publish_metadata[:platform_version] = publish_platform_version # Set the updated metadata on the package object publish_package.metadata = Metadata.new(publish_package, publish_metadata) publish_packages << publish_package end end end else publish_packages.concat(build_packages) end if publish_packages.empty? log.info(log_key) { "No packages found, skipping publish" } end publish_packages end enddef update_with_file_contents(digest, filename) File.open(filename) do |io| while (chunk = io.read(1024 * 8)) digest.update(chunk) end end enddef digest(path, type = :md5) digest = digest_from_type(type) update_with_file_contents(digest, path) digest.hexdigest enddef check_for_bad_library(bad_libs, current_library, name, linked) safe = nil whitelist_libs = case Ohai["platform"] when "arch" ARCH_WHITELIST_LIBS when "mac_os_x" MAC_WHITELIST_LIBS when "solaris2" SOLARIS_WHITELIST_LIBS when "smartos" SMARTOS_WHITELIST_LIBS when "freebsd" FREEBSD_WHITELIST_LIBS when "aix" AIX_WHITELIST_LIBS else WHITELIST_LIBS end whitelist_libs.each do |reg| safe ||= true if reg.match(name) end whitelist_files.each do |reg| safe ||= true if reg.match(current_library) end log.debug(log_key) { " --> Dependency: #{name}" } log.debug(log_key) { " --> Provided by: #{linked}" } if !safe && linked !~ Regexp.new(project.install_dir) log.debug(log_key) { " -> FAILED: #{current_library} has unsafe dependencies" } bad_libs[current_library] ||= {} bad_libs[current_library][name] ||= {} if bad_libs[current_library][name].key?(linked) bad_libs[current_library][name][linked] += 1 else bad_libs[current_library][name][linked] = 1 end else log.debug(log_key) { " -> PASSED: #{name} is either whitelisted or safely provided." } end bad_libs enddef read_shared_libs(command) cmd = shellout(command) cmd.stdout.each_line do |line| yield line end enddef health_check_ldd regexp_ends = ".*(" + IGNORED_ENDINGS.map { |e| e.gsub(/\./, '\.') }.join("|") + ")$" regexp_patterns = IGNORED_PATTERNS.map { |e| ".*" + e.gsub(/\//, '\/') + ".*" }.join("|") regexp = regexp_ends + "|" + regexp_patterns current_library = nil bad_libs = {} read_shared_libs("find #{project.install_dir}/ -type f -regextype posix-extended ! -regex '#{regexp}' | xargs ldd") do |line| case line when /^(.+):$/ current_library = Regexp.last_match[1] log.debug(log_key) { "Analyzing dependencies for #{current_library}" } when /^\s+(.+) \=\>\s+(.+)( \(.+\))?$/ name = Regexp.last_match[1] linked = Regexp.last_match[2] bad_libs = check_for_bad_library(bad_libs, current_library, name, linked) when /^\s+(.+) \(.+\)$/ next when /^\s+statically linked$/ next when /^\s+libjvm.so/ next when /^\s+libjava.so/ next when /^\s+libmawt.so/ next when /^\s+not a dynamic executable$/ # ignore non-executable files else log.warn(log_key) do "Line did not match for #{current_library}\n#{line}" end end end bad_libs enddef health_check_aix current_library = nil bad_libs = {} read_shared_libs("find #{project.install_dir}/ -type f | xargs file | grep \"RISC System\" | awk -F: '{print $1}' | xargs -n 1 ldd") do |line| case line when /^(.+) needs:$/ current_library = Regexp.last_match[1] log.debug(log_key) { "Analyzing dependencies for #{current_library}" } when /^\s+(.+)$/ name = Regexp.last_match[1] linked = Regexp.last_match[1] bad_libs = check_for_bad_library(bad_libs, current_library, name, linked) when /File is not an executable XCOFF file/ # ignore non-executable files else log.warn(log_key) { "Line did not match for #{current_library}\n#{line}" } end end bad_libs enddef health_check_otool current_library = nil bad_libs = {} read_shared_libs("find #{project.install_dir}/ -type f | egrep '\.(dylib|bundle)$' | xargs otool -L") do |line| case line when /^(.+):$/ current_library = Regexp.last_match[1] when /^\s+(.+) \(.+\)$/ linked = Regexp.last_match[1] name = File.basename(linked) bad_libs = check_for_bad_library(bad_libs, current_library, name, linked) end end bad_libs enddef write_pkg_metadata render_template(resource_path("gen.manifestfile.erb"), destination: pkg_metadata_file, variables: { name: safe_base_package_name, fmri_package_name: fmri_package_name, description: project.description, summary: project.friendly_name, arch: safe_architecture, } ) # Append the contents of symlinks_file if it exists if symlinks_file File.open(pkg_metadata_file, "a") do |symlink| symlink.write(render_symlinks) end end # Print the full contents of the rendered template file to generate package contents log.debug(log_key) { "Rendered Template:\n" + File.read(pkg_metadata_file) } enddef write_transform_file render_template(resource_path("doc-transform.erb"), destination: transform_file, variables: { pathdir: project.install_dir.split("/")[1], } ) enddef copy_assets_to_dmg log.info(log_key) { "Copying assets into dmg" } FileSyncer.glob("#{resources_dir}/*").each do |file| FileUtils.cp_r(file, "/Volumes/#{volume_name}") end enddef clean_disks log.info(log_key) { "Cleaning previously mounted disks" } existing_disks = shellout!("mount | grep \"/Volumes/#{volume_name}\" | awk '{print $1}'") existing_disks.stdout.lines.each do |existing_disk| existing_disk.chomp! Omnibus.logger.debug(log_key) do "Detaching disk `#{existing_disk}' before starting dmg packaging." end shellout!("hdiutil detach '#{existing_disk}'") end enddef relative_path_for(path, parent) Pathname.new(path).relative_path_from(Pathname.new(parent)).to_s enddef sync(source, destination, options = {}) unless File.directory?(source) raise ArgumentError, "`source' must be a directory, but was a " \ "`#{File.ftype(source)}'! If you just want to sync a file, use " \ "the `copy' method instead." end source_files = all_files_under(source, options) # Ensure the destination directory exists FileUtils.mkdir_p(destination) unless File.directory?(destination) # Copy over the filtered source files source_files.each do |source_file| relative_path = relative_path_for(source_file, source) # Create the parent directory parent = File.join(destination, File.dirname(relative_path)) FileUtils.mkdir_p(parent) unless File.directory?(parent) case File.ftype(source_file).to_sym when :directory FileUtils.mkdir_p("#{destination}/#{relative_path}") when :link target = File.readlink(source_file) Dir.chdir(destination) do FileUtils.ln_sf(target, "#{destination}/#{relative_path}") end when :file source_stat = File.stat(source_file) # Detect 'files' which are hard links and use ln instead of cp to # duplicate them, provided their source is in place already if hardlink? source_stat if existing = hardlink_sources[[source_stat.dev, source_stat.ino]] FileUtils.ln(existing, "#{destination}/#{relative_path}", force: true) else begin FileUtils.cp(source_file, "#{destination}/#{relative_path}") rescue Errno::EACCES FileUtils.cp_r(source_file, "#{destination}/#{relative_path}", remove_destination: true) end hardlink_sources.store([source_stat.dev, source_stat.ino], "#{destination}/#{relative_path}") end else # First attempt a regular copy. If we don't have write # permission on the File, open will probably fail with # EACCES (making it hard to sync files with permission # r--r--r--). Rescue this error and use cp_r's # :remove_destination option. begin FileUtils.cp(source_file, "#{destination}/#{relative_path}") rescue Errno::EACCES FileUtils.cp_r(source_file, "#{destination}/#{relative_path}", remove_destination: true) end end else raise "Unknown file type: `File.ftype(source_file)' at `#{source_file}'!" end end # Remove any files in the destination that are not in the source files destination_files = glob("#{destination}/**/*") # Calculate the relative paths of files so we can compare to the # source. relative_source_files = source_files.map do |file| relative_path_for(file, source) end relative_destination_files = destination_files.map do |file| relative_path_for(file, destination) end # Remove any extra files that are present in the destination, but are # not in the source list extra_files = relative_destination_files - relative_source_files extra_files.each do |file| FileUtils.rm_rf(File.join(destination, file)) end true enddef glob(pattern) pattern = Pathname.new(pattern).cleanpath.to_s Dir.glob(pattern, File::FNM_DOTMATCH).sort.reject do |file| basename = File.basename(file) IGNORED_FILES.include?(basename) end enddef create_bff_file # We are making the assumption that sudo exists. # Unforunately, the owner of the file in the staging directory is what # will be on the target machine, and mkinstallp can't tell you if that # is a bad thing (it usually is). # The match is so we only pick the lowest level of the project dir. # This implies that if we are in /tmp/staging/project/dir/things, # we will chown from 'project' on, rather than 'project/dir', which leaves # project owned by the build user (which is incorrect) # First - let's find out who we are. shellout!("sudo chown -Rh 0:0 #{File.join(staging_dir, project.install_dir.match(/^\/?(\w+)/).to_s)}") log.info(log_key) { "Creating .bff file" } # Since we want the owner to be root, we need to sudo the mkinstallp # command, otherwise it will not have access to the previously chowned # directory. shellout!("sudo /usr/sbin/mkinstallp -d #{staging_dir} -T #{File.join(staging_dir, 'gen.template')}") # Print the full contents of the inventory file generated by mkinstallp # from within the staging_dir's .info folder (where control files for the # packaging process are kept.) log.debug(log_key) do "With .inventory file of:\n" + File.read("#{File.join( staging_dir, '.info', "#{safe_base_package_name}.inventory" )}") end # Copy the resulting package up to the package_dir FileSyncer.glob(File.join(staging_dir, "tmp/*.bff")).each do |bff| copy_file(bff, File.join(Config.package_dir, create_bff_file_name)) end ensure # chown back to original user's uid/gid so cleanup works correctly original_uid = shellout!("id -u").stdout.chomp original_gid = shellout!("id -g").stdout.chomp shellout!("sudo chown -Rh #{original_uid}:#{original_gid} #{staging_dir}") enddef for_current_system(compressors) family = Ohai["platform_family"] if family == "mac_os_x" if compressors.include?(:dmg) return DMG end if compressors.include?(:tgz) return TGZ end end if compressors.include?(:tgz) return TGZ else log.info(log_key) { "No compressor defined for `#{family}'." } return Null end enddef confirm_ejson_keys_not_prunable secret = ejson_provisioner.ejson_keys_secret return unless secret.dig("metadata", "annotations", KubernetesResource::LAST_APPLIED_ANNOTATION) @logger.error("Deploy cannot proceed because protected resource " \ "Secret/#{EjsonSecretProvisioner::EJSON_KEYS_SECRET} would be pruned.") raise EjsonPrunableError rescue Kubectl::ResourceNotFoundError => e @logger.debug("Secret/#{EjsonSecretProvisioner::EJSON_KEYS_SECRET} does not exist: #{e}") enddef find_bad_files_from_kubectl_output(line) # stderr often contains one or more lines like the following, from which we can extract the file path(s): # Error from server (TypeOfError): error when creating "/path/to/service-gqq5oh.yml": Service "web" is invalid: line.scan(%r{"(/\S+\.ya?ml\S*)"}).each_with_object([]) do |matches, bad_files| matches.each do |path| content = File.read(path) if File.file?(path) bad_files << { filename: File.basename(path), err: line, content: content } end end enddef print_summary(status) status_string = status.to_s.humanize.upcase if status == :success heading("Result: ", status_string, :green) level = :info elsif status == :timed_out heading("Result: ", status_string, :yellow) level = :fatal else heading("Result: ", status_string, :red) level = :fatal end if (actions_sentence = summary.actions_sentence.presence) public_send(level, actions_sentence) blank_line(level) end summary.paragraphs.each do |para| msg_lines = para.split("\n") msg_lines.each { |line| public_send(level, line) } blank_line(level) unless para == summary.paragraphs.last end end6�]�������m���v � i 9 " Ph ����� #�#�$�%�&�'y(A)�+-$.�7\8I:�:�;�<�>�@'A B�C�D�E�F�GqI'J�J�L�O�PdQ R�R�S�TRU�U�X�Y$[�[�\�_xa�ayb/c�c�d0ef�gi{l�m�o�pQq=r s t�t_vw2x-y9z�z\����h���܆���������ҕ�l���U�|�������B���=��� �m�d������<��v���M�w��"���������.�_�5�(������������(�����S�������3�� �����J � < +Q�!�#p$�$�%='�(L, -�-b.A/ 0�2�5I8�8�:�<�=@?�@eA�B�CE�E�GI�J�LJNEP=QZRT�UnV�Z�]b_�`�ab]c�e_f�f0h�h�j l�l�mo�o�pQr�u�vVx�yLz�}I���.�#�����̍���� ����̞��9���©W�'��2�G�����g���$�t������"� �>������7���[���G�����c����H�'�8���5�����A���d���'�@�{���j���^�%���@���� ���$���������7������������u�Q]�� � ������P���� ���� �!r"�"�$B& (2-/�/11�1u3R6.7�8�9�:�;�<�=,@�BmCuDEF�FFGI�I�J6KL�LCM�MUN�NyOP�PMRSYTU�USVW�X4Y[Z{[(\8]�^b_�_�c�f�g�h�iajelZmvp�q�rwsptGu�vry�z�{H}X���b�����K�9�����'��‘��Γ��,��)� �/�̛=���ɞ�������J�}����e�֫��ɭ$����C�7�����}�x�߸�����׼�� �ڿo�C���{��������������5���Z�-�+�)�+�����������������������������H������ � K � ��J��>6�� l!n#A%�&�) /�7�;<�=j>??x@�A�DhJ�M�SdTU�UW�WWX2Z&\�\4]8^Relj�m�nGo�olp�qu�u�v�w�x_y�y�z�{>}�}{~y�ނ��=����u�͈��A���w�7�(��R�7��ڡ6��������۬�������������|���&���������+�������u�������R�����S�Y�l���g������&& pkgproto < #{staging_dir_path('files.clean')} > #{staging_dir_path('Prototype.files')}" # fix up the user and group in the file list to root shellout! "awk '{ $5 = \"root\"; $6 = \"root\"; print }' < #{staging_dir_path('Prototype.files')} >> #{staging_dir_path('Prototype')}" enddef content @content ||= IO.read(path) rescue Errno::ENOENT raise NoPackageFile.new(path) enddef validate! unless File.exist?(path) raise NoPackageFile.new(path) end unless File.exist?(metadata.path) raise NoPackageMetadataFile.new(metadata.path) end true enddef key_for(package, *stuff) File.join( Config.s3_publish_pattern % package.metadata, *stuff ) enddef semver build_tag = version_tag # PRERELEASE VERSION if prerelease_version? # ensure all dashes are dots per precedence rules (#12) in Semver # 2.0.0-rc.1 prerelease = prerelease_tag.tr("-", ".") build_tag << "-" << prerelease end # BUILD VERSION # Follows SemVer conventions and the build version begins with a '+'. build_version_items = [] # By default we will append a timestamp to every build. This behavior can # be overriden by setting the OMNIBUS_APPEND_TIMESTAMP environment # variable to a 'falsey' value (ie false, f, no, n or 0). # # format: YYYYMMDDHHMMSS example: 20130131123345 if Config.append_timestamp budef load_project config_file = Dir.glob("#{Dir.pwd}/**/dev.yml").first raise ExecutionError.new "No valid configuration files found. Searched for a file named 'dev.yml' "\ "in folder #{Dir.pwd} and all its subdirectories." if config_file.nil? @project = Dev::Project.new(config_file) enddef bump_app_version_to(version) if File.exists? self.app_version_file version_file = self.app_version_file version_content = File.read("#{version_file}") File.open(version_file, 'w+') do |f| f.puts version_content.gsub(/VERSION = '[0-9\.]+'\n/, "VERSION = '#{version}'\n") end end enddef app_version(app_name = self.current_app) if File.exists? app_version_file(app_name).to_s File.read(app_version_file(app_name)) .match(/VERSION = '([0-9\.]+)'\n/) .try(:captures).try(:first) else `git tag`.split("\n").first end enddef app_version_file(app_name = self.current_app) Dir.glob("#{app_folder(app_name)}/lib/**/version.rb").min_by do |filename| filename.chars.count end enddef app_folder(app_name = self.current_app) if self.type == :multi if app_name.in? self.main_apps "#{self.folder}/main_apps/#{app_name}" elsif app_name.in? self.engines "#{self.folder}/engines/#{app_name}" end elsif self.type == :single self.folder end enddef client_login_authorization_header(http_method, uri) if @user && @password && !@auth_token email = CGI.escape(@user) password = CGI.escape(@password) http = Net::HTTP.new('www.google.com', 443) http.use_ssl = true http.verify_mode = OpenSSL::SSL::VERIFY_NONE resp, data = http.post('/accounts/ClientLogin', "accountType=HOSTED_OR_GOOGLE&Email=#{email}&Passwd=#{password}&service=wise", { 'Content-Type' => 'application/x-www-form-urlencoded' }) handle_response(resp) @auth_token = (data || resp.body)[/Auth=(.*)/n, 1] end @auth_token ? { 'Authorization' => "GoogleLogin auth=#{@auth_token}" } : {} enddef search_words {}.tap do |result| @query.query_words.each do |query_word| search_word(query_word).each do |class_name, ids| merge_search_result_word_matches result, class_name, ids end end end enddef search_word word empty_result.tap do |result| data = Assignment.joins(:word) \ .select('pose_assignments.posable_id, pose_assignments.posable_type') \ .where('pose_words.text LIKE ?', "#{word}%") \ .where('pose_assignments.posable_type IN (?)', @query.class_names) data = add_joins data data = add_wheres data Assignment.connection.select_all(data.to_sql).each do |pose_assignment| result[pose_assignment['posable_type']] << pose_assignment['posable_id'].to_i end end enddef load_classes result return if @query.ids_requested? result.each do |clazz, ids| if ids.size > 0 result[clazz] = clazz.where(id: ids) if @query.has_select result[clazz] = result[clazz].select(@query.options[:select]) end end end enddef add_wheres arel @query.where.inject(arel) { |memo, where| memo.where where } enddef add_joins arel @query.joins.inject(arel) do |memo, join_data| add_join memo, join_data end enddef delete(tokens) unless tokens.instance_of? Array tokens = [ tokens ] end removed = tokens.map do |token| validate_token!(token) delete_token(token) end if removed.size == 1 removed.first else removed end enddef add(objects) unless objects.kind_of? Array objects = [ objects ] end objects.each do |object| value = object if object.instance_of? Hash value = object[:val] end add_token prepare_token(value) end enddef posify *source_methods, &block include ModelClassAdditions self.pose_content = proc do text_chunks = source_methods.map { |source| send(source) } text_chunks << instance_eval(&block) if block text_chunks.reject(&:blank?).join(' ') end enddef get_user_stat response = self.get("/v1/stats/users.json?auth_token=#{@auth_token}") JSON.parse response.body if response and response.body enddef get_crises_stat response = self.get("/v1/stats/crises.json?auth_token=#{@auth_token}") JSON.parse response.body if response and response.body enddef get_crisis(identifier, params = nil) return nil if identifier.nil? or identifier.empty? endpoint = "/v1/crises/#{identifier}.json?auth_token=#{@auth_token}" endpoint += "&#{URI.encode_www_form params}" if params response = self.get(endpoint) Sigimera::Crisis.new JSON.parse response.body if response and response.body enddef librarian_install_modules(directory, module_name) hosts.each do |host| sut_dir = File.join('/tmp', module_name) scp_to host, directory, sut_dir on host, "cd #{sut_dir} && librarian-puppet install --clean --verbose --path #{host['distmoduledir']}" puppet_module_install(:source => directory, :module_name => module_name) end enddef install_librarian(opts = {}) # Check for 'librarian_version' option librarian_version = opts[:librarian_version] ||= nil hosts.each do |host| install_package host, 'rubygems' install_package host, 'git' if librarian_version on host, "gem install --no-ri --no-rdoc librarian-puppet -v '#{librarian_version}'" else on host, 'gem install --no-ri --no-rdoc librarian-puppet' end end enddef send_request(text) begin request = Net::HTTP::Post.new(@url.path, { 'Content-Type' => 'text/xml', 'SOAPAction' => '"http://typograf.artlebedev.ru/webservices/ProcessText"' }) request.body = form_xml(text, @options) response = Net::HTTP.new(@url.host, @url.port).start do |http| http.request(request) end rescue StandardError => exception raise NetworkError.new(exception.message, exception.backtrace) end if !response.is_a?(Net::HTTPOK) raise NetworkError, "#{response.code}: #{response.message}" end if RESULT =~ response.body body = $1.gsub(/>/, '>').gsub(/</, '<').gsub(/&/, '&') body.force_encoding("UTF-8").chomp else raise NetworkError, "Can't match result #{response.body}" end enddef fire(clock = 0) # Marking is shuffled each time before it is # used so here we can take first found binding mapping = Enumerator.new do |y| get_sentry.call(input_markings, clock, y) end.first return false if mapping.nil? tcpn_binding = TCPNBinding.new mapping, input_markings call_callbacks :before, Event.new(@name, tcpn_binding, clock, @net) tokens_for_outputs = @outputs.map do |o| o.block.call(tcpn_binding, clock) end mapping.each do |place_name, token| unless token.kind_of? Token t = if token.instance_of? Array token else [ token ] end t.each do |t| unless t.kind_of? Token raise InvalidToken.new("#{t.inspect} put by sentry for transition `#{name}` in binding for `#{place_name}`") end end end deleted = find_input(place_name).delete(token) if deleted.nil? raise InvalidToken.new("#{token.inspect} put by sentry for transition `#{name}` does not exists in `#{place_name}`") end end @outputs.each do |o| token = tokens_for_outputs.shift o.place.add token unless token.nil? end call_callbacks :after, Event.new(@name, mapping, clock, @net) true rescue InvalidToken raise rescue RuntimeError => e raise FiringError.new(self, e) enddef output(place, &block) raise "This is not a Place object!" unless place.kind_of? Place raise "Tried to define output arc without expression! Block is required!" unless block_given? @outputs << OutputArc.new(place, block) enddef sim @stopped = catch :stop_simulation do begin fired = fire_transitions advanced = move_clock_to find_next_time end while fired || advanced end @stopped = false if @stopped == nil rescue StandardError => e raise SimulationError.new(e) enddef transition(name) t = find_transition name if t.nil? t = Transition.new name, self @transitions << t end t enddef timed_place(name, keys = {}) place = create_or_find_place(name, keys, TimedPlace) @timed_places[place] = true place enddef run_request(request, format) # Is this a v3 request? v3_request = request.url.include?("/#{v3_hostname}/") # Execute with retries retries = [1] * @retries begin begin d "Queuing the request for #{request.url}" add_authentication_to(request) if @auth_token && !v3_request hydra.queue request hydra.run # Return response if OK end while !response_ok?(request.response, request) # Store updated authToken @auth_token = request.response.headers_hash['AuthToken'] return request.response rescue AMEE::ConnectionFailed, AMEE::TimeOut => e if delay = retries.shift sleep delay retry else raise end end enddef do_request(request, format = @format, options = {}) # Is this a v3 request? v3_request = request.url.include?("/#{v3_hostname}/") # make sure we have our auth token before we start # any v1 or v2 requests if !@auth_token && !v3_request d "Authenticating first before we hit #{request.url}" authenticate end request.headers['Accept'] = content_type(format) # Set AMEE source header if set request.headers['X-AMEE-Source'] = @amee_source if @amee_source # path+query string only (split with an int limits the number of splits) path_and_query = '/' + request.url.split('/', 4)[3] if options[:cache] # Get response with caching response = cache(path_and_query) { run_request(request, :xml) } else response = run_request(request, :xml) end response enddef response_ok?(response, request) # first allow for debugging d {request.object_id} d {request} d {response.object_id} d {response.code} d {response.headers_hash} d {response.body} case response.code.to_i when 502, 503, 504 raise AMEE::ConnectionFailed.new("A connection error occurred while talking to AMEE: HTTP response code #{response.code}.\nRequest: #{request.method.upcase} #{request.url.gsub(request.host, '')}") when 408 raise AMEE::TimeOut.new("Request timed out.") when 404 raise AMEE::NotFound.new("The URL was not found on the server.\nRequest: #{request.method.upcase} #{request.url.gsub(request.host, '')}") when 403 raise AMEE::PermissionDenied.new("You do not have permission to perform the requested operation.\nRequest: #{request.method.upcase} #{request.url.gsub(request.host, '')}\n#{request.body}\Response: #{response.body}") when 401 authenticate return false when 400 if response.body.include? "would have resulted in a duplicate resource being created" raise AMEE::DuplicateResource.new("The specified resource already exists. This is most often caused by creating an item that overlaps another in time.\nRequest: #{request.method.upcase} #{request.url.gsub(request.host, '')}\n#{request.body}\Response: #{response.body}") else raise AMEE::BadRequest.new("Bad request. This is probably due to malformed input data.\nRequest: #{request.method.upcase} #{request.url.gsub(request.host, '')}\n#{request.body}\Response: #{response.body}") end when 200, 201, 204 return response when 0 connection_failed end # If we get here, something unhandled has happened, so raise an unknown error. raise AMEE::UnknownError.new("An error occurred while talking to AMEE: HTTP response code #{response.code}.\nRequest: #{request.method.upcase} #{request.url}\n#{request.body}\Response: #{response.body}") enddef authenticate # :x_amee_source = "X-AMEE-Source".to_sym request = Typhoeus::Request.new("#{protocol}#{@server}/auth/signIn", :method => "post", :verbose => DEBUG, :headers => { :Accept => content_type(:xml), }, :body => form_encode(:username=>@username, :password=>@password) ) hydra.queue(request) hydra.run response = request.response @auth_token = response.headers_hash['AuthToken'] d {request.url} d {response.code} d {@auth_token} connection_failed if response.code == 0 unless authenticated? raise AMEE::AuthFailed.new("Authentication failed. Please check your username and password. (tried #{@username},#{@password})") end # Detect API version if response.body.is_json? @version = JSON.parse(response.body)["user"]["apiVersion"].to_f elsif response.body.is_xml? @version = REXML::Document.new(response.body).elements['Resources'].elements['SignInResource'].elements['User'].elements['ApiVersion'].text.to_f else @version = 1.0 end enddef raw_put(path, body, options = {}) # Allow format override format = options.delete(:format) || @format # Clear cache expire_matching "#{parent_path(path)}.*" # Create PUT request put = Typhoeus::Request.new("#{protocol}#{@server}#{path}", :verbose => DEBUG, :method => "put", :body => body, :headers => { :'Content-type' => options[:content_type] || content_type(format) } ) # Send request do_request(put, format) enddef put(path, data = {}) # Allow format override format = data.delete(:format) || @format # Clear cache expire_matching "#{parent_path(path)}.*" # Extract return unit params query_params = {} query_params[:returnUnit] = data.delete(:returnUnit) if data[:returnUnit] query_params[:returnPerUnit] = data.delete(:returnPerUnit) if data[:returnPerUnit] # Create PUT request put_params = { :verbose => DEBUG, :method => "put", :body => form_encode(data) } put_params[:params] = query_params unless query_params.empty? put = Typhoeus::Request.new("#{protocol}#{@server}#{path}", put_params) # Send request do_request(put, format) enddef raw_post(path, body, options = {}) # Allow format override format = options.delete(:format) || @format # Clear cache expire_matching "#{raw_path(path)}.*" # Create POST request post = Typhoeus::Request.new("#{protocol}#{@server}#{path}", :verbose => DEBUG, :method => "post", :body => body, :headers => { :'Content-type' => options[:content_type] || content_type(format) } ) # Send request do_request(post, format) enddef post(path, data = {}) # Allow format override format = data.delete(:format) || @format # Clear cache expire_matching "#{raw_path(path)}.*" # Extract return unit params query_params = {} query_params[:returnUnit] = data.delete(:returnUnit) if data[:returnUnit] query_params[:returnPerUnit] = data.delete(:returnPerUnit) if data[:returnPerUnit] # Create POST request post_params = { :verbose => DEBUG, :method => "post", :body => form_encode(data) } post_params[:params] = query_params unless query_params.empty? post = Typhoeus::Request.new("#{protocol}#{@server}#{path}", post_params) # Send request do_request(post, format) enddef get(path, data = {}) # Allow format override format = data.delete(:format) || @format # Add parameters to URL query string get_params = { :method => "get", :verbose => DEBUG } get_params[:params] = data unless data.empty? # Create GET request get = Typhoeus::Request.new("#{protocol}#{@server}#{path}", get_params) # Send request do_request(get, format, :cache => true) enddef authorize client_id = Google::Auth::ClientId.from_file(CLIENT_SECRETS_PATH) token_store = Google::Auth::Stores::FileTokenStore.new(file: CREDENTIALS_PATH) authorizer = Google::Auth::UserAuthorizer.new(client_id, SCOPE, token_store) user_id = 'default' credentials = authorizer.get_credentials(user_id) if credentials.nil? url = authorizer.get_authorization_url(base_url: OOB_URI) puts 'Open the following URL in the browser and enter the ' \ "resulting code after authorization:\n" + url code = STDIN.gets credentials = authorizer.get_and_store_credentials_from_code( user_id: user_id, code: code, base_url: OOB_URI ) end credentials enddef add(token, timestamp = nil) @net.call_callbacks(:place, :add, Event.new(@name, [token], @net)) unless @net.nil? if timestamp.nil? @marking.add token else @marking.add token, timestamp end enddef v3_do_request(params, path, options = {}) req = Typhoeus::Request.new("https://#{v3_hostname}#{path}", v3_defaults.merge(params)) response = do_request(req, :xml, options) options[:return_obj]==true ? response : response.body enddef v3_put(path, options = {}) # Expire cached objects from parent on down expire_matching "#{parent_path(path)}.*" # Create request parameters put_params = { :method => "put", :body => options[:body] ? options[:body] : form_encode(options) } if options[:content_type] put_params[:headers] = { :'Content-Type' => content_type(options[:content_type]) } end # Request v3_do_request(put_params, path) enddef v3_get(path, options = {}) # Create request parameters get_params = { :method => "get" } get_params[:params] = options unless options.empty? # Send request (with caching) v3_do_request(get_params, path, :cache => true) enddef method_missing meth, *args, &blk if meth.to_s.end_with?('?') && Status.include?(s = meth.to_s.chop.to_sym) self[:status] == s else super end enddef list entities = @db.list out entities = entities.is_a?(Fixnum) ? @db.list[0...entities] : entities entities.reject {|e| e[:status] == :removed }.each_with_index do |e, i| out " [#{i}]".blue + "#{e.sticky?? " + ".bold : " "}" + e[:title].underline + " #{e[:tags].join(' ')}".cyan end.tap do |list| out " ..." if @db.list.length > entities.length && !entities.length.zero? out " there are no koi in the water".green if list.size.zero? end out entities enddef run program :name, 'mixml' program :version, Mixml::VERSION program :description, 'XML helper tool' $tool = Mixml::Tool.new global_option('-p', '--pretty', 'Pretty print output') do |value| $tool.pretty = value end global_option('-i', '--inplace', 'Replace the processed files with the new files') do |value| $tool.save = value $tool.print = !value end global_option('-q', '--quiet', 'Do not print nodes') do |value| $tool.print = !value end command :pretty do |c| c.description = 'Pretty print XML files' c.action do |args, options| $tool.pretty = true $tool.work(args) end end modify_command :write do |c| c.description = 'Write selected nodes to the console' c.suppress_output = true c.optional_expression = true end select_command :remove do |c| c.description = 'Remove nodes from the XML documents' end modify_command :replace do |c| c.description = 'Replace nodes in the XML documents' end modify_command :append do |c| c.description = 'Append child nodes in the XML documents' end modify_command :rename do |c| c.description = 'Rename nodes in the XML documents' end modify_command :value do |c| c.description = 'Set node values' end command :execute do |c| c.description = 'Execute script on the XML documents' c.option '-s', '--script STRING', String, 'Script file to execute' c.option '-e', '--expression STRING', String, 'Command to execute' c.action do |args, options| script = options.expression || File.read(options.script) $tool.work(args) do execute(script) end end end run! enddef check_retry if @finished_publishing && @pending_hash.empty? && @exception_count > 0 && (@retry || @auto_retry) # If we're just doing auto_retry but nothing succeeded last time, then don't run again return if !@retry && @auto_retry && @exception_count == @exceptions_per_run.last Qwirk.logger.info "#{self}: Retrying exception records, exception count = #{@exception_count}" @exceptions_per_run << @exception_count @exception_count = 0 @finished_publishing = false @fail_thread = Thread.new(@exceptions_per_run.last) do |count| begin java.lang.Thread.current_thread.name = "Qwirk fail task: #{task_id}" while !@stopped && (count > 0) && (object = @fail_consumer.receive) count -= 1 publish(object) @fail_consumer.acknowledge_message end @finished_publishing = true @pending_hash_mutex.synchronize { check_finish } rescue Exception => e do_stop Qwirk.logger.error "#{self}: Exception, thread terminating: #{e.message}\n\t#{e.backtrace.join("\n\t")}" end end end enddef has_machete_workflow_of(jobs_active_record_relation_symbol) # yes, this is magic mimicked from http://guides.rubyonrails.org/plugins.html # and http://yehudakatz.com/2009/11/12/better-ruby-idioms/ cattr_accessor :jobs_active_record_relation_symbol self.jobs_active_record_relation_symbol = jobs_active_record_relation_symbol # separate modules to group common methods for readability purposes # both builder methods and status methods need the jobs relation so # we include that first self.send :include, OscMacheteRails::Workflow::JobsRelation self.send :include, OscMacheteRails::Workflow::BuilderMethods self.send :include, OscMacheteRails::Workflow::StatusMethods enddef execute(args) # create dummy config file target_file = @config_file.nil? ? "caramel.rb" : @config_file FileUtils.cp(File.dirname(__FILE__) +"/../caramel.rb", target_file) if commandparser.verbosity == :normal puts "Created new configuration file: #{target_file}" end enddef option_group(*args) selector = if args.first.respond_to?(:elements) args.first else extract_selector(args) end OptionGroup.new(self, selector) enddef tagify input output = input.dup raise StandardError, "@tags is empty!" if @tags.empty? #improve on this @tags.each {|key,value| output.gsub!(tag_start.to_s+key.to_s+tag_end.to_s, value.to_s)} return output enddef with_nodes(selection) selection.nodesets.each do |nodeset| nodeset.each do |node| yield node end end enddef execute(program = nil, &block) if not program.nil? then instance_eval(program) end if not block.nil? then Docile.dsl_eval(self, &block) end enddef css(*selectors, &block) nodesets = [] process do |xml| nodesets << xml.css(*selectors) end selection = Selection.new(nodesets) if block_given? then Docile.dsl_eval(selection, &block) end selection enddef xpath(*paths, &block) nodesets = [] process do |xml| nodesets << xml.xpath(*paths) end selection = Selection.new(nodesets) if block_given? then Docile.dsl_eval(selection, &block) end selection enddef work(*file_names, &block) remove_all file_names.each do |file_name| load(file_name) if not block.nil? then execute(&block) end flush remove_all end enddef print_all output_all do |document, options| if @documents.size > 1 then puts '-' * document.name.length puts document.name puts '-' * document.name.length end puts document.xml.to_xml(options) end enddef save_all output_all do |document, options| File.open(document.name, 'w') do |file| document.xml.write_xml_to(file, options) end end enddef load(*file_names) file_names.flatten.each do |file_name| xml = File.open(file_name, 'r') do |file| Nokogiri::XML(file) do |config| if @pretty then config.default_xml.noblanks end end end @documents << Document.new(file_name, xml) end enddef parse_mead(*args) parts = @mead.split('-') args.each_with_index do |field, i| instance_variable_set('@' + field, parts[i]) end enddef write_pid(pid) ::File.open(pid, 'w') { |f| f.write("#{Process.pid}") } at_exit { ::File.delete(pid) if ::File.exist?(pid) rescue nil } enddef running?(path) wpid = ::File.read(path).to_i return if wpid <= 0 Process.kill(0, wpid) wpid rescue Errno::EPERM, Errno::ESRCH, Errno::ENOENT # noop enddef reopen_io(io, path) io.reopen(::File.open(path, "ab")) if path io.sync = true enddef daemonize(safe = true) $stdin.reopen '/dev/null' # Fork and have the parent exit. # This makes the shell or boot script think the command is done. # Also, the child process is guaranteed not to be a process group # leader (a prerequisite for setsid next) exit if fork # Call setsid to create a new session. This does three things: # - The process becomes a session leader of a new session # - The process becomes the process group leader of a new process group # - The process has no controlling terminal Process.setsid # Fork again and have the parent exit. # This guarantes that the daemon is not a session leader nor can # it acquire a controlling terminal (under SVR4) exit if fork unless safe ::Dir.chdir('/') ::File.umask(0000) end cfg_defaults = Clacks::Configurator::DEFAULTS cfg_defaults[:stdout_path] ||= "/dev/null" cfg_defaults[:stderr_path] ||= "/dev/null" enddef built_in_object_ids @built_in_object_ids ||= Hash.new do |hash, key| hash[key] = where(built_in_key: key).pluck(:id).first end enddef strict_ancestor_of?(block_start) block_start && block_start.parent && (self == block_start.parent || strict_ancestor_of?(block_start.parent)) enddef transmit_packet(packet, options={}) # Default options options = { cache: false }.merge(options) packet = packet.as_json.deep_symbolize_keys if validate_packet(packet, options) if options[:cache]==true if update_cache(packet) transmit packet end else transmit packet end end enddef selected_options selected = [] my_labels = option_names inputs.each_with_index do |field, index| selected << my_labels[index] if field.checked? end selected enddef options option_hash = {} my_labels = option_names my_inputs = option_fields my_labels.count.times do |index| option_hash[my_labels[index]] = my_inputs[index] end option_hash enddef log msg = "", obj = nil, level: Level::DEBUG, classname: nil, &blk log_frames msg, obj, classname: classname, level: level, nframes: 0, &blk enddef outfile= f io = f.kind_of?(IO) ? f : File.new(f, "w") @writer.output = io enddef rate_time regexp = Regexp.new(currency_code) page.search("//span[@name='pair']").each do |td| if regexp.match(td.content) hour = td.next_element.next_element.content return DateTime.parse(hour) end end enddef site_query(*args) response = conn.get(url_picker(*args), {}, query_headers) if response.body['SiteId'] || response.body['PointId'] JSON.parse(response.body) else fail QueryError, "Query Failed! HTTPStatus: #{response.status}" end enddef sites response = conn.get("#{base_url}/site", {}, query_headers) body = JSON.parse(response.body) body.map { |b| Site.new(b) } rescue JSON::ParserError fail QueryError, "Query Failed! HTTPStatus: #{response.status} - Response: #{body}" enddef filter(params) results = where(nil) params.each do |key, value| results = results.public_send(key, value) if value.present? end results enddef read_pages sql = "SELECT id, tag, body, time, latest, user, note FROM wikka_pages ORDER BY time;" results = database.query(sql) results.each do |row| titles << row["tag"] author = authors[row["user"]] page = Page.new({:id => row["id"], :title => row["tag"], :body => row["body"], :markup => :wikka, :latest => row["latest"] == "Y", :time => row["time"], :message => row["note"], :author => author, :author_name => row["user"]}) revisions << page end titles.uniq! #revisions.sort! { |a,b| a.time <=> b.time } revisions enddef build_sentence_from_hash(nodes) result = [] nodes.each do |node| # This node does not appear in params if node[:current_value].nil? if node[:always_use] result << node[:sentence] end else result << node[:sentence] end end result enddef get_nodes(sorted = true) SentenceBuilder::Helper.to_boolean(sorted) ? @nodes.sort_by{|i| i.sort_by_value} : @nodes enddef get_sentence(params = {}, sorted = true, separator = ' ') build_sentence_from_hash(get_hash(params, sorted)).select(&:present?).join(separator) enddef get_hash(params = {}, sorted = true) get_nodes(sorted).map{|n| n.to_hash(params[n.name])} enddef drain_queue(queue) result = [] queue_size = queue.size begin queue_size.times do result << queue.deq(:raise_if_empty) end rescue ThreadError # Need do nothing, queue was concurrently popped, no biggie end return result enddef backtrace_from_config(file_path, exception) filtered_trace = [] found = false # MRI 2.1+ has exception.backtrace_locations which makes # this a lot easier, but JRuby 1.7.x doesn't yet, so we # need to do it both ways. if (exception.respond_to?(:backtrace_locations) && exception.backtrace_locations && exception.backtrace_locations.length > 0) exception.backtrace_locations.each do |location| filtered_trace << location (found=true and break) if location.path == file_path end else filtered_trace = [] exception.backtrace.each do |line| filtered_trace << line (found=true and break) if line.start_with?(file_path) end end return found ? filtered_trace : [] enddef backtrace_lineno_for_config(file_path, exception) # For a SyntaxError, we really need to grep it from the # exception message, it really appears to be nowhere else. Ugh. if exception.kind_of? SyntaxError if m = /:(\d+):/.match(exception.message) return m[1].to_i end end # Otherwise we try to fish it out of the backtrace, first # line matching the config file path. # exception.backtrace_locations exists in MRI 2.1+, which makes # our task a lot easier. But not yet in JRuby 1.7.x, so we got to # handle the old way of having to parse the strings in backtrace too. if (exception.respond_to?(:backtrace_locations) && exception.backtrace_locations && exception.backtrace_locations.length > 0) location = exception.backtrace_locations.find do |bt| bt.path == file_path end return location ? location.lineno : nil else # have to parse string backtrace exception.backtrace.each do |line| if line.start_with?(file_path) if m = /\A.*\:(\d+)\:in/.match(line) return m[1].to_i break end end end # if we got here, we have nothing return nil end enddef read args = {} if args.class == Hash hash = @options.merge(args) else puts "dreader error at #{__callee__}: this function takes a Hash as input" exit end spreadsheet = Dreader::Engine.open_spreadsheet (hash[:filename]) sheet = spreadsheet.sheet(hash[:sheet] || 0) @table = Array.new @errors = Array.new first_row = hash[:first_row] || 1 last_row = hash[:last_row] || sheet.last_row (first_row..last_row).each do |row_number| r = Hash.new @colspec.each_with_index do |colspec, index| cell = sheet.cell(row_number, colspec[:colref]) colname = colspec[:name] r[colname] = Hash.new r[colname][:row_number] = row_number r[colname][:col_number] = colspec[:colref] begin r[colname][:value] = value = colspec[:process] ? colspec[:process].call(cell) : cell rescue => e puts "dreader error at #{__callee__}: 'process' specification for :#{colname} raised an exception at row #{row_number} (col #{index + 1}, value: #{cell})" raise e end begin if colspec[:check] and not colspec[:check].call(value) then r[colname][:error] = true @errors << "dreader error at #{__callee__}: value \"#{cell}\" for #{colname} at row #{row_number} (col #{index + 1}) does not pass the check function" else r[colname][:error] = false end rescue => e puts "dreader error at #{__callee__}: 'check' specification for :#{colname} raised an exception at row #{row_number} (col #{index + 1}, value: #{cell})" raise e end end @table << r end @table enddef bulk_declare hash, &block hash.keys.each do |key| column = Column.new column.colref hash[key] if block column.instance_eval(&block) end @colspec << column.to_hash.merge({name: key}) end enddef column name, &block column = Column.new column.instance_eval(&block) @colspec << column.to_hash.merge({name: name}) enddef options &block options = Options.new options.instance_eval(&block) @options = options.to_hash enddef get_userinfo(user) p = {} ids = [] names = [] if user.is_a?(Array) user.each do |u| names << u if u.is_a?(String) id << u if u.is_a?(Integer) end elsif user.is_a?(String) names << user elsif user.is_a?(Integer) ids << user else raise ArgumentError, format('Unknown type of arguments: %s', user.class) end result = get('ids' => ids, 'names' => names) result['users'] enddef output(elapsed) case @result when MATCH_SUCCESS color = :green header = 'OK' when MATCH_FAILURE color = :red header = 'FAIL' when MATCH_WARNING color = :light_red header = 'WARN' end header = header.ljust(12).colorize(color) str_elapsed = "#{elapsed.round(2)}s" name = @name.to_s[0..17] puts "#{header} #{name.ljust(20)} #{str_elapsed.ljust(9)} #{@message}" enddef send(method, *args, &block) if respond_to?(method) super else subject.send(method, *args, &block) end enddef cover?(point) p = [point.lat - @nw.lat, point.lng - @se.lng] p21x = p[0] * @p21 p41x = p[1] * @p41 0 < p21x and p21x < @p21ms and 0 <= p41x and p41x <= @p41ms enddef distance(other) unless other.is_a? Point raise ArgumentError.new 'other must be a Point.' end dlng = GpsUtils::to_radians(other.lng - @lng) dlat = GpsUtils::to_radians(other.lat - @lat) x = dlng * Math.cos(dlat / 2) y = GpsUtils::to_radians(other.lat - @lat) Math.sqrt(x**2 + y**2) * GpsUtils::R enddef write_file(remote_file, data) raise ConnectionClosed.new('Connection is closed.') unless @ssh sftp.file.open(remote_file, 'w') do |f| f.write data end enddef download(remote_file, local_file) raise ConnectionClosed.new('Connection is closed.') unless @ssh sftp.download!(remote_file, local_file) enddef upload(local_file, remote_file) raise ConnectionClosed.new('Connection is closed.') unless @ssh sftp.upload!(local_file, remote_file) enddef exec(command, options={}, &block) raise ConnectionClosed.new('Connection is closed.') unless @channel options = { on_non_zero_exit_code: :default }.merge(options || {}) options[:on_non_zero_exit_code] = @options[:on_non_zero_exit_code] if options[:on_non_zero_exit_code] == :default push_buffer # store the current buffer and start a fresh buffer # buffer while also passing data to the supplied block. if block_given? buffer_input( &block ) end # send the command and wait for the prompt to return. @channel.send_data command + "\n" wait_for_prompt # return buffering to normal. if block_given? buffer_input end # get the output from the command, minus the trailing prompt. ret = command_output(command) # restore the original buffer and merge the output from the command. pop_merge_buffer if @options[:retrieve_exit_code] # get the exit code for the command. push_buffer retrieve_command = 'echo $?' @channel.send_data retrieve_command + "\n" wait_for_prompt @last_exit_code = command_output(retrieve_command).strip.to_i # restore the original buffer and discard the output from this command. pop_discard_buffer # if we are expected to raise an error, do so. if options[:on_non_zero_exit_code] == :raise_error raise NonZeroExitCode.new("Exit code was #{@last_exit_code}.") unless @last_exit_code == 0 end end ret enddef debug2(s, opts = {} ) out = opts.fetch(:out, $stdout) tag = opts.fetch(:tag, '_DFLT_') really_write = opts.fetch(:really_write, true) # you can prevent ANY debug setting this to false write_always = opts.fetch(:write_always, false) raise "ERROR: ':tags' must be an array in debug(), maybe you meant to use :tag?" if ( opts[:tags] && opts[:tags].class != Array ) final_str = "#RDeb#{write_always ? '!' : ''}[#{opts[:tag] || '-'}] #{s}" final_str = "\033[1;30m" +final_str + "\033[0m" if opts.fetch(:coloured_debug, true) # color by gray by default if (debug_tags_enabled? ) # tags puts( final_str ) if debug_tag_include?( opts ) else # normal behaviour: if NOT tag puts( final_str ) if ((really_write && $DEBUG) || write_always) && ! opts[:tag] end enddef to_textile str body = body.dup body.gsub!(/\r/, '') body.gsub!(/\{\{\{([^\n]+?)\}\}\}/, '@\1@') body.gsub!(/\{\{\{\n#!([^\n]+?)(.+?)\}\}\}/m, '
\2
') body.gsub!(/\{\{\{(.+?)\}\}\}/m, '
\1
') # macro body.gsub!(/\[\[BR\]\]/, '') body.gsub!(/\[\[PageOutline.*\]\]/, '{{toc}}') body.gsub!(/\[\[Image\((.+?)\)\]\]/, '!\1!') # header body.gsub!(/=====\s(.+?)\s=====/, "h5. #{'\1'} \n\n") body.gsub!(/====\s(.+?)\s====/, "h4. #{'\1'} \n\n") body.gsub!(/===\s(.+?)\s===/, "h3. #{'\1'} \n\n") body.gsub!(/==\s(.+?)\s==/, "h2. #{'\1'} \n\n") body.gsub!(/=\s(.+?)\s=[\s\n]*/, "h1. #{'\1'} \n\n") # table body.gsub!(/\|\|/, "|") # link body.gsub!(/\[(http[^\s\[\]]+)\s([^\[\]]+)\]/, ' "\2":\1' ) body.gsub!(/\[([^\s]+)\s(.+)\]/, ' [[\1 | \2]] ') body.gsub!(/([^"\/\!])(([A-Z][a-z0-9]+){2,})/, ' \1[[\2]] ') body.gsub!(/\!(([A-Z][a-z0-9]+){2,})/, '\1') # text decoration body.gsub!(/'''(.+)'''/, '*\1*') body.gsub!(/''(.+)''/, '_\1_') body.gsub!(/`(.+)`/, '@\1@') # itemize body.gsub!(/^\s\s\s\*/, '***') body.gsub!(/^\s\s\*/, '**') body.gsub!(/^\s\*/, '*') body.gsub!(/^\s\s\s\d\./, '###') body.gsub!(/^\s\s\d\./, '##') body.gsub!(/^\s\d\./, '#') body enddef scan_spec(fmt_string) until fmt_string.empty? if (match_data = PARSE_REGEX.match(fmt_string)) mid = match_data.to_s pre = match_data.pre_match @specs << FormatLiteral.new(pre) unless pre.empty? @specs << case when match_data[:var] then FormatVariable.new(mid) when match_data[:set] then FormatSet.new(mid) when match_data[:rgx] then FormatRgx.new(mid) when match_data[:per] then FormatLiteral.new("\%") else fail "Impossible case in scan_spec." end fmt_string = match_data.post_match else @specs << FormatLiteral.new(fmt_string) fmt_string = "" end end enddef commit_history(revisions, options = {}, &block) options[:markup] = :markdown if !options[:markup] # target markup revisions.each_with_index do |page, index| # call debug output from outside block.call(page, index) if block_given? commit_revision(page, options[:markup]) end enddef commit_revision(page, markup) gollum_page = gollum.page(page.title) if gollum_page gollum.update_page(gollum_page, gollum_page.name, gollum_page.format, page.body, build_commit(page)) else gollum.write_page(page.title, markup, page.body, build_commit(page)) end enddef rename(template) template = template.to_mixml_template each_node do |node| value = template.evaluate(node) node.name = value end enddef replace(template) template = template.to_mixml_template each_node do |node| value = template.evaluate(node) node.replace(value) end enddef write(template = nil) if not template.nil? then template = template.to_mixml_template end each_node do |node| if template.nil? then node.write_xml_to($stdout) puts else puts template.evaluate(node) end end enddef add_filter(id, pattern, &block) filter = LineFilter.new(id, pattern, block) @filters << filter enddef read_response(timeout, &block) raise "Invalid call to read_response for #{@producer}, not setup for responding" unless @producer.response_options # Creates a block for reading the responses for a given message_id (adapter_info). The block will be passed an object # that responds to timeout_read(timeout) with a [original_message_id, response_message, worker_name] tri or nil if no message is read. # This is used in the RPC mechanism where a publish might wait for 1 or more workers to respond. @producer.impl.with_response(@adapter_info) do |consumer| if block_given? return read_multiple_response(consumer, timeout, &block) else tri = read_single_response(consumer, timeout) if tri response = tri[1] raise response if response.kind_of?(Qwirk::RemoteException) return response else @timeout = !tri return nil end end end enddef read_pages # get all projects results_projects = database.query("SELECT id, identifier, name FROM projects;") results_projects.each do |row_project| #collect all namespaces namespaces << OpenStruct.new(identifier: row_project["identifier"], name: row_project["name"]) end # get all wikis results_wikis = database.query("SELECT id, project_id FROM wikis;") # get all lemmas results_pages = database.query("SELECT id, title, wiki_id FROM wiki_pages;") results_pages.each do |row_page| results_contents = database.query("SELECT * FROM wiki_content_versions WHERE page_id='#{row_page["id"]}' ORDER BY updated_on;") # get wiki for page wiki_row = nil project_row = nil results_wikis.each do |wiki| wiki_row = wiki if wiki["id"] == row_page["wiki_id"] end if wiki_row # get project from wiki-id results_projects.each do |project| project_row = project if project["id"] == wiki_row["project_id"] end end project_identifier = project_row ? project_row["identifier"] + '/' : "" title = project_identifier + row_page["title"] titles << title @latest_revisions = {} results_contents.each do |row_content| author = authors[row_content["author_id"]] ? @authors[row_content["author_id"]] : nil page = Page.new({:id => row_content["id"], :title => title, :body => row_content["data"], :markup => :textile, :latest => false, :time => row_content["updated_on"], :message => row_content["comments"], :author => author, :author_name => author.name}) revisions << page @latest_revisions[title] = page end end titles.uniq! @latest_revisions.each { |rev| rev[1].set_latest } revisions.sort! { |a,b| a.time <=> b.time } # TODO find latest revision for each limit revisions enddef save_persist_state return unless @persist_file new_persist_options = {} BaseWorker.worker_classes.each do |worker_class| worker_class.each_config(@adapter_factory.worker_config_class) do |config_name, ignored_extended_worker_config_class, default_options| static_options = default_options.merge(@worker_options[config_name] || {}) worker_config = self[config_name] hash = {} # Only store off the config values that are specifically different from default values or values set in the workers.yml file # Then updates to these values will be allowed w/o being hardcoded to an old default value. worker_config.bean_get_attributes do |attribute_info| if attribute_info.attribute[:config_item] && attribute_info.ancestry.size == 1 param_name = attribute_info.ancestry[0].to_sym value = attribute_info.value hash[param_name] = value if static_options[param_name] != value end end new_persist_options[config_name] = hash unless hash.empty? end end if new_persist_options != @persist_options @persist_options = new_persist_options File.open(@persist_file, 'w') do |out| YAML.dump(@persist_options, out ) end end enddef get_comments(bugs) params = {} # TODO # this construction should be refactored to a method params['ids'] = case bugs when Array bugs when Integer || String [bugs] else raise ArgumentError, format('Unknown type of arguments: %s', bugs.class) end result = comments(params) # not supporting comment_ids. so drop "comments". ret = result['bugs'] # creation_time was added in Bugzilla 4.4. copy the 'time' value to creation_time if not available for compatibility. unless check_version(4.4)[0] ret.each do |_id, o| o['comments'].each do |c| c['creation_time'] = c['time'] unless c.include?('creation_time') end end end ret enddef grab width = fmt.width if width > 0 result, @src = src[0...width], src[width..-1] || "" elsif width == 0 result, @src = src[0...1], src[1..-1] || "" elsif width == -1 result, @src = src, "" else result, @src = src[0..width], src[(width+1)..-1] || "" end result enddef parse(target) #Handle the width option if specified. if (width = fmt.width) > 0 head, tail = src[0...width], src[width..-1] || "" else head, tail = src, "" end #Do the parse on the input string or regex. @prematch, @match, @postmatch = head.partition(target) #Analyze the results. if found? @src = @postmatch + tail @match else nil end enddef fetch_rates if self.class.superclass.eql?(Object) raise Exception.new("This method should be invoked from CurrencySpy::Scraper sub class") else check_currency_code_validity rate_results = {} RATE_DATA.each do |rate| symbol = rate.to_sym if self.class.instance_methods.include?(symbol) value = self.send(symbol) rate_results[symbol] = value unless value.nil? end end rate_results end enddef logger(obj) %w(debug info warn error fatal level).each do |m| next if obj.respond_to?(m) raise ArgumentError, "logger #{obj} does not respond to method #{m}" end map[:logger] = obj enddef notify_destroy self.ChannelPublications.each do |publication, options| if options[:scope]==:all or options[:actions].include? :destroy # Checks if record is within scope before broadcasting if options[:scope]==:all or record_within_scope(self.class.scoped_collection(options[:scope])).present? ActionCable.server.broadcast publication, msg: 'destroy', id: self.id end end end enddef notify_update # Get model changes if self.respond_to?(:saved_changes) # For Rails >= 5.1 changes = self.saved_changes.transform_values(&:second) else # For Rails < 5.1 changes = self.changes.transform_values(&:second) end # Checks if there are changes in the model if !changes.empty? self.ChannelPublications.each do |publication, options| if options[:actions].include? :update # Checks if previous record was within scope record = record_within_scope(options[:records]) was_in_scope = record.present? options[:records].delete(record) if was_in_scope # Checks if current record is within scope if options[:track_scope_changes]==true is_in_scope = false if options[:scope]==:all record = self is_in_scope = true else record = record_within_scope(self.class.scoped_collection(options[:scope])) if record.present? is_in_scope = true end end else is_in_scope = was_in_scope end # Broadcasts notifications about model changes if is_in_scope if was_in_scope # Get model changes and applies them to the scoped collection record changes.select!{|k,v| record.respond_to?(k)} if !changes.empty? ActionCable.server.broadcast publication, msg: 'update', id: self.id, data: changes end else ActionCable.server.broadcast publication, msg: 'create', id: record.id, data: record end elsif was_in_scope # checks if needs to delete the record if its no longer in scope ActionCable.server.broadcast publication, msg: 'destroy', id: self.id end end end end enddef notify_create self.ChannelPublications.each do |publication, options| if options[:actions].include? :create # Checks if records is within scope before broadcasting records = self.class.scoped_collection(options[:scope]) if options[:scope]==:all or record_within_scope(records) ActionCable.server.broadcast publication, msg: 'create', id: self.id, data: self end end end enddef validate! files = Dir.glob(File.join(@directory, '*.xml')).sort threads = [] files.map do |path| threads << Thread.new(path) do |path_t| eadid = File.basename(path_t, '.xml') begin ead = Mead::Ead.new({:file => File.open(path_t), :eadid => eadid}) rescue => e record_invalid(eadid, ead, e) next end if ead.valid? @valid << eadid else record_invalid(eadid, ead) end end end threads.each { |thread| thread.join } metadata enddef points(num_points, prime) intercept = @coefficients[0] # the first coefficient is the intercept (1..num_points).map do |x| y = intercept (1...@coefficients.length).each do |i| y = (y + @coefficients[i] * x ** i) % prime end Point.new(x, y) end enddef subset?(string) (Set.new(string.chars) - Set.new(charset)).empty? enddef char_to_codepoint(c) codepoint = charset.index c if codepoint.nil? fail NotInCharset, "Char \"#{c}\" not part of the supported charset" end codepoint enddef s_to_i(string) string.chars.reduce(0) do |output, char| output * charset.length + char_to_codepoint(char) end enddef i_to_s(input) if !input.is_a?(Integer) || input < 0 fail NotPositiveInteger, "input must be a non-negative integer" end output = "" while input > 0 input, codepoint = input.divmod(charset.length) output.prepend(codepoint_to_char(codepoint)) end output enddef enhance_content(value, separator = ', ') value.is_a?(Array) ? value.join(separator) : value enddef large_enough_prime(input) standard_primes.each do |prime| return prime if prime > input end fail CannotFindLargeEnoughPrime, "Input too large" enddef rainbow(str) i=0 ret = '' str=str.to_s while(i < str.length) ch = str[i] palette = $color_db[0][i % $color_db[0].length ] ret << (colora(palette,str[i,1])) i += 1 end ret enddef imap_find(imap) options = Clacks.config[:find_options] delete_after_find = options[:delete_after_find] begin break if stopping? uids = imap.uid_search(options[:keys] || 'ALL') uids.reverse! if options[:what].to_sym == :last uids = uids.first(options[:count]) if options[:count].is_a?(Integer) uids.reverse! if (options[:what].to_sym == :last && options[:order].to_sym == :asc) || (options[:what].to_sym != :last && options[:order].to_sym == :desc) processed = 0 expunge = false uids.each do |uid| break if stopping? source = imap.uid_fetch(uid, ['RFC822']).first.attr['RFC822'] mail = nil begin mail = Mail.new(source) mail.mark_for_delete = true if delete_after_find Clacks.config[:on_mail].call(mail) rescue StandardError => e Clacks.logger.error(e.message) Clacks.logger.error(e.backtrace) end begin imap.uid_copy(uid, options[:archivebox]) if options[:archivebox] if delete_after_find && (mail.nil? || mail.is_marked_for_delete?) expunge = true imap.uid_store(uid, "+FLAGS", [Net::IMAP::DELETED]) end rescue StandardError => e Clacks.logger.error(e.message) end processed += 1 end imap.expunge if expunge end while uids.any? && processed == uids.length enddef imap_validate_options(options) options ||= {} options[:mailbox] ||= 'INBOX' options[:count] ||= 5 options[:order] ||= :asc options[:what] ||= :first options[:keys] ||= 'ALL' options[:delete_after_find] ||= false options[:mailbox] = Net::IMAP.encode_utf7(options[:mailbox]) if options[:archivebox] options[:archivebox] = Net::IMAP.encode_utf7(options[:archivebox]) end options enddef run begin Clacks.logger.info "Clacks v#{Clacks::VERSION} started" if Clacks.config[:pop3] run_pop3 elsif Clacks.config[:imap] run_imap else raise "Either a POP3 or an IMAP server must be configured" end rescue Exception => e fatal(e) end enddef requires_version(cmd, version_) v = check_version(version_) raise NoMethodError, format('%s is not supported in Bugzilla %s', cmd, v[1]) unless v[0] enddef arel_attributes_values(include_primary_key = true, include_readonly_attributes = true, attribute_names = @attributes.keys) attrs = {} attribute_names.each do |name| if (column = column_for_attribute(name)) && (include_primary_key || !column.primary) if include_readonly_attributes || (!include_readonly_attributes && !self.class.readonly_attributes.include?(name)) value = read_attribute(name) if self.class.columns_hash[name].type == :hstore && value && value.is_a?(Hash) value = value.to_hstore # Done! elsif value && self.class.serialized_attributes.has_key?(name) && (value.acts_like?(:date) || value.acts_like?(:time) || value.is_a?(Hash) || value.is_a?(Array)) value = value.to_yaml end attrs[self.class.arel_table[name]] = value end end end attrs enddef event_loop Qwirk.logger.debug "#{self}: Starting receive loop" @start_worker_time = Time.now until @stopped || (config.stopped? && @impl.ready_to_stop?) Qwirk.logger.debug "#{self}: Waiting for read" @start_read_time = Time.now msg = @impl.receive_message if msg @start_processing_time = Time.now Qwirk.logger.debug {"#{self}: Done waiting for read in #{@start_processing_time - @start_read_time} seconds"} delta = config.timer.measure do @processing_mutex.synchronize do on_message(msg) @impl.acknowledge_message(msg) end end Qwirk.logger.info {"#{self}::on_message (#{'%.1f' % delta}ms)"} if self.config.log_times Qwirk.logger.flush if Qwirk.logger.respond_to?(:flush) end end Qwirk.logger.info "#{self}: Exiting" rescue Exception => e @status = "Terminated: #{e.message}" Qwirk.logger.error "#{self}: Exception, thread terminating: #{e.message}\n\t#{e.backtrace.join("\n\t")}" ensure @status = 'Stopped' Qwirk.logger.flush if Qwirk.logger.respond_to?(:flush) config.worker_stopped(self) enddef create_address_class(class_name, &block) klass = Class.new Address, &block Object.const_set class_name, klass enddef set_validators klass, fields=[] _single = validate_singleton_for(klass) klass.to_s.camelize.constantize.class_eval do fields.each do |f| validates_presence_of f, :if => lambda {|a| a.addressable_type.constantize.send(_single).include?(f)} end end enddef has_whereabouts klass=:address, *args options = args.extract_options! # extend Address with class name if not defined. unless klass == :address || Object.const_defined?(klass.to_s.camelize) create_address_class(klass.to_s.camelize) end # Set the has_one relationship and accepts_nested_attributes_for. has_one klass, :as => :addressable, :dependent => :destroy accepts_nested_attributes_for klass # Define a singleton on the class that returns an array # that includes the address fields to validate presence of # or an empty array if options[:validate] && options[:validate].is_a?(Array) validators = options[:validate] set_validators(klass, validators) else validators = [] end define_singleton_method validate_singleton_for(klass) do validators end # Check for geocode in options and confirm geocoder is defined. # Also defines a singleton to return a boolean about geocoding. if options[:geocode] && options[:geocode] == true && defined?(Geocoder) geocode = true set_geocoding(klass) else geocode = false end define_singleton_method geocode_singleton_for(klass) do geocode end enddef multi_search(queries) unless queries.kind_of?(Hash) raise ArgumentError, "Argument must be a Hash of named queries (#{queries.class} given)" end stmts = [] bind_values = [] queries.each do |key, args| str, *values = @builder.select(*extract_query_data(args)) stmts.push(str, "SHOW META") bind_values.push(*values) end rs = @conn.multi_query(stmts.join(";\n"), *bind_values) Hash[].tap do |result| queries.keys.each do |key| records, meta = rs.shift, rs.shift result[key] = meta_to_hash(meta).tap do |r| r[:records] = records.map { |hash| hash.inject({}) { |o, (k, v)| o.merge!(k.to_sym => v) } } end end end enddef api_call method, payload raise ArgumentError, "API method not specified." if method.blank? payload ||= {} res = @conn.post method.to_s, payload raise Faraday::Error, "Wrong response: #{res.inspect}" if (res.status != 200) return res enddef file_length if self.audio.is_a?(File) && self.audio.size > MAX_FILE_SIZE self.errors.add :audio, "It's length is excesive. #{MAX_FILE_SIZE} is the limit." return false end return true enddef failure(exception_class_or_message, message_or_nil = nil) blank.tap do |d| d.fail( case exception_class_or_message when Exception raise ArgumentError, "can't specify both exception and message" if message_or_nil exception_class_or_message when Class exception_class_or_message.new(message_or_nil) else RuntimeError.new(exception_class_or_message.to_s) end) end enddef with(temp_current) keys = temp_current.keys.map{|k| to_character(k)} previous_values = current.values_at(*keys) current.merge!(Hash[keys.zip(temp_current.values)]) yield ensure current.merge!(Hash[keys.zip(previous_values)]) enddef imagine(character_or_model, attributes = nil) character = to_character(character_or_model) prev, @building = @building, [] # because method might be re-entrant CharacterBuilder.new(character).build(attributes) do |ar| ar.save! # While errors on records associated with :has_many will prevent records # from being saved, they won't for :belongs_to, so: @building.each do |built| raise ActiveRecord::RecordInvalid, built unless built.persisted? || built.valid? end Scheherazade.log(:saving, character, ar) handle_callbacks(@building) end ensure @built.concat(@building) @building = prev enddef canonical(attribute_list) case attribute_list when nil then {} when Hash then attribute_list when Array attribute_list.map do |attributes| case attributes when Symbol {attributes => AUTO} when Hash attributes else raise "Unexpected attributes #{attributes}" end end .inject({}, :merge) else raise "Unexpected attribute_list #{attribute_list}" end enddef node(name) name = name.to_sym @nodes.detect{|node| node.name == name } enddef add_node(node) if node.respond_to?(:to_sym) node = Woodhouse::Layout::Node.new(node.to_sym) end expect_arg :node, Woodhouse::Layout::Node, node @nodes << node node enddef method_missing(method, *args, &block) if method.to_s =~ /^asynch?_(.*)/ if instance_methods(false).detect{|meth| meth.to_s == $1 } Woodhouse.dispatch(@worker_name, $1, args.first) else super end else super end enddef query(sql, *bind_values) @pool.acquire { |conn| conn.query(sql, *bind_values).first } enddef update(id, attributes) set_attrs, *bind_values = update_attributes(attributes) [ [ "UPDATE #{@index_name} SET", set_attrs, "WHERE id = ?" ].join(" "), *bind_values.push(id) ] enddef select(query, filters) where, *bind_values = conditions(query, filters) [ [ from(filters), where, order_by(filters), limits(filters) ].join(" "), *bind_values ] enddef read_input_by_6_words word_arr = [] while true line = stream.gets if line.nil? break # EOF end line.scan(/\S+/) do |word| word_arr << word # return the array if we have accumulated 6 words if word_arr.length == 6 yield word_arr word_arr.clear end end end # yield whatever we have left, if anything if !word_arr.empty? yield word_arr end enddef print_hex(data, chunk_index, cols=80) case hex_style when 'lower', 'lowercase' # encode to lowercase hex with no newlines print Sixword::Hex.encode(data) when 'finger', 'fingerprint' # encode to GPG fingerprint like hex with newlines newlines_every = cols / 5 if chunk_index != 0 if chunk_index % newlines_every == 0 print "\n" else print ' ' end end print Sixword::Hex.encode_fingerprint(data) when 'colon', 'colons' # encode to SSL/SSH fingerprint like hex with colons print ':' unless chunk_index == 0 print Sixword::Hex.encode_colons(data) end enddef perform(script) export_variables = @params.reverse_merge("PARADUCT_JOB_ID" => @job_id, "PARADUCT_JOB_NAME" => job_name) variable_string = export_variables.map { |key, value| %(export #{key}="#{value}";) }.join(" ") Array.wrap(script).inject("") do |stdout, command| stdout << run_command("#{variable_string} #{command}") stdout end enddef run_strategy(name, scope) strategy = "Janus::Strategies::#{name.to_s.camelize}".constantize.new(scope, self) if strategy.valid? strategy.authenticate! if strategy.success? send(strategy.auth_method, strategy.user, :scope => scope) Janus::Manager.run_callbacks(:authenticate, strategy.user, self, :scope => scope) end end strategy.success? enddef run_strategies(scope) Janus::Manager.strategies.each { |name| break if run_strategy(name, scope) } enddef [] file, *ps, &exe opts = ::Hash === ps.last ? ps.pop : {} opts[:env] = self name, type, flg = ps[0] || opts[:name], ps[1] || opts[:type], ps[2] || opts[:flags] ps.push opts @dbs[ [file, name, flg | CREATE]] ||= (type || SBDB::Unknown).new file, *ps, &exe enddef fetch self.version = begin ver = cache.fetch(CACHE_VERSION_KEY) do {'version' => Tml.config.cache[:version] || 'undefined', 't' => cache_timestamp} end validate_cache_version(ver) end enddef validate_cache_version(version) # if cache version is hardcoded, use it if Tml.config.cache[:version] return Tml.config.cache[:version] end return version unless version.is_a?(Hash) return 'undefined' unless version['t'].is_a?(Numeric) return version['version'] if cache.read_only? # if version check interval is disabled, don't try to check for the new # cache version on the CDN if version_check_interval == -1 Tml.logger.debug('Cache version check is disabled') return version['version'] end expires_at = version['t'] + version_check_interval if expires_at < Time.now.to_i Tml.logger.debug('Cache version is outdated, needs refresh') return 'undefined' end delta = expires_at - Time.now.to_i Tml.logger.debug("Cache version is up to date, expires in #{delta}s") version['version'] enddef say(message, color=nil) @shell ||= Thor::Shell::Basic.new @shell.say message, color enddef download(cache_path = default_cache_path, version = nil) t0 = Time.now Tml.logger = Logger.new(STDOUT) Tml.logger.debug('Starting cache download...') app = Tml::Application.new(key: Tml.config.application[:key], cdn_host: Tml.config.application[:cdn_host]) extract_version(app, version) Tml.logger.debug("Downloading Version: #{Tml.cache.version}") archive_name = "#{Tml.cache.version}.tar.gz" path = "#{cache_path}/#{archive_name}" url = "#{app.cdn_host}/#{Tml.config.application[:key]}/#{archive_name}" Tml.logger.debug("Downloading cache file: #{url}") open(path, 'wb') do |file| file << open(url).read end Tml.logger.debug('Extracting cache file...') version_path = "#{cache_path}/#{Tml.cache.version}" Tml::Utils.untar(Tml::Utils.ungzip(File.new(path)), version_path) Tml.logger.debug("Cache has been stored in #{version_path}") File.unlink(path) begin current_path = 'current' FileUtils.chdir(cache_path) FileUtils.rm(current_path) if File.exist?(current_path) FileUtils.ln_s(Tml.cache.version.to_s, current_path) Tml.logger.debug("The new version #{Tml.cache.version} has been marked as current") rescue Exception => ex Tml.logger.debug("Could not generate current symlink to the cache path: #{ex.message}") end t1 = Time.now Tml.logger.debug("Cache download took #{t1-t0}s") enddef default_cache_path @cache_path ||= begin path = Tml.config.cache[:path] path ||= 'config/tml' FileUtils.mkdir_p(path) FileUtils.chmod(0777, path) path end enddef warmup_from_cdn(version = nil) t0 = Time.now Tml.logger = Logger.new(STDOUT) Tml.logger.debug('Starting cache warmup from CDN...') app = Tml::Application.new(key: Tml.config.application[:key], cdn_host: Tml.config.application[:cdn_host]) extract_version(app, version) Tml.logger.debug("Warming Up Version: #{Tml.cache.version}") application = app.api_client.get_from_cdn('application', {t: Time.now.to_i}) Tml.cache.store(Tml::Application.cache_key, application) sources = app.api_client.get_from_cdn('sources', {t: Time.now.to_i}, {uncompressed: true}) application['languages'].each do |lang| locale = lang['locale'] language = app.api_client.get_from_cdn("#{locale}/language", {t: Time.now.to_i}) Tml.cache.store(Tml::Language.cache_key(locale), language) sources.each do |src| source = app.api_client.get_from_cdn("#{locale}/sources/#{src}", {t: Time.now.to_i}) Tml.cache.store(Tml::Source.cache_key(locale, src), source) end end t1 = Time.now Tml.logger.debug("Cache warmup took #{t1-t0}s") enddef warmup_from_files(version = nil, cache_path = nil) t0 = Time.now Tml.logger = Logger.new(STDOUT) Tml.logger.debug('Starting cache warmup from local files...') version ||= Tml.config.cache[:version] cache_path ||= Tml.config.cache[:path] cache_path = "#{cache_path}/#{version}" Tml.cache.version.set(version.to_s) Tml.logger.debug("Warming Up Version: #{Tml.cache.version}") application = JSON.parse(File.read("#{cache_path}/application.json")) Tml.cache.store(Tml::Application.cache_key, application) sources = JSON.parse(File.read("#{cache_path}/sources.json")) application['languages'].each do |lang| locale = lang['locale'] language = JSON.parse(File.read("#{cache_path}/#{locale}/language.json")) Tml.cache.store(Tml::Language.cache_key(locale), language) sources.each do |src| source = JSON.parse(File.read("#{cache_path}/#{locale}/sources/#{src}.json")) Tml.cache.store(Tml::Source.cache_key(locale, src), source) end end t1 = Time.now Tml.logger.debug("Cache warmup took #{t1-t0}s") enddef warmup(version = nil, cache_path = nil) if cache_path.nil? warmup_from_cdn(version) else warmup_from_files(version, cache_path) end enddef extract_version(app, version = nil) if version Tml.cache.version.set(version.to_s) else version_data = app.api_client.get_from_cdn('version', {t: Time.now.to_i}, {uncompressed: true}) unless version_data Tml.logger.debug('No releases have been generated yet. Please visit your Dashboard and publish translations.') return end Tml.cache.version.set(version_data['version']) end enddef namespace return '#' if Tml.config.disabled? @namespace || Tml.config.cache[:namespace] || Tml.config.application[:key][0..5] enddef user(scope) scope = scope.to_sym @users ||= {} if authenticated?(scope) if @users[scope].nil? begin @users[scope] = user_class(scope).find(session(scope)['user_id']) rescue ActiveRecord::RecordNotFound unset_user(scope) else Janus::Manager.run_callbacks(:fetch, @users[scope], self, :scope => scope) end end @users[scope] end enddef unset_user(scope) janus_sessions.delete(scope.to_s) @users.delete(scope.to_sym) unless @users.nil? enddef set_user(user, options = {}) scope = options[:scope] || Janus.scope_for(user) janus_sessions[scope.to_s] = { 'user_class' => user.class.name, 'user_id' => user.id } enddef logout(*scopes) scopes = janus_sessions.keys if scopes.empty? scopes.each do |scope| _user = user(scope) unset_user(scope) Janus::Manager.run_callbacks(:logout, _user, self, :scope => scope) end request.reset_session if janus_sessions.empty? enddef login(user, options = {}) options[:scope] ||= Janus.scope_for(user) set_user(user, options) Janus::Manager.run_callbacks(:login, user, self, options) enddef subject_should_not_raise(*args) error, message = args it_string = "subject should not raise #{error}" it_string += " (#{message.inspect})" if message it it_string do expect { subject }.not_to raise_error error, message end enddef subject_should_raise(*args) error, message = args it_string = "subject should raise #{error}" it_string += " (#{message.inspect})" if message it it_string do expect { subject }.to raise_error error, message end enddef let_context(*args, &block) context_string, hash = case args.map(&:class) when [String, Hash] then ["#{args[0]} #{args[1]}", args[1]] when [Hash] then [args[0].inspect, args[0]] end context(context_string) do hash.each { |var, value| let(var) { value } } instance_eval(&block) end enddef deal_with_valid_option(temp_tables, temp_columns, temp_column_types, res) if !temp_tables.empty? check_given_tables_validity(temp_tables) temp_tables.each do |t| res << convert_table(t) end elsif !temp_columns.keys.empty? check_given_columns_validity(temp_columns) res << convert_from_columns_hash(temp_columns) elsif !temp_column_types.empty? check_given_columns_validity(temp_column_types) res << convert_from_column_types_hash(temp_column_types) end enddef is_numeric(table_name, column_name) if @db.execute("SELECT #{column_name} from #{table_name} LIMIT 1").first.first.is_a? Numeric return true else return false end enddef get_columns(table_name) columns_arr = [] pst = @db.prepare "SELECT * FROM #{table_name} LIMIT 6" pst.columns.each do |c| columns_arr.push(c) end columns_arr enddef find(icon) str = icon.to_s.downcase file = DB.files[str] || DB.files[str.sub(/\.svg$/,'')] || not_found(str, icon) Icon.new(file) enddef each (0..size-1).each do |i| pk = @list[i] if @opts[:pk_only] yield(pk) else val = @table[pk] val[:pk] = pk unless @opts[:no_pk] yield(val) end end enddef raise_error err_code = lib.tab_ecode(@db) err_msg = lib.tab_errmsg(err_code) raise TokyoError.new("(err #{err_code}) #{err_msg}") enddef lget (*keys) keys.flatten.inject({}) { |h, k| k = k.to_s v = self[k] h[k] = v if v h } enddef keys (options={}) pre = options.fetch(:prefix, "") l = lib.tab_fwmkeys( @db, pre, Rufus::Tokyo.blen(pre), options[:limit] || -1) l = Rufus::Tokyo::List.new(l) options[:native] ? l : l.release enddef []= (a, b, c=nil) i, s = c.nil? ? [ a, b ] : [ [a, b], c ] range = if i.is_a?(Range) i elsif i.is_a?(Array) start, count = i (start..start + count - 1) else [ i ] end range = norm(range) values = s.is_a?(Array) ? s : [ s ] # not "values = Array(s)" range.each_with_index do |offset, index| val = values[index] if val clib.tclistover(@pointer, offset, val, Rufus::Tokyo.blen(val)) else outlen_op(:tclistremove, values.size) end end self enddef keys clib.tcmapiterinit(pointer_or_raise) a = [] klen = FFI::MemoryPointer.new(:int) loop do k = clib.tcmapiternext(@pointer, klen) break if k.address == 0 a << k.get_bytes(0, klen.get_int(0)) end return a ensure klen.free enddef delete (k) v = self[k] return nil unless v clib.tcmapout(pointer_or_raise, k, Rufus::Tokyo::blen(k)) || raise("failed to remove key '#{k}'") v enddef []= (k, v) clib.tcmapput(pointer, k, Rufus::Tokyo::blen(k), v, Rufus::Tokyo::blen(v)) v enddef get4 (k) l = lib.tcbdbget4(as_btree, k, Rufus::Tokyo.blen(k)) Rufus::Tokyo::List.new(l).release enddef keys (options={}) if @type == "tcf" min, max = "min", "max" l = lib.tcfdbrange2( as_fixed, min, Rufus::Tokyo.blen(min), max, Rufus::Tokyo.blen(max), -1) else pre = options.fetch(:prefix, "") l = lib.abs_fwmkeys( @db, pre, Rufus::Tokyo.blen(pre), options[:limit] || -1) end l = Rufus::Tokyo::List.new(l) options[:native] ? l : l.release enddef compact_copy (target_path) @other_db = Cabinet.new(target_path) self.each { |k, v| @other_db[k] = v } @other_db.close enddef recolor(bg: '#000', fg: '#fff', bg_opacity: "1.0", fg_opacity: "1.0") OptionalDeps.require_nokogiri bg.prepend('#') unless bg.start_with? '#' fg.prepend('#') unless fg.start_with? '#' doc = Nokogiri::XML(self.string) doc.css('path')[0]['fill'] = bg # dark backdrop doc.css('path')[1]['fill'] = fg # light drawing doc.css('path')[0]['fill-opacity'] = bg_opacity.to_s # dark backdrop doc.css('path')[1]['fill-opacity'] = fg_opacity.to_s # light drawing @svgstr = doc.to_xml self enddef top(n, scores) scores.sort {|a,b| a[1] <=> b[1]}.map{|x| x[0]}.first(n) enddef char_freq(str) freqs = Hash.new(0) (1..4).each do |i| str.chars.each_cons(i).inject(freqs) do |freq, ngram| ngram = ngram.join freq[ngram] = freq[ngram] + 1 freq end end freqs enddef search( expression ) out_count = ::FFI::MemoryPointer.new :pointer out_list = ::FFI::MemoryPointer.new :pointer out_list = lib.tcidbsearch2( @db, expression, out_count ) count = out_count.read_int results = out_list.get_array_of_uint64(0, count ) return results enddef fetch( id ) r = nil begin r = lib.tcidbget( @db, id ) rescue => e # if we have 'no record found' then return nil if lib.tcidbecode( @db ) == 22 then return nil else raise_error end end return r enddef autocomplete_to_add_item(name, f, association, source, options = {}) new_object = f.object.send(association).klass.new options[:class] = ["autocomplete add-item", options[:class]].compact.join " " options[:data] ||= {} options[:data][:id] = new_object.object_id options[:data][:source] = source options[:data][:item] = f.fields_for(association, new_object, child_index: options[:data][:id]) do |builder| render(association.to_s.singularize + "_item", f: builder).gsub "\n", "" end text_field_tag "autocomplete_nested_content", nil, options enddef keys (options={}) if @db.respond_to? :fwmkeys pref = options.fetch(:prefix, "") @db.fwmkeys(pref, options[:limit] || -1) elsif @db.respond_to? :range @db.range("[min,max]", nil) else raise NotImplementedError, "Database does not support keys()" end enddef add (colname, operator, val, affirmative=true, no_index=false) colname = colname.to_s val = val.to_s op = operator.is_a?(Fixnum) ? operator : OPERATORS[operator] op = op | TDBQCNEGATE unless affirmative op = op | TDBQCNOIDX if no_index @query.addcond(colname, op, val) enddef get_random_number_with_bitlength(bits) byte_length = (bits / 8.0).ceil + 10 random_num = get_random_number(byte_length) random_num_bin_str = random_num.to_s(2) # Get 1's and 0's # Slice off only the bits we require, convert Bits to Numeric (Bignum) random_num_bin_str.slice(0, bits).to_i(2) enddef get_random_number(bytes) RbNaCl::Util.bin2hex(RbNaCl::Random.random_bytes(bytes).to_s).to_i(16) enddef lget (*keys) h = keys.flatten.inject({}) { |hh, k| hh[k] = nil; hh } r = @db.mget(h) raise 'lget failure' if r == -1 h enddef get(url) uri = URI.parse("#{BASE_URL}#{url}/") https = Net::HTTP.new(uri.host, uri.port) https.read_timeout = @options[:timeout] if @options[:timeout] https.verify_mode = OpenSSL::SSL::VERIFY_NONE https.use_ssl = true request = Net::HTTP::Get.new(uri.request_uri, @headers) response = https.request(request) # Response code error checking if response.code != '200' check_response(response.code, response.body) else parse_json(response.body) end enddef audience(id) @url = "audiences/#{id}" raise OptimizelyError::NoAudienceID, "An Audience ID is required to retrieve the audience." if id.nil? response = self.get(@url) Audience.new(response) enddef audiences(project_id) raise OptimizelyError::NoProjectID, "A Project ID is required to retrieve audiences." if project_id.nil? response = self.get("projects/#{project_id}/audiences") response.collect { |audience_json| Audience.new(audience_json) } enddef variation(id) @url = "variations/#{id}" raise OptimizelyError::NoVariationID, "A Variation ID is required to retrieve the variation." if id.nil? response = self.get(@url) Variation.new(response) enddef variations(experiment_id) raise OptimizelyError::NoExperimentID, "An Experiment ID is required to retrieve variations." if experiment_id.nil? response = self.get("experiments/#{experiment_id}/variations") response.collect { |variation_json| Variation.new(variation_json) } enddef stats(experiment_id) @url = "experiments/#{experiment_id}/stats" raise OptimizelyError::NoExperimentID, "An Experiment ID is required to retrieve the stats." if experiment_id.nil? response = self.get(@url) response.collect { |response_json| Stat.new(response_json) } enddef experiment(id) @url = "experiments/#{id}" raise OptimizelyError::NoExperimentID, "An Experiment ID is required to retrieve the experiment." if id.nil? response = self.get(@url) Experiment.new(response) enddef experiments(project_id) raise OptimizelyError::NoProjectID, "A Project ID is required to retrieve experiments." if project_id.nil? response = self.get("projects/#{project_id}/experiments") response.collect { |response_json| Experiment.new(response_json) } enddef project(id) @url = "projects/#{id}" raise OptimizelyError::NoProjectID, "A Project ID is required to retrieve the project." if id.nil? response = self.get(@url) Project.new(response) enddef projects if @projects.nil? response = self.get("projects") @projects = response.collect { |project_json| Project.new(project_json) } end @projects enddef to_lat format = :dms, dp = 0 return lat if !format GeoUnits::Converter.to_lat lat, format, dp enddef to_s date = [] date << "#{@years}Y" unless @years.nil? date << "#{@months}M" unless @months.nil? date << "#{@days}D" unless @days.nil? time = [] time << "#{@hours}H" unless @hours.nil? time << "#{@minutes}M" unless @minutes.nil? time << "#{@seconds}S" unless @seconds.nil? result = nil if !date.empty? || !time.empty? result = 'P' result += date.join unless date.empty? result += 'T' + time.join unless time.empty? end result enddef set_phrase @phrase = Phrase.find(params[:id]) rescue ActiveRecord::RecordNotFound respond_to do |format| format.json { render json: {}.to_json, status: :not_found } format.html { flash[:error] = t('idioma.record_not_found') redirect_to phrases_path } end enddef update_backend if Idioma.configuration.redis_backend if i18n_value.present? Idioma::RedisBackend.update_phrase(self) else Idioma::RedisBackend.delete_phrase(self) end end enddef get_channels(&block) response = @client.call(:get_channels, {}, &block) channels = response.to_hash[:get_channels_response][:channel] channels = [channels].compact unless channels.is_a?(Array) channels.map do |hash| IsbmAdaptor::Channel.from_hash(hash) end enddef get_channel(uri, &block) validate_presence_of uri, 'Channel URI' response = @client.call(:get_channel, message: { 'ChannelURI' => uri }, &block) hash = response.to_hash[:get_channel_response][:channel] IsbmAdaptor::Channel.from_hash(hash) enddef remove_security_tokens(uri, tokens = {}) validate_presence_of uri, 'Channel URI' validate_presence_of tokens, 'Security Tokens' message = { 'ChannelURI' => uri, 'SecurityToken' => security_token_hash(tokens) } @client.call(:remove_security_tokens, message: message) return true enddef add_security_tokens(uri, tokens = {}) validate_presence_of uri, 'Channel URI' validate_presence_of tokens, 'Security Tokens' message = { 'ChannelURI' => uri, 'SecurityToken' => security_token_hash(tokens) } @client.call(:add_security_tokens, message: message) return true enddef create_channel(uri, type, description = nil, tokens = {}) validate_presence_of uri, 'Channel URI' validate_presence_of type, 'Channel Type' channel_type = type.to_s.downcase.capitalize validate_inclusion_in channel_type, IsbmAdaptor::Channel::TYPES, 'Channel Type' message = { 'ChannelURI' => uri, 'ChannelType' => channel_type } message['ChannelDescription'] = description unless description.nil? message['SecurityToken'] = security_token_hash(tokens) if tokens.any? @client.call(:create_channel, message: message) return true enddef post_response(session_id, request_message_id, content) validate_presence_of session_id, 'Session Id' validate_presence_of request_message_id, 'Request Message Id' validate_presence_of content, 'Content' validate_xml content # Use Builder to generate XML body as we need to concatenate XML message content xml = Builder::XmlMarkup.new xml.isbm :SessionID, session_id xml.isbm :RequestMessageID, request_message_id xml.isbm :MessageContent do xml << content end response = @client.call(:post_response, message: xml.target!) response.to_hash[:post_response_response][:message_id].to_s enddef open_session(uri, topics, listener_url = nil, xpath_expression = nil, xpath_namespaces = []) validate_presence_of uri, 'Channel URI' validate_presence_of topics, 'Topics' validate_presence_of xpath_expression, 'XPath Expression' if xpath_namespaces.present? topics = [topics].flatten # Use Builder to generate XML body as we may have multiple Topic elements xml = Builder::XmlMarkup.new xml.isbm :ChannelURI, uri topics.each do |topic| xml.isbm :Topic, topic end xml.isbm :ListenerURL, listener_url unless listener_url.nil? xml.isbm :XPathExpression, xpath_expression unless xpath_expression.nil? xpath_namespaces.each do |prefix, name| xml.isbm :XPathNamespace do xml.isbm :NamespacePrefix, prefix xml.isbm :NamespaceName, name end end response = @client.call(:open_provider_request_session, message: xml.target!) response.to_hash[:open_provider_request_session_response][:session_id].to_s enddef remove_response(session_id, request_message_id) validate_presence_of session_id, 'Session Id' validate_presence_of request_message_id, 'Request Message Id' message = { 'SessionID' => session_id, 'RequestMessageID' => request_message_id } @client.call(:remove_response, message: message) return true enddef read_response(session_id, request_message_id) validate_presence_of session_id, 'Session Id' validate_presence_of request_message_id, 'Request Message Id' message = { 'SessionID' => session_id, 'RequestMessageID' => request_message_id } response = @client.call(:read_response, message: message) extract_message(response) enddef expire_request(session_id, message_id) validate_presence_of session_id, 'Session Id' validate_presence_of message_id, 'Message Id' @client.call(:expire_request, message: { 'SessionID' => session_id, 'MessageID' => message_id }) return true enddef post_request(session_id, content, topic, expiry = nil) validate_presence_of session_id, 'Session Id' validate_presence_of content, 'Content' validate_presence_of topic, 'Topic' validate_xml content # Use Builder to generate XML body as we need to concatenate XML message content xml = Builder::XmlMarkup.new xml.isbm :SessionID, session_id xml.isbm :MessageContent do xml << content end xml.isbm :Topic, topic duration = expiry.to_s xml.isbm :Expiry, duration unless duration.nil? response = @client.call(:post_request, message: xml.target!) response.to_hash[:post_request_response][:message_id].to_s enddef open_session(uri, listener_url = nil) validate_presence_of uri, 'Channel URI' message = { 'ChannelURI' => uri } message['ListenerURL'] = listener_url if listener_url response = @client.call(:open_consumer_request_session, message: message) response.to_hash[:open_consumer_request_session_response][:session_id].to_s enddef read_publication(session_id) validate_presence_of session_id, 'Session Id' response = @client.call(:read_publication, message: { 'SessionID' => session_id }) extract_message(response) enddef default_savon_options(options) options[:logger] = Rails.logger if options[:logger].nil? && defined?(Rails) options[:log] = false if options[:log].nil? options[:pretty_print_xml] = true if options[:pretty_print_xml].nil? enddef validate_xml(xml) doc = Nokogiri.XML(xml) raise ArgumentError, "XML is not well formed: #{xml}" unless doc.errors.empty? enddef validate_presence_of(value, name) if value.respond_to?(:each) value.each do |v| if v.blank? raise ArgumentError, "Values in #{name} must not be blank" end end else if value.blank? raise ArgumentError, "#{name} must not be blank" end end enddef expire_publication(session_id, message_id) validate_presence_of session_id, 'Session Id' validate_presence_of message_id, 'Message Id' @client.call(:expire_publication, message: { 'SessionID' => session_id, 'MessageID' => message_id }) return true enddef post_publication(session_id, content, topics, expiry = nil) validate_presence_of session_id, 'Session Id' validate_presence_of content, 'Content' validate_presence_of topics, 'Topics' validate_xml content topics = [topics].flatten # Use Builder to generate XML body as we need to concatenate XML message content xml = Builder::XmlMarkup.new xml.isbm :SessionID, session_id xml.isbm :MessageContent do xml << content end topics.each do |topic| xml.isbm :Topic, topic end duration = expiry.to_s xml.isbm :Expiry, duration unless duration.nil? response = @client.call(:post_publication, message: xml.target!) response.to_hash[:post_publication_response][:message_id].to_s enddef open_session(uri) validate_presence_of uri, 'Channel URI' response = @client.call(:open_publication_session, message: { 'ChannelURI' => uri }) response.to_hash[:open_publication_session_response][:session_id].to_s enddef join(collection, glue = nil, &it) # TODO as helper? two block method call #join(collection, &item).with(&glue) glue_block = case glue when String lambda { text glue } when Proc glue else lambda {} end collection.each_with_index do |obj, i| glue_block.call() if i > 0 obj.is_a?(Proc) ? obj.call : it.call(obj) end enddef render(object, method, *args, &block) object.__send__ method, self, *args, &block self enddef set_variables(instance_variables) instance_variables.each { |name, value| instance_variable_set("@#{name}", value) } yield(self) instance_variables.each { |name, _| remove_instance_variable("@#{name}") } self enddef div cr_scanner = CodeRay.scan(self.clip, self.language) # Only show line numbers if its greater than 1 if cr_scanner.loc <= 1 return cr_scanner.div else return cr_scanner.div(:line_numbers => :table) end enddef lifespan=(lifespan) @lifespan = lifespan @@lifespans.each_with_index do |span, index| if span[0] == lifespan && lifespan != "Forever" self.expires = DateTime.now.advance(@@lifespans[index][1]) end end enddef post(query_params) servers ||= SERVERS.map{|hostname| "https://#{hostname}/minfraud/chargeback"} url = URI.parse(servers.shift) req = Net::HTTP::Post.new(url.path, initheader = {'Content-Type' =>'application/json'}) req.basic_auth Maxmind::user_id, Maxmind::license_key req.body = query_params h = Net::HTTP.new(url.host, url.port) h.use_ssl = true h.verify_mode = OpenSSL::SSL::VERIFY_NONE # set some timeouts h.open_timeout = 60 # this blocks forever by default, lets be a bit less crazy. h.read_timeout = self.class.timeout || DefaultTimeout h.ssl_timeout = self.class.timeout || DefaultTimeout h.start { |http| http.request(req) } rescue Exception => e retry if servers.size > 0 raise e enddef get_modlog subreddit, opts = {} logged_in? options = { limit: 100 }.merge opts data = Nokogiri::HTML.parse(get("/r/#{subreddit}/about/log", query: options).body).css('.modactionlisting tr') processed = { data: [], first: data[0]['data-fullname'], first_date: Time.parse(data[0].children[0].child['datetime']), last: data[-1]['data-fullname'], last_date: Time.parse(data[-1].children[0].child['datetime']), } data.each do |tr| processed[:data] << { fullname: tr['data-fullname'], time: Time.parse(tr.children[0].child['datetime']), author: tr.children[1].child.content, action: tr.children[2].child['class'].split[1], description: tr.children[3].content, href: tr.children[3].css('a').count == 0 ? nil : tr.children[3].css('a')[0]['href'] } end return processed enddef remove id, spam = false logged_in? post('/api/remove', body: {id: id, spam: spam, uh: @modhash, api_type: 'json'}) enddef distinguish id, how = "yes" logged_in? hows = %w{yes no admin special} post('/api/distinguish', body: {id: id, how: how, uh: @modhash, api_type: 'json'}) enddef get_listing opts = {} # Build the basic url url = "%s/%s.json" % [('/r/' + opts[:subreddit] if opts[:subreddit] ), (opts[:page] if opts[:page])] # Delete subreddit and page from the hash, they dont belong in the query [:subreddit, :page].each {|k| opts.delete k} query = opts # Make the request get(url, query: query) enddef get_comments opts = {} query = { limit: 100 } query.merge! opts url = "%s/comments/%s%s.json" % [('/r/' + opts[:subreddit] if opts[:subreddit]), opts[:link_id], ('/blah/' + opts[:comment_id] if opts[:comment_id])] get(url, query: query) enddef flair_toggle enabled, subreddit logged_in? post('/api/setflairenabled', body: {flair_enabled: enabled, uh: @modhash, r: subreddit, api_type: 'json'}) enddef select_flair_template template_id, subreddit, opts = {} logged_in? params = { flair_template_id: template_id, uh: @modhash, r: subreddit, api_type: 'json' } params.merge! opts post('/api/selectflair', body: params) enddef flair_template subreddit, opts = {} logged_in? params = { flair_type: 'USER_FLAIR', text_editable: false, uh: @modhash, r: subreddit, api_type: 'json' } params.merge! opts post('/api/flairtemplate', body: params) enddef flair_csv csv, subreddit logged_in? post('/api/flaircsv.json', body: {flair_csv: csv, r: subreddit, uh: @modhash}) enddef flair_config subreddit, opts = {} logged_in? options = { flair_enabled: true, flair_position: 'right', flair_self_assign_enabled: false, link_flair_position: 'right', link_flair_self_assign_enabled: false, uh: @modhash, r: subreddit, api_type: 'json' } options.merge! opts post('/api/flairconfig', body: options) enddef delete_flair_template id, subreddit logged_in? post('/api/deleteflairtemplate', body: {flair_template_id: id, r: subreddit, uh: @modhash, api_type: 'json'}) enddef delete_user_flair user, subreddit logged_in? post('/api/deleteflair', body: {name: user, r: subreddit, uh: @modhash, api_type: 'json'}) enddef clear_flair_templates type, subreddit logged_in? post('/api/clearflairtemplates', body: { flair_type: type, r: subreddit, uh: @modhash, api_type: 'json'}) enddef get_messages where = "inbox", opts = {} query = { mark: false } query.merge! opts get("/message/#{where}.json", query: query) enddef delete_user password, reason = "deleted by script command" logged_in? delete = post('/api/delete_user', body: { confirm: true, delete_message: reason, passwd: password, uh: @modhash, user: @username, api_type: 'json' }) return delete enddef auth modhash, cookies set_cookies cookies @modhash = modhash meinfo = get("/api/me.json") @username = meinfo['data']['name'] @userid = 't2_' + meinfo['data']['id'] enddef log_in username, password login = post("/api/login", :body => {user: username, passwd: password, api_type: 'json'}) errors = login['json']['errors'] raise errors[0][1] unless errors.size == 0 set_cookies login.headers['set-cookie'] @modhash = login['json']['data']['modhash'] @username = username @userid = 't2_' + get('/api/me.json')['data']['id'] return login enddef get *args, &block response = self.class.get *args, &block raise WebserverError, response.code unless response.code == 200 response enddef unban_user container, user, subreddit unfriend_wrapper container: container, name: user, r: subreddit, type: "banned" enddef remove_contributor container, user, subreddit unfriend_wrapper container: container, name: user, r: subreddit, type: "contributor" enddef remove_moderator container, user, subreddit unfriend_wrapper container: container, name: user, r: subreddit, type: "moderator" enddef ban_user container, user, subreddit friend_wrapper container: container, name: user, r: subreddit, type: "banned" enddef add_contributor container, user, subreddit friend_wrapper container: container, name: user, r: subreddit, type: "contributor" enddef add_moderator container, user, subreddit friend_wrapper container: container, name: user, r: subreddit, type: "moderator" enddef get_reddits opts = {} url = "/reddits/%s.json" % (opts[:condition] if opts[:condition]) opts.delete :condition query = opts get(url, query: query) enddef my_reddits opts = {} logged_in? url = "/reddits/mine/%s.json" % (opts[:condition] if opts[:condition]) opts.delete :condition query = opts get(url, query: query) enddef subscribe subreddit, action = "sub" logged_in? post('/api/subscribe', body: {action: action, sr: subreddit, uh: @modhash, api_type: 'json'}) enddef set_stylesheet stylesheet, subreddit logged_in? post('/api/subreddit_stylesheet', body: {op: 'save', r: subreddit, stylesheet_contents: stylesheet, uh: @modhash, api_type: 'json'}) enddef delete_image subreddit, image_name logged_in? post('/api/delete_sr_image', body: {r: subreddit, img_name: image_name, uh: @modhash, api_type: 'json'}) enddef gotcha(options = {}) options[:label_options] ||= {} options[:text_field_options] ||= {} if gotcha = Gotcha.random field = "gotcha_response[#{gotcha.class.name.to_s}-#{Digest::MD5.hexdigest(gotcha.class.down_transform(gotcha.answer))}]" (label_tag field, gotcha.question, options[:label_options]) + "\n" + (text_field_tag field, nil, options[:text_field_options]) else raise "No Gotchas Installed" end enddef correct?(str) str = str.is_a?(String) ? str : str.to_s str == (@answer.is_a?(String) ? @answer : @answer.to_s) # don't change @answer type enddef vote direction, id logged_in? post('/api/vote', body: {id: id, dir: direction, uh: @modhash, api_type: 'json'}) enddef submit title, subreddit, opts = {} logged_in? post = { title: title, sr: subreddit, uh: @modhash, kind: (opts[:url] ? "link" : "self"), api_type: 'json' } post.merge! opts post('/api/submit', body: post) enddef comment text, id logged_in? post('/api/comment', body: { text: text, thing_id: id, uh: @modhash, api_type: 'json'}) enddef get_user_listing username, opts = {} opts[:type] = 'overview' if opts[:type].nil? url = "/user/%s%s.json" % [username, ('/' + opts[:type] if opts[:type] != 'overview')] opts.delete :type query = opts get(url, query: query) enddef friend name, friend_id, note = nil friend_wrapper(api_name = name, api_container = @userid, api_note = note, api_type = "friend") enddef render_content_files(dest_dir, options) view = Render::View.new(self, @config) @config.locales.each do |file_locale| content_file = content_file(file_locale) next unless content_file dest = destination_file(dest_dir, file_locale) unless Dir.exist?(File.dirname(dest)) FileUtils.mkdir_p(File.dirname(dest)) end if options[:force] || !File.exist?(dest) || File.mtime(content_file) > File.mtime(dest) File.open(dest, 'w') do |f| layout = @props.layout || 'default' f.write view.render({page: self, layout: layout}, {locale: file_locale}) end end end enddef symlink(from_path, to_path) to_path = realpath(to_path) target = from_path.relative_path_from(to_path).to_s.sub(/^\.\.\//, '') if !to_path.dirname.directory? Amber.logger.warn { "On page `#{@file_path}`, the parent directories for alias name `#{to_path}` don't exist. Skipping alias." } return end if to_path.exist? && to_path.symlink? File.unlink(to_path) end if !to_path.exist? Amber.logger.debug { "Symlink #{to_path} => #{target}" } FileUtils.ln_s(target, to_path) end enddef render_to_file(dest_dir, options={}) render_content_files(dest_dir, options) render_assets(dest_dir) @props.locales.each do |locale| if aliases(locale).any? link_page_aliases(dest_dir, aliases(locale), locale) end end enddef request_trust(trust_url = "http://#{request.host}/", *args) trust_url = url_for(trust_url.merge(:only_path => false)) if trust_url.kind_of?(Hash) javascript_tag "CCPEVE.requestTrust(#{trust_url.inspect});", *args enddef link_to_trust_request(text, trust_url = "http://#{request.host}/", *args) trust_url = url_for(trust_url.merge(:only_path => false)) if trust_url.kind_of?(Hash) link_to_function text, "CCPEVE.requestTrust(#{trust_url.inspect})", *args enddef link_to_route(text, destination_id, source_id = nil, *args) function = "CCPEVE.showRouteTo(#{destination_id.inspect}" function.concat ", #{source_id.inspect}" if source_id function.concat ")" link_to_function text, function, *args enddef link_to_info(text, type_id, item_id = nil, *args) function = "CCPEVE.showInfo(#{type_id.inspect}" function.concat ", #{item_id.inspect}" if item_id function.concat ")" link_to_function text, function, *args enddef type_id(which) which = which.to_s.humanize unless which.kind_of?(String) which.downcase! case which when 'alliance' then 16159 when 'character' then 1377 when 'corporation' then 2 when 'constellation' then 4 when 'region' then 3 when 'solar system', 'solarsystem' then 5 when 'station' then 3867 else raise ArgumentError, "Unknown type: #{which}" end enddef parent_for(heading) heading = heading[1].to_i if heading.is_a?(String) if children.any? && children.last.level < heading children.last.parent_for(heading) else self end enddef to_html(options={}) html = [] tag = options[:tag] indent = options[:indent] || 0 str = options[:indent_str] || " " html << '%s<%s>' % [(str*indent), tag] @children.each do |item| html << '%s
  • ' % (str*(indent+1)) html << '%s%s' % [str*(indent+2), options[:href_base], item.anchor, item.text] if item.children.any? html << item.to_html({ :indent => indent+2, :indent_str => str, :tag => tag, :href_base => options[:href_base] }) end html << '%s
  • ' % (str*(indent+1)) end html << '%s' % [(str*indent), tag] html.join("\n") enddef populate_node(node, options) @children.each do |item| li = node.document.create_element("li") li.add_child(li.document.create_element("a", item.text, :href => "#{options[:href_base]}##{item.anchor}")) if item.children.any? ul = li.document.create_element(options[:tag]) item.populate_node(ul, options) li.add_child(ul) end node.add_child(li) end enddef strip_html_tags(html) Nokogiri::HTML::DocumentFragment.parse(html, 'UTF-8').children.collect{|child| child.inner_text}.join enddef nameize(str) str = str.dup str.gsub!(/&(\w{2,6}?|#[0-9A-Fa-f]{2,6});/,'') # remove html entitities str.gsub!(/[^- [[:word:]]]/u, '') # remove non-word characters (using unicode definition of a word char) str.strip! str.downcase! # upper case characters in urls are confusing str.gsub!(/\ +/u, '-') # spaces to dashes, preferred separator char everywhere CGI.escape(str) enddef last_menu_at_depth(depth) menu = self depth.times { menu = menu.children.last } menu enddef variable_files if @simple_page directory = File.dirname(@file_path) regexp = SIMPLE_VAR_MATCH_RE.call(@name) else directory = @file_path regexp = VAR_FILE_MATCH_RE end hsh = {} Dir.foreach(directory) do |file| if file && match = regexp.match(file) locale = match['locale'] || I18n.default_locale hsh[locale.to_sym] = File.join(directory, file) end end hsh enddef parse_headers(content_file) headers = [] para1 = [] para2 = [] file_type = type_from_path(content_file) File.open(content_file, :encoding => 'UTF-8') do |f| while (line = f.gets) =~ /^(- |)@\w/ if line !~ /^-/ line = '- ' + line end headers << line end # eat empty lines while line = f.gets break unless line =~ /^\s*$/ end # grab first two paragraphs para1 << line while line = f.gets break if line =~ /^\s*$/ para1 << line end while line = f.gets break if line =~ /^\s*$/ para2 << line end end headers = headers.join para1 = para1.join para2 = para2.join excerpt = "" # pick the first non-heading paragraph. # this is stupid, and chokes on nested headings. # but is also cheap and fast :) if file_type == :textile if para1 =~ /^h[1-5]\. / excerpt = para2 else excerpt = para1 end elsif file_type == :markdown if para1 =~ /^#+ / || para1 =~ /^(===+|---+)\s*$/m excerpt = para2 else excerpt = para1 end end return [headers, excerpt] enddef add_aliases(locale, page, path_hash) page.aliases(locale).each do |alias_path| alias_path_str = alias_path.join('/') if path_hash[alias_path_str] Amber.logger.warn "WARNING: page `#{page.path.join('/')}` has alias `#{alias_path_str}`, but this path is already taken by `#{path_hash[alias_path_str].path.join('/')}` (locale = #{locale})." else path_hash[alias_path_str] = page end end enddef add_page(page) @pages_by_name[page.name] ||= page @pages_by_path[page.path.join('/')] = page add_aliases(I18n.default_locale, page, @pages_by_path) page.locales.each do |locale| next if locale == I18n.default_locale add_aliases(locale, page, @pages_by_locale_path[locale]) end @page_list << page enddef render @page_list.each do |page| page.render_to_file(@config.dest_dir) putc '.'; $stdout.flush end @dir_list.each do |directory| src = File.join(@config.pages_dir, directory) dst = File.join(@config.dest_dir, directory) Render::Asset.render_dir(src, dst) putc '.'; $stdout.flush end if @config.short_paths render_short_path_symlinks end Render::Apache.write_htaccess(@config, @config.pages_dir, @config.dest_dir) puts enddef columns_hash colModel.inject({}) { |h, col| h[col.name] = col; h } enddef super_print(paragraphes, space_number = 50, title = true) puts format_paragraph(space_number, title, *paragraphes) enddef time_it puts "Running #{self.class}[#{self.status.arguments}](#{self.status.direction})" start = Time.now yield if block_given? end_time = Time.now - start puts "Tasks #{self.class} executed in #{end_time} seconds. \n\n" end_time enddef step(step_message = nil, step_status = 1) unless status.status_processed?(status.direction, step_status) self.status.message = step_message puts "\t #{step_message}" yield if block_given? self.status.current_status += status.direction_to_i end enddef completed?(direction) return false if self.status.execution_time == 0 (direction == UP && self.status.current_status == self.status_complete) || (direction == DOWN && self.status.current_status == 0) enddef is_runnable?(direction) self.class.rerunnable_safe? || (direction == UP && status.current_status < status_complete) || (direction == DOWN && status.current_status > 0) enddef failure=(exception) self.status.error = MigrationError.new( :error_message => exception.message, :error_class => exception.class, :error_backtrace => exception.backtrace) enddef run(direction) self.status.direction = direction # reset the status if the job is rerunnable and has already be completed self.status.reset! if self.class.rerunnable_safe? && completed?(direction) self.status.execution_time = time_it { self.send(direction) } self.status.last_succesful_completion = Time.now enddef data_system schema = self.folder/"schema.fio" if schema.file? Finitio::DEFAULT_SYSTEM.parse(schema.read) elsif not(self.parent.nil?) self.parent.data_system else Finitio::DEFAULT_SYSTEM end enddef folder(folder = nil, &bl) if folder.nil? @folder else folder = folder.is_a?(String) ? @folder/folder : Path(folder) raise "Folder `#{folder}` does not exists" unless folder.exists? && folder.directory? raise "Folder must be a descendant" unless folder.inside?(@folder) child = dup do |c| c.parent = self c.folder = folder end yield(child) if block_given? @children << child child end enddef to_filter_proc(filter) case ff = filter when NilClass then ->(f){ true } when Proc then ff when Regexp then ->(f){ ff =~ f.to_s } else ->(f){ ff === f } end enddef to_real_url(url, test_case = nil, &bl) case config.host when Proc config.host.call(url, test_case) when String url =~ /^http/ ? url : "#{config.host}#{url}" else return url if url =~ /^http/ return yield(url) if block_given? raise "Unable to resolve `#{url}` : no host resolver provided\nSee `Configuration#host=" end enddef each_resource(&bl) return enum_for(:each_resource) unless block_given? each_resource_file do |file, folder| yield Webspicy.resource(file.load, file, self) end enddef _each_resource_file(config) folder = config.folder folder.glob("**/*.yml").select(&to_filter_proc(config.file_filter)).each do |file| yield file, folder end enddef sign_package params params_str = create_sign_str params if params_str =~ /trade_type=APP/ key = Wxpay.app_api_key else key = Wxpay.api_key end Digest::MD5.hexdigest(params_str+"&key=#{key}").upcase enddef read(path) schema = nil begin # TODO: validate this is legitimate JSON Schema schema = JSON.parse(IO.read(path)) raise EmptySchemaError if empty_schema?(schema) rescue JSON::JSONError => e puts "Encountered an error reading JSON from #{path}" puts e.message exit 1 rescue EmptySchemaError puts "Schema read from #{path} is empty" exit 1 rescue StandardError => e puts e.message exit 1 end schema enddef run(schema_path, options) schema = Nidyx::Reader.read(schema_path) raw_models = Nidyx::Parser.parse(schema, options) models = Nidyx::Mapper.map(raw_models, options) Nidyx::Output.write(models, options[:output_directory]) enddef resolve_array_refs(obj) items = obj[ITEMS_KEY] case items when Array return resolve_items_array(items) when Hash # handle a nested any of key any_of = items[ANY_OF_KEY] return resolve_items_array(any_of) if any_of.is_a?(Array) resolve_reference_string(items[REF_KEY]) return [class_name_from_ref(items[REF_KEY])].compact else return [] end enddef generate(path, name) object = get_object(path) type = object[TYPE_KEY] if type == OBJECT_TYPE generate_object(path, name) elsif type == ARRAY_TYPE generate_top_level_array(path) elsif type.is_a?(Array) if type.include?(OBJECT_TYPE) raise UnsupportedSchemaError if type.include?(ARRAY_TYPE) generate_object(path, name) elsif type.include?(ARRAY_TYPE) generate_top_leve_array(path) else raise UnsupportedSchemaError; end else raise UnsupportedSchemaError; end enddef map(models, options) models = models.values case options[:platform].downcase when "objc", "obj-c", "objective-c" Nidyx::ObjCMapper.map(models, options) end enddef find_columns(validate) @found_columns = [] prefix = "#{filename.yellow}:" required = @definition.required_columns unless required.empty? Log.info { "#{prefix} #{'required columns'.magenta}" } if validate missing = check_columns(validate, prefix, required, :green, :red) raise RequiredColumnsMissing, missing if validate && missing.present? end optional = @definition.optional_columns unless optional.empty? Log.info { "#{prefix} #{'optional columns'.cyan}" } if validate check_columns(validate, prefix, optional, :cyan, :light_yellow) end cols = @definition.columns.collect(&:name) headers = @csv_headers.select { |h| cols.include?(h) } @col_names ||= @found_columns.map(&:name) ::Hash[*headers.inject([]) { |list, c| list << c << @definition[c] }] enddef parameter(*names) names.each do |name| define_singleton_method(name) do |*values| if (value = values.first) instance_variable_set("@#{name}", value) else instance_variable_get("@#{name}") end end end enddef fetch_http_fallback_identifier(head_request) if head_request.key?('last-modified') head_request['last-modified'] elsif head_request.key?('content-length') head_request['content-length'] else Time.now.to_s end enddef check_columns @found_files.each do |file| @temp_files[file.filename].open do |data| FileReader.new(data, file, validate: true) end end enddef check_files @found_files = [] check_required_files check_optional_files # Add feed files of zip to the list of files to be processed @source.feed_definition.files.each do |req| @found_files << req if filenames.include?(req.filename) end enddef download_source Log.debug { " Reading #{@source.url.green}" } zip = Tempfile.new('gtfs') zip.binmode zip << open(@source.url).read zip.rewind extract_to_tempfiles(zip) Log.debug { "Finished reading #{@source.url.green}" } rescue StandardException => e Log.error(e.message) raise e ensure zip.try(:close) enddef on_event(channel_id, method, callable=nil, &block) handler = block || callable raise ArgumentError, "expected block or callable as the event handler" \ unless handler.respond_to?(:call) @event_handlers[Integer(channel_id)][method.to_sym] = handler handler enddef fetch_response(channel_id, method, timeout: protocol_timeout) methods = Array(method).map(&:to_sym) timeout = Float(timeout) if timeout fetch_response_internal(Integer(channel_id), methods, timeout) enddef send_request(channel_id, method, properties={}) Util.error_check :"sending a request", @conn.send_method(Integer(channel_id), method.to_sym, properties) nil enddef set_magic_content_type(override=false) if override || file.content_type.blank? || generic_content_type?(file.content_type) new_content_type = ::FileMagic.new(::FileMagic::MAGIC_MIME).file( file.path ).split(';').first if file.respond_to?(:content_type=) file.content_type = new_content_type else file.instance_variable_set(:@content_type, new_content_type) end end rescue ::Exception => e raise CarrierWave::ProcessingError, I18n.translate(:"errors.messages.magic_mime_types_processing_error", e: e, default: 'Failed to process file with FileMagic, Original Error: %{e}') enddef perform_request(http_method, path, klass, key, options = {}) if @consumer_key.nil? || @consumer_secret.nil? raise WithingsSDK::Error::ClientConfigurationError, "Missing consumer_key or consumer_secret" end options = WithingsSDK::Utils.normalize_date_params(options) request = WithingsSDK::HTTP::Request.new(@access_token, { 'User-Agent' => user_agent }) response = request.send(http_method, path, options) if key.nil? klass.new(response) elsif response.has_key? key response[key].collect do |element| klass.new(element) end else [klass.new(response)] end enddef sleep_series(user_id, options = {}) perform_request(:get, '/v2/sleep', WithingsSDK::SleepSeries, 'series', { action: 'get', userid: user_id }.merge(options)) enddef weight(user_id, options = {}) groups = body_measurements(user_id, options) groups.map do |group| group.measures.select { |m| m.is_a? WithingsSDK::Measure::Weight }.map do |m| WithingsSDK::Measure::Weight.new(m.attrs.merge('weighed_at' => group.date)) end end.flatten enddef body_measurements(user_id, options = {}) perform_request(:get, '/measure', WithingsSDK::MeasurementGroup, 'measuregrps', { action: 'getmeas', userid: user_id }.merge(options)) enddef activities(user_id, options = {}) perform_request(:get, '/v2/measure', WithingsSDK::Activity, 'activities', { action: 'getactivity', userid: user_id }.merge(options)) enddef _load(options = {}) # Clean up and symbolize all the keys then merge that with the existing properties options.keys.each do |key| property_name = key.to_s.underscore.to_sym if respond_to? "#{property_name}=" send("#{property_name}=",options.delete(key)) else options[property_name] = options.delete(key) end end properties.merge! options enddef create(model_name,options={}) # @TODO: this is another path that parallels the ModelFactory model_class = Metro::Models.find(model_name) mc = model_class.new options mc.scene = scene mc.window = window mc enddef to_hash drawn = drawers.find_all{|draw| draw.saveable_to_view }.inject({}) do |hash,drawer| drawer_hash = drawer.to_hash hash.merge drawer_hash end drawn enddef _prepare_transition(new_scene) log.debug "Preparing to transition from scene #{self} to #{new_scene}" new_scene.class.actors.find_all {|actor_factory| actor_factory.load_from_previous_scene? }.each do |actor_factory| new_actor = new_scene.actor(actor_factory.name) current_actor = actor(actor_factory.name) new_actor._load current_actor._save end prepare_transition_to(new_scene) new_scene.prepare_transition_from(self) enddef transition_to(scene_or_scene_name,options = {}) new_scene = Scenes.generate(scene_or_scene_name,options) _prepare_transition(new_scene) window.scene = new_scene enddef base_draw drawers.each { |drawer| drawer.draw } draw drawers.reject! { |drawer| drawer.draw_completed? } enddef base_update updaters.each { |updater| updater.update } update updaters.reject! { |updater| updater.update_completed? } enddef register_actor(actor_factory) registering_actor = actor(actor_factory.name) registering_actor.window = window registering_actor.show drawers.push(registering_actor) updaters.push(registering_actor) register_events_for_target(registering_actor,registering_actor.class.events) enddef register_animations! self.class.animations.each do |animation| animate animation.actor, animation.options, &animation.on_complete_block end enddef add_actors_to_scene self.class.actors.each do |scene_actor| actor_instance = scene_actor.create actor_instance.scene = self send "#{scene_actor.name}=", actor_instance end enddef after(ticks,&block) tick = OnUpdateOperation.new interval: ticks, context: self tick.on_complete(&block) enqueue tick enddef notification(event,sender=nil) sender = sender || UnknownSender state.fire_events_for_notification(event,sender) enddef actor(actor_or_actor_name) if actor_or_actor_name.is_a? String or actor_or_actor_name.is_a? Symbol send(actor_or_actor_name) else actor_or_actor_name end enddef all_scenes_for(scenes) Array(scenes).map do |scene_class_name| scene = scene_class_name.constantize [ scene ] + all_scenes_for(scene.scenes) end.flatten.compact enddef hash_with_missing_scene_default hash = HashWithIndifferentAccess.new do |hash,key| missing_scene = hash[:missing_scene].constantize missing_scene.missing_scene = key.to_sym missing_scene end hash[:missing_scene] = "Metro::MissingScene" hash enddef apply_post_filters(new_scene,options) post_filters.inject(new_scene) {|scene,post| post.filter(scene,options) } enddef add(scene) all_scenes_for(scene).each { |scene| scenes_hash[scene.scene_name] = scene.to_s } enddef action_link(action, prefix) html_class = "actions #{action.to_s}_link" block = lambda do |resource| compound_resource = [prefix, resource].compact compound_resource.flatten! if prefix.kind_of?(Array) case action when :show @template.link_to(link_title(action), compound_resource) when :destroy @template.link_to(link_title(action), compound_resource, :method => :delete, :data => { :confirm => confirmation_message }) else # edit, other resource GET actions @template.link_to(link_title(action), @template.polymorphic_path(compound_resource, :action => action)) end end self.cell(action, :heading => "", :cell_html => {:class => html_class}, &block) enddef action_cells(actions, prefix = nil) return if actions.blank? actions = [actions] if !actions.respond_to?(:each) actions = [:show, :edit, :destroy] if actions == [:all] actions.each do |action| action_link(action.to_sym, prefix) end enddef cell(*args, &proc) options = args.extract_options! options.merge!(:klass => klass) args << options @table_fields << TableField.new(*args, &proc) # Since this will likely be called with <%= %> (aka 'concat'), explicitly return an # empty string; this suppresses unwanted output return "" enddef data(*args, &block) # :yields: tablebody options = args.extract_options! if block_given? yield self else @table_fields = args.empty? ? orm_fields : args.collect {|f| TableField.new(f.to_sym)} end action_cells(options[:actions], options[:action_prefix]) ["\n", head, "\n", body, "\n"].join("").html_safe enddef show rectangle.color = starting_color color = final_color animate :rectangle, to: { red: color.red, green: color.green, blue: color.blue, alpha: color.alpha }, interval: interval do transition_to next_scene end enddef start! @window = Window.new width, height, fullscreen? window.caption = name window.scene = Scenes.generate(first_scene) window.show enddef method_missing(name,*params,&block) options = params.find {|param| param.is_a? Hash } define_control(name,options) enddef add_events_for_target(target,events) relay = EventRelay.new(target,window) events.each do |target_event| relay.send target_event.event, *target_event.buttons, &target_event.block end current_state.push relay enddef fire_events_for_notification(event,sender) current_state.each {|cs| cs.fire_events_for_notification(event,sender) } enddef after_initialize to.each do |attribute,final| start = actor.send(attribute) animations.push build_animation_step(attribute,start,final) end enddef add(model) all_models_for(model).each do |model| models_hash[model.to_s] = model.to_s name_with_slashes = model.model_name models_hash[name_with_slashes] = model.to_s name_with_colons = name_with_slashes.gsub('/','::') models_hash[name_with_colons] = model.to_s end enddef _fire_event_for_notification(event,sender,action) if action.arity == 2 target.instance_exec(sender,event,&action) elsif action.arity == 1 target.instance_exec(sender,&action) else target.instance_eval(&action) end enddef fire_events_for_notification(event,sender) notification_actions = custom_notifications[event] notification_actions.each do |action| _fire_event_for_notification(event,sender,action) end enddef fire_events_for_held_buttons held_actions.each do |key,action| execute_block_for_target(&action) if window and window.button_down?(key) end enddef notification(param,&block) custom_notifications[param.to_sym] = custom_notifications[param.to_sym] + [ block ] enddef on_mouse_movement(*args,&block) options = (args.last.is_a?(Hash) ? args.pop : {}) @mouse_movement_actions << ( block || lambda { |instance| send(options[:do]) } ) enddef animate(actor_or_actor_name,options,&block) options[:actor] = actor(actor_or_actor_name) options[:context] = self animation_group = SceneAnimation.build options, &block enqueue animation_group enddef writer @writer ||= begin writer_matching_existing_parser = supported_writers.find { |writer| writer.format == format } writer_matching_existing_parser || default_writer end enddef events_for_targets(*list) found_events = Array(list).flatten.compact.map {|s| events_for_target(s) }.flatten.compact found_events enddef default_class_for(collection) if collection.respond_to?(:klass) # ActiveRecord::Relation collection.klass elsif !collection.empty? collection.first.class end enddef table_for(collection, *args, &block) block = Tabletastic.default_table_block unless block_given? klass = default_class_for(collection) options = args.extract_options! initialize_html_options(options, klass) result = capture { block.call(TableBuilder.new(collection, klass, self)) } content_tag(:table, result, options[:html]) enddef before_destroy_rebuild_node_map self.survey.node_maps.select { |i| i.node == self }.each { |node_map| # Remap all of this nodes children to the parent node_map.children.each { |child| if !child.node.class.ancestors.include?(::ActiveRecordSurvey::Node::Answer) node_map.parent.children << child end } } true enddef remove_link return true if (questions = self.next_questions).length === 0 # Remove the link to any direct questions self.survey.node_maps.select { |i| i.node == self }.each { |node_map| self.survey.node_maps.select { |j| node_map.children.include?(j) }.each { |child| if child.node.class.ancestors.include?(::ActiveRecordSurvey::Node::Question) child.parent = nil child.send((child.new_record?)? :destroy : :mark_for_destruction ) end } } # remove link any answeres that have questions self.answers.collect { |i| i.remove_link } enddef build_answer(answer_node) # A survey must either be passed or already present in self.node_maps if self.survey.nil? raise ArgumentError.new "A survey must be passed if ActiveRecordSurvey::Node::Question is not yet added to a survey" end # Cannot mix answer types # Check if not match existing - throw error if !self.answers.select { |answer| answer.class != answer_node.class }.empty? raise ArgumentError.new "Cannot mix answer types on question" end # Answers actually define how they're built off the parent node if answer_node.send(:build_answer, self) # If any questions existed directly following this question, insert after this answer self.survey.node_maps.select { |i| i.node == answer_node && !i.marked_for_destruction? }.each { |answer_node_map| self.survey.node_maps.select { |j| # Same parent # Is a question !j.marked_for_destruction? && j.parent == answer_node_map.parent && j.node.class.ancestors.include?(::ActiveRecordSurvey::Node::Question) }.each { |j| answer_node_map.survey = self.survey j.survey = self.survey answer_node_map.children << j } } true end enddef remove_answer(answer_node) # A survey must either be passed or already present in self.node_maps if self.survey.nil? raise ArgumentError.new "A survey must be passed if ActiveRecordSurvey::Node::Question is not yet added to a survey" end if !answer_node.class.ancestors.include?(::ActiveRecordSurvey::Node::Answer) raise ArgumentError.new "::ActiveRecordSurvey::Node::Answer not passed" end # Cannot mix answer types # Check if not match existing - throw error if !self.answers.include?(answer_node) raise ArgumentError.new "Answer not linked to question" end answer_node.send(:remove_answer, self) enddef update_question_type(klass) if self.next_questions.length > 0 raise RuntimeError.new "No questions can follow when changing the question type" end nm = self.survey.node_maps answers = self.answers.collect { |answer| nm.select { |i| i.node == answer } }.flatten.uniq.collect { |answer_node_map| node = answer_node_map.node answer_node_map.send((answer_node_map.new_record?)? :destroy : :mark_for_destruction) node }.collect { |answer| answer.type = klass.to_s answer = answer.becomes(klass) answer.save if !answer.new_record? answer }.uniq answers.each { |answer| answer.survey = self.survey self.build_answer(answer) } enddef validate_parent_instance_node(instance_node, child_node) !self.node_validations.collect { |node_validation| node_validation.validate_instance_node(instance_node, self) }.include?(false) enddef edges self.node_maps.select { |i| !i.marked_for_destruction? }.select { |i| i.node && i.parent }.collect { |i| { :source => i.parent.node.id, :target => i.node.id, } }.uniq enddef build_first_question(question_node) if !question_node.class.ancestors.include?(::ActiveRecordSurvey::Node::Question) raise ArgumentError.new "must inherit from ::ActiveRecordSurvey::Node::Question" end question_node_maps = self.node_maps.select { |i| i.node == question_node && !i.marked_for_destruction? } # No node_maps exist yet from this question if question_node_maps.length === 0 # Build our first node-map question_node_maps << self.node_maps.build(:node => question_node, :survey => self) end enddef validate_instance_node(instance_node, answer_node = nil) is_valid = (self.value.to_i >= instance_node.value.to_s.length.to_i) instance_node.errors[:base] << { :nodes => { answer_node.id => ["MAXIMUM_LENGTH"] } } if !is_valid is_valid enddef num_below count = 0 self.node_maps.each { |node_map| node_map.children.each { |child| # Child is one of us as well - include it and check its children if child.node.class.ancestors.include?(self.class) count = count + 1 + child.node.num_below end } } count enddef num_above count = 0 self.node_maps.each { |i| # Parent is one of us as well - include it and check its parents if i.parent.node.class.ancestors.include?(self.class) count = count + 1 + i.parent.node.num_above end } count enddef validate_instance_node(instance_node) # super - all validations on this node pass super && (instance_node.value.to_s.empty? || !instance_node.value.to_s.match(/^\d+$/).nil?) && (instance_node.value.to_s.empty? || instance_node.value.to_i >= 1) && instance_node.value.to_i <= self.max_rank enddef move_down self.survey.node_maps.select { |i| i.node == self }.collect { |node_map| begin node_map.move_right rescue end } enddef move_up self.survey.node_maps.select { |i| i.node == self }.collect { |node_map| begin node_map.move_left rescue end } enddef sibling_index node_maps = self.survey.node_maps if node_map = node_maps.select { |i| i.node == self }.first parent = node_map.parent children = node_maps.select { |i| i.parent && i.parent.node === parent.node } children.each_with_index { |nm, i| if nm == node_map return i end } end enddef remove_link # not linked to a question - nothing to remove! return true if (question = self.next_question).nil? count = 0 to_remove = [] self.survey.node_maps.each { |node_map| if node_map.node == question if count > 0 to_remove.concat(node_map.self_and_descendants) else node_map.parent = nil node_map.move_to_root unless node_map.new_record? end count = count + 1 end if node_map.node == self node_map.children = [] end } self.survey.node_maps.each { |node_map| if to_remove.include?(node_map) node_map.parent = nil node_map.mark_for_destruction end } enddef next_question self.survey.node_maps.select { |i| i.node == self && !i.marked_for_destruction? }.each { |answer_node_map| answer_node_map.children.each { |child| if !child.node.nil? && !child.marked_for_destruction? if child.node.class.ancestors.include?(::ActiveRecordSurvey::Node::Question) return child.node elsif child.node.class.ancestors.include?(::ActiveRecordSurvey::Node::Answer) return child.node.next_question end else return nil end } } return nil enddef question self.survey.node_maps.select { |i| i.node == self }.collect { |node_map| if node_map.parent && node_map.parent.node # Question is not the next parent - recurse! if node_map.parent.node.class.ancestors.include?(::ActiveRecordSurvey::Node::Answer) node_map.parent.node.question else node_map.parent.node end # Root already else nil end }.first enddef validate_node(instance) # Ensure each parent node to this node (the goal here is to hit a question node) is valid !self.survey.node_maps.select { |i| i.node == self }.collect { |node_map| node_map.parent.node.validate_node(instance) }.include?(false) enddef validate_instance_node(instance_node, question_node = nil) # Only makes sense for questions to have minimum answers if !question_node.class.ancestors.include?(::ActiveRecordSurvey::Node::Question) return false end instance = instance_node.instance # Go through the node_map of this node total_answered = question_node.node_maps.collect { |question_node_map| # Get all children until a childs node isn't an answer question_node_map.children.collect { |i| i.children_until_node_not_ancestor_of(::ActiveRecordSurvey::Node::Answer) }.flatten.collect { |i| i.node.is_answered_for_instance?(instance) } }.flatten.select { |i| i }.count is_valid = (total_answered >= self.value.to_i) instance_node.errors[:base] << { :nodes => { question_node.id => ["MINIMUM_ANSWER"] } } if !is_valid is_valid enddef validate_instance_node(instance_node, answer_node = nil) is_valid = (!instance_node.value.to_s.empty? && instance_node.value.to_f >= self.value.to_f) instance_node.errors[:base] << { :nodes => { answer_node.id => ["MINIMUM_VALUE"] } } if !is_valid is_valid enddef has_infinite_loop?(path = []) self.survey.node_maps.select { |i| i.parent == self && !i.marked_for_destruction? }.each { |i| # Detect infinite loop if path.include?(self.node) || i.has_infinite_loop?(path.clone.push(self.node)) return true end } path.include?(self.node) enddef children_until_node_not_ancestor_of(klass) if !self.node.class.ancestors.include?(klass) return [] end [self] + self.children.collect { |i| i.children_until_node_not_ancestor_of(klass) } enddef ancestors_until_node_not_ancestor_of(klass) if !self.parent || !self.node.class.ancestors.include?(klass) return [] end [self] + self.parent.ancestors_until_node_not_ancestor_of(klass) enddef recursive_clone node_map = self.survey.node_maps.build(:survey => self.survey, :node => self.node) self.survey.node_maps.select { |i| i.parent == self && !i.marked_for_destruction? }.each { |child_node| child_node.survey = self.survey # required due to voodoo - we want to use the same survey with the same object_id node_map.children << child_node.recursive_clone } node_map enddef is_answered_for_instance?(instance) if instance_node = self.instance_node_for_instance(instance) # Answered if has text instance_node.value.to_s.strip.length > 0 else false end enddef is_answered_for_instance?(instance) if instance_node = self.instance_node_for_instance(instance) # Answered if not empty and > 0 !instance_node.value.to_s.empty? && instance_node.value.to_i >= 0 else false end enddef validate_instance_node(instance_node) # super - all validations on this node pass super && (instance_node.value.to_s.empty? || !instance_node.value.to_s.match(/^(\d+(\.\d+)?)$/).nil?) enddef before_destroy_rebuild_node_map # All the node_maps from this node self.survey.node_maps.select { |i| i.node == self }.each { |node_map| # Remap all of this nodes children to the parent node_map.children.each { |child| node_map.parent.children << child } } true enddef build_link(to_node) # build_link only accepts a to_node that inherits from Question if !to_node.class.ancestors.include?(::ActiveRecordSurvey::Node::Question) raise ArgumentError.new "to_node must inherit from ::ActiveRecordSurvey::Node::Question" end if self.survey.nil? raise ArgumentError.new "A survey is required before calling #build_link" end from_node_maps = self.survey.node_maps.select { |i| i.node == self && !i.marked_for_destruction? } # Answer has already got a question - throw error if from_node_maps.select { |i| i.children.length > 0 }.length > 0 raise RuntimeError.new "This node has already been linked" end # Because we need something to clone - filter this further below to_node_maps = self.survey.node_maps.select { |i| i.node == to_node && !i.marked_for_destruction? } if to_node_maps.first.nil? to_node_maps << self.survey.node_maps.build(:survey => self.survey, :node => to_node) end # Ensure we can through each possible path of getting to this answer to_node_map = to_node_maps.first to_node_map.survey = self.survey # required due to voodoo - we want to use the same survey with the same object_id # We only want node maps that aren't linked somewhere to_node_maps = to_node_maps.select { |i| i.parent.nil? } while to_node_maps.length < from_node_maps.length do to_node_maps.push(to_node_map.recursive_clone) end # Link unused node_maps to the new parents from_node_maps.each_with_index { |from_node_map, index| from_node_map.children << to_node_maps[index] } # Ensure no infinite loops were created from_node_maps.each { |node_map| # There is a path from Q -> A that is a loop if node_map.has_infinite_loop? raise RuntimeError.new "Infinite loop detected" end } enddef instance_node_path_to_root?(instance_node) instance_nodes = instance_node.instance.instance_nodes.select { |i| i.node == self } # if ::ActiveRecordSurvey::Node::Answer but no votes, not a valid path if self.class.ancestors.include?(::ActiveRecordSurvey::Node::Answer) && (instance_nodes.length === 0) return false end # if ::ActiveRecordSurvey::Node::Question but no answers, so needs at least one vote directly on itself if self.class.ancestors.include?(::ActiveRecordSurvey::Node::Question) && (self.answers.length === 0) && (instance_nodes.length === 0) return false end # Start at each node_map of this node # Find the parent node ma paths = self.survey.node_maps.select { |i| i.node == self }.collect { |node_map| # There is another level to traverse if node_map.parent node_map.parent.node.instance_node_path_to_root?(instance_node) # This is the root node - we made it! else true end } # If recursion reports back to have at least one valid path to root paths.include?(true) enddef validate_instance_node(instance_node) # Basically this cache is messed up? Why? TODO. # Reloading in the spec seems to fix this... but... this could be a booby trap for others #self.node_validations(true) # Check the validations on this node against the instance_node validations_passed = !self.node_validations.collect { |node_validation| node_validation.validate_instance_node(instance_node, self) }.include?(false) # More complex.... # Recureses to the parent node to check # This is to validate Node::Question since they don't have instance_nodes directly to validate them parent_validations_passed = !self.survey.node_maps.select { |i| i.node == self}.collect { |node_map| if node_map.parent node_map.parent.node.validate_parent_instance_node(instance_node, self) # Hit top node else true end }.include?(false) validations_passed && parent_validations_passed enddef infer_type(field_name) case field_name when :email, :time_zone field_name when %r{(\b|_)password(\b|_)} :password else type_mappings = {text: :textarea} db_type = @object.column_for_attribute(field_name).type case db_type when :text :textarea when :decimal, :integer, :float :numeric else db_type end end enddef reporter(query, options={}, &block) @report ||= QueryReport::Report.new(params, view_context, options) @report.query = query @report.instance_eval &block render_report(options) unless options[:skip_rendering] @report enddef next_message read_header if @state == :header read_payload_length if @state == :payload_length read_mask_key if @state == :mask read_payload if @state == :payload @state == :complete ? process_frame! : nil rescue StandardError => ex if @on_error @on_error.call(ex.message) else raise ex end enddef within unless block_given? raise 'No block provided' end unless begin? raise "Illegal state for within: #{state}" end adapters = @adapters adapters.each_key do |adapter| adapter.push_transaction(self) end begin yield self ensure adapters.each_key do |adapter| adapter.pop_transaction end end enddef commit if block_given? unless none? raise "Illegal state for commit with block: #{state}" end begin self.begin rval = within { |*block_args| yield(*block_args) } rescue Exception => exception if begin? rollback end raise exception ensure unless exception if begin? commit end return rval end end else unless begin? raise "Illegal state for commit without block: #{state}" end each_adapter(:commit_adapter, [:log_fatal_transaction_breakage]) each_adapter(:close_adapter, [:log_fatal_transaction_breakage]) self.state = :commit end enddef link(*things) unless none? raise "Illegal state for link: #{state}" end things.each do |thing| case thing when DataMapper::Adapters::AbstractAdapter @adapters[thing] = :none when DataMapper::Repository link(thing.adapter) when DataMapper::Model link(*thing.repositories) when DataMapper::Resource link(thing.model) when Array link(*thing) else raise "Unknown argument to #{self.class}#link: #{thing.inspect} (#{thing.class})" end end if block_given? commit { |*block_args| yield(*block_args) } else self end enddef each_param(&block) ancestors.reverse_each do |ancestor| if ancestor.included_modules.include?(Parameters) ancestor.params.each_value(&block) end end return self enddef set_param(name,value) name = name.to_sym ancestors.each do |ancestor| if ancestor.included_modules.include?(Parameters) if ancestor.params.has_key?(name) return ancestor.params[name].set(value) end end end raise(Parameters::ParamNotFound,"parameter #{name.to_s.dump} was not found in class #{self}") enddef get_param(name) name = name.to_sym ancestors.each do |ancestor| if ancestor.included_modules.include?(Parameters) if ancestor.params.has_key?(name) return ancestor.params[name] end end end raise(Parameters::ParamNotFound,"parameter #{name.to_s.dump} was not found in class #{self}") enddef has_param?(name) name = name.to_sym ancestors.each do |ancestor| if ancestor.included_modules.include?(Parameters) return true if ancestor.params.has_key?(name) end end return false enddef parameter(name,options={}) name = name.to_sym # define the reader class method for the parameter meta_def(name) do get_param(name).value end # define the writer class method for the parameter meta_def("#{name}=") do |value| get_param(name).value = value end # define the ? method, to determine if the parameter is set meta_def("#{name}?") do !!get_param(name).value end # define the reader instance methods for the parameter define_method(name) do get_param(name).value end # define the writter instance methods for the parameter define_method("#{name}=") do |value| get_param(name).value = value end # define the ? method, to determine if the parameter is set define_method("#{name}?") do !!get_param(name).value end # create the new parameter new_param = Parameters::ClassParam.new( name, options[:type], options[:description], options[:default] ) # add the parameter to the class params list params[name] = new_param return new_param enddef params=(values) values.each do |name,value| if has_param?(name) get_param(name).value = case value when Parameters::ClassParam, Parameters::InstanceParam value.value else value end end end enddef extended(object) each_param do |param| object.params[param.name] = param.to_instance(object) end enddef invalid_fts_filters(filters) filters.select { |filter| category, name, value = filter.values_at('category', 'name', 'value') category == 'fts' && name == 'search' && value.to_s.length <= 1 }.map { |invalid_fts_filter| error = <<-MSG.gsub(/^\s+/, '').strip Full-text search filter values must be larger than one. MSG invalid_fts_filter.merge(:error => error) } enddef reset! self.client_id = DEFAULT_CLIENT_ID self.client_secret = DEFAULT_CLIENT_SECRET self.oauth_token = DEFAULT_OAUTH_TOKEN self.endpoint = DEFAULT_ENDPOINT self.site = DEFAULT_SITE self.ssl = DEFAULT_SSL self.user_agent = DEFAULT_USER_AGENT self.connection_options = DEFAULT_CONNECTION_OPTIONS self.mime_type = DEFAULT_MIME_TYPE self.login = DEFAULT_LOGIN self.password = DEFAULT_PASSWORD self.basic_auth = DEFAULT_BASIC_AUTH self.auto_pagination = DEFAULT_AUTO_PAGINATION self.content_locale = DEFAULT_CONTENT_LOCALE self.adapter = DEFAULT_ADAPTER self.subdomain = DEFAULT_SUBDOMAIN self enddef arguments(args=(not_set = true), options={}, &block) if not_set @arguments else @arguments = Arguments.new(self, options).parse(*args, &block) end enddef setup(options={}) options.each do |k,v| self.set(k,v,true) end options = Nimbu.options.merge(options) self.current_options = options Configuration.keys.each do |key| send("#{key}=", options[key]) end process_basic_auth(options[:basic_auth]) enddef error { error: { model: self.object["model"], model_human: self.object["model_human"], attribute: self.object["attribute"], attribute_human: self.object["attribute_human"], field: self.object["field"], message: self.object["message"], full_message: "#{self.object["full_message"]}" } } enddef load unless valid_params? raise SmartAdapters::Exceptions::InvalidRequestParamsException end unless valid_format? raise SmartAdapters::Exceptions::InvalidRequestFormatException end adapter_finder.new(request_manager) enddef default_middleware(options={}) Proc.new do |builder| unless options[:with_attachments] builder.use Nimbu::Request::Json end builder.use Faraday::Request::Multipart builder.use Faraday::Request::UrlEncoded builder.use Nimbu::Request::OAuth2, oauth_token if oauth_token? builder.use Nimbu::Request::BasicAuth, authentication if basic_authed? builder.use Nimbu::Request::UserAgent builder.use Nimbu::Request::SiteHeader, subdomain builder.use Nimbu::Request::ContentLocale, content_locale builder.use Faraday::Response::Logger if ENV['DEBUG'] builder.use Nimbu::Response::RaiseError unless options[:raw] builder.use Nimbu::Response::Mashify builder.use Nimbu::Response::Json end builder.adapter adapter end enddef client(options={}) @client ||= ::OAuth2::Client.new(client_id, client_secret, { :site => options.fetch(:site) { Nimbu.site }, :authorize_url => 'login/oauth/authorize', :token_url => 'login/oauth/access_token', :ssl => { :verify => false } } ) enddef monitor(reference) obj = reference.object if obj @lock.synchronize do @references[reference.referenced_object_id] = reference end ObjectSpace.define_finalizer(obj, @finalizer) else push(reference) end enddef delete(key) @lock.synchronize do rkey = ref_key(key) if rkey @references_to_keys_map.delete(rkey) @values.delete(rkey) else nil end end enddef object #:nodoc: @ref.__getobj__ rescue => e # Jruby implementation uses RefError while MRI uses WeakRef::RefError if (defined?(RefError) && e.is_a?(RefError)) || (defined?(::WeakRef::RefError) && e.is_a?(::WeakRef::RefError)) nil else raise e end enddef add_strong_reference(obj) #:nodoc: @@lock.synchronize do @@strong_references.last[obj] = true unless @@gc_flag_set @@gc_flag_set = true ObjectSpace.define_finalizer(Object.new, @@finalizer) end end enddef merge(other_hash, &block) to_h.merge(other_hash, &block).reduce(self.class.new) do |map, pair| map[pair.first] = pair.last map end enddef delete(key) ref = @references.delete(key) if ref keys_to_id = @references_to_keys_map[ref.referenced_object_id] if keys_to_id keys_to_id.delete(key) @references_to_keys_map.delete(ref.referenced_object_id) if keys_to_id.empty? end ref.object else nil end enddef save return if @data.empty? output = {} output[:data] = @data output[:generated_at] = Time.now.to_s output[:started_at] = @started_at output[:format_version] = '1.0' output[:rails_version] = Rails.version output[:rails_path] = Rails.root.to_s FileUtils.mkdir_p(@config.output_path) filename = "sql_tracker-#{Process.pid}-#{Time.now.to_i}.json" File.open(File.join(@config.output_path, filename), 'w') do |f| f.write JSON.dump(output) end enddef wrap_list(list, width) list.map do |text| wrap_text(text, width) end.flatten enddef eager(command) require 'pty' begin PTY.spawn command do |r, w, pid| begin $stdout.puts r.each {|line| print line } rescue Errno::EIO # the process has finished end end rescue PTY::ChildExited $stdout.puts "The child process exited!" end enddef n(msg, title='', image=nil) Compat::UI.notify(msg, :title => title, :image => image) enddef to_h @values.inject(Hash.new) do |h, a| tag, val = a h[Values.tag_map[tag]] = convert(Values.unify_tag(tag), val) h end enddef convert tag, val return val unless val.kind_of?(String) case tag when 'partofset', 'track' return val end case val when REGEXP_TIMESTAMP year, month, day, hour, minute = $~.captures[0,5].map {|cap| cap.to_i} if month == 0 || day == 0 return nil end second = $6.to_f zone = $7 zone = '+00:00' if zone == 'Z' Time.new(year, month, day, hour, minute, second, zone) when REGEXP_RATIONAL return val if $2.to_i == 0 Rational($1, $2) else val end enddef string(opts = {}) length, any, value = (opts[:length] || 8), opts[:any], opts[:value] if value string = value.to_s Proc.new { string } elsif any Proc.new { self.any(any) } else Proc.new { Array.new(length){@chars[rand(@chars.size-1)]}.join } end enddef request(http_verb, url, options = {}) full_url = url + hash_to_params(options) handle(access_token.request(http_verb, full_url)) enddef update(data) data.each_byte do |b| b = revert_byte(b) if REVERSE_DATA @crc = ((@table[((@crc >> 8) ^ b) & 0xff] ^ (@crc << 8)) & 0xffff) end return self enddef process_report(report) file_names = @dangerfile.git.modified_files.map { |file| File.basename(file) } file_names += @dangerfile.git.added_files.map { |file| File.basename(file) } report.targets.each do |target| target.files = target.files.select { |file| file_names.include?(file.name) } end report enddef output_report(report) # Create markdown report_markdown = report.markdown_value # Send markdown markdown(report_markdown) # Notify failure if minimum coverage hasn't been reached threshold = Xcov.config[:minimum_coverage_percentage].to_i if !threshold.nil? && (report.coverage * 100) < threshold fail("Code coverage under minimum of #{threshold}%") end enddef produce_report(*args) # Check xcov availability, install it if needed `gem install xcov` unless xcov_available? unless xcov_available? puts "xcov is not available on this machine" return end require "xcov" require "fastlane_core" # Init Xcov config = FastlaneCore::Configuration.create(Xcov::Options.available_options, convert_options(args.first)) Xcov.config = config Xcov.ignore_handler = Xcov::IgnoreHandler.new # Init project manager = Xcov::Manager.new(config) # Parse .xccoverage report_json = manager.parse_xccoverage # Map and process report process_report(Xcov::Report.map(report_json)) enddef draw_paperback(qr_code:, sixword_lines:, sixword_bytes:, labels:, passphrase_sha: nil, passphrase_len: nil, sixword_font_size: nil, base64_content: nil, base64_bytes: nil) unless qr_code.is_a?(RQRCode::QRCode) raise ArgumentError.new('qr_code must be RQRCode::QRCode') end # Header & QR code page pdf.font('Times-Roman') debug_draw_axes draw_header(labels: labels, passphrase_sha: passphrase_sha, passphrase_len: passphrase_len) add_newline draw_qr_code(qr_modules: qr_code.modules) pdf.stroke_color '000000' pdf.fill_color '000000' # Sixword page pdf.start_new_page draw_sixword(lines: sixword_lines, sixword_bytes: sixword_bytes, font_size: sixword_font_size, is_encrypted: passphrase_len) if base64_content draw_base64(b64_content: base64_content, b64_bytes: base64_bytes, is_encrypted: passphrase_len) end pdf.number_pages(' of ', align: :right, at: [pdf.bounds.right - 100, -2]) enddef generate_unique(length = 32, &blk) unique = generate_random(length) unique = generate_random(length) until blk.call(unique) unique enddef run_report_request(report_name, report_params = {}, page_size = 50) response = request 'runReportRequest' do |xml| xml.reportName report_name report_params.each do |name, value| xml.reportParam do xml.paramName name xml.paramValue value end end xml.pageSize page_size end response.elements["runReportResponse/reportId"].get_text.value enddef daily(time = Date.today, page_size = 50) time = time.strftime("%Y-%m-%d") unless time.is_a?(String) report_id = run_report_request('DailyActivityReport', {'report_date' => time}, page_size) meta_data = get_meta_data_request(report_id) data = [] meta_data["numberOfPages"].to_i.times do |page_num| data += get_data_request(report_id, page_num + 1) #it's zero indexed end data enddef asset_files asset_files = [] Find.find(ENGINE.assets_path).each do |path| next if File.directory?(path) next if path.include?(ENGINE.stylesheets_sass_path) asset_files << path.sub(ENGINE.assets_path, 'assets') end asset_files enddef static_files source = File.dirname(ENGINE.assets_path) asset_files.map do |file| dir = File.dirname(file) file_name = File.basename(file) Jekyll::StaticFile.new @site, source, dir, file_name end enddef method_missing(sym, *args, &block) # # Note: Be sure that the symbol does not contain the word "test". test # is a private method on Ruby objects and will cause the Be and Has # matches to fail. # return Lebowski::RSpec::Matchers::Be.new(sym, *args) if sym.to_s =~ /^be_/ return Lebowski::RSpec::Matchers::Has.new(sym, *args) if sym.to_s =~ /^have_/ return Lebowski::RSpec::Operators::That.new(sym, *args) if sym.to_s =~ /^that_/ super enddef pack_value(val, obj=nil) begin if @pack_cb @pack_cb.call(val, obj) else varray = val.is_a?(Array) ? val : [val] varray.pack(self.format) end rescue => e raise(PackError, "Error packing #{val.inspect} as type #{self.name.inspect} -- #{e.class} -> #{e}") end enddef read(raw, predecessors=nil) if raw.respond_to?(:read) raw = raw.read(self.sizeof()) end if raw.size < self.sizeof() raise(ReadError, "Expected #{self.sizeof} bytes, but only got #{raw.size} bytes") end vals = if @unpack_cb @unpack_cb.call(raw, predecessors) else raw.unpack(self.format) end return(self.claim_value(vals, predecessors)) enddef label(method, text = nil, options = {}) colon = false if options[:colon].nil? options[:for] = options[:label_for] required = options[:required] # remove special options options.delete :colon options.delete :label_for options.delete :required text = @template.send(:h, text.blank?? method.to_s.humanize : text.to_s) text << ':'.html_safe if colon text << @template.content_tag(:span, "*", :class => "required") if required super enddef date_select(method, options = {}) options[:include_blank] ||= false options[:start_year] ||= 1801 options[:end_year] ||= Time.now.year options[:label_for] = "#{object_name}_#{method}_1i" build_shell(method, options) { super } enddef run client_ip = @ip key = "request_count:#{client_ip}" result = { status: Constants::SUCCESS_STATUS, message: Constants::OK_MESSAGE } requests_count = @storage.get(key) unless requests_count @storage.set(key, 0) @storage.expire(key, @limits["time_period_seconds"]) end if requests_count.to_i >= @limits["max_requests_count"] result[:status] = Constants::EXPIRED_STATUS result[:message] = message(period(key)) else @storage.incr(key) end result enddef lines_selector_for(target, attributes) if (klass = @selectors.find { |s| s.handles? target, attributes }) klass.new(target, attributes, logger: logger) end enddef interpolate interpolant case @opts[:type] when :linear for_each (interpolant) { |x| linear_interpolation(x) } when :cubic cubic_spline_interpolation interpolant else raise ArgumentError, "1 D interpolation of type #{@opts[:type]} not supported" end enddef push(gem, method, options = {}) push_command = PUSH_METHODS[method.to_s] or raise "Unknown Gem push method #{method.inspect}." push_command += [gem] push_command += ["--as", options[:as]] if options[:as] @cli_facade.execute(*push_command) enddef present(object, presenter: nil, **args) if object.respond_to?(:to_ary) object.map { |item| present(item, presenter: presenter, **args) } else presenter ||= presenter_klass(object) wrapper = presenter.new(object, view_context, **args) block_given? ? yield(wrapper) : wrapper end enddef method_missing(method, *args, &block) if view_context.respond_to?(method, true) view_context.send(method, *args, &block) else super end enddef crank_it(what, overrides) if what.to_s =~ /(.*)_attrs$/ what = $1 overrides = overrides.merge(:_return_attributes => true) end item = "TBD" new_job(what, overrides) do item = self.send(what) # Invoke the factory method item = apply_traits(what, item) end item enddef debug(*args) item = build(*args) invalid_item = Array(item).find(&:invalid?) if invalid_item if invalid_item.errors.respond_to?(:messages) errors = invalid_item.errors.messages else errors = invalid_item.errors end raise "Oops, the #{invalid_item.class} created by the Factory has the following errors: #{errors}" end item enddef assign(attribute, value) unless value == :skip || attribute == :class if item.respond_to?("#{attribute}=") item.send("#{attribute}=", value) elsif item.is_a?(Hash) item[attribute] = value end end enddef fetch_module FileUtils.mkdir_p git_path RIM::git_session(git_path) do |s| if !File.exist?(git_path + "/config") s.execute("git clone --mirror #{@remote_url} #{git_path}") do |out, e| raise RimException.new("Remote repository '#{@remote_url}' of module '#{@module_info.local_path}' not found.") if e end else s.execute("git remote update") end end git_path enddef get_upload_revisions(session, rev) # remote revs are where we stop traversal non_remote_revs = {} session.all_reachable_non_remote_revs(rev).each do |r| non_remote_revs[r] = true end revisions = [] # make sure we deal only with sha1s rev = session.rev_sha1(rev) while rev && non_remote_revs[rev] revisions.push(rev) parents = session.parent_revs(rev) rev = parents.size > 0 ? parents.first : nil end Struct.new(:parent, :sha1s).new(rev, revisions.reverse!) enddef upload_modules(info) each_module_parallel("uploading", @module_helpers) do |m| m.upload(info.parent, info.sha1s) end enddef upload # get the name of the current workspace branch RIM::git_session(@ws_root) do |s| branch = s.current_branch if branch.nil? raise RimException.new("Not on a git branch.") elsif !branch.start_with?("rim/") begin sha1 = s.rev_sha1(branch) @logger.info("Uploading modules...") upload_modules(get_upload_revisions(s, sha1)) ensure s.execute("git checkout -B #{branch}") end else raise RimException.new("The current git branch '#{branch}' is a rim integration branch. Please switch to a non rim branch to proceed.") end end enddef within_exported_rev(rev, paths=[]) Dir.mktmpdir("rim") do |d| d = Dir.glob(d)[0] c = File.join(d, "content") FileUtils.mkdir(c) export_rev(rev, c, paths) # return contents of yielded block # mktmpdir returns value return by our block yield c FileUtils.rm_rf(c) # retry to delete if it hasn't been deleted yet # this could be due to Windows keeping the files locked for some time # this is especially a problem if the machine is at its limits retries = 600 while File.exist?(c) && retries > 0 sleep(0.1) FileUtils.rm_rf(c) retries -= 1 end if File.exist?(c) @logger.warn "could not delete temp dir: #{c}" end end enddef export_rev(rev, dir, paths=[]) paths = paths.dup loop do path_args = "" # max command line length on Windows XP and higher is 8191 # consider the following extra characters which will be added: # up to 3 paths in execute, 1 path for tar, max path length 260 = 1040 # plus some "glue" characters, plus the last path item with 260 max; # use 6000 to be on the safe side while !paths.empty? && path_args.size < 6000 path_args << " " path_args << paths.shift end execute "git archive --format tar #{rev} #{path_args} | tar -C #{dir} -xf -" break if paths.empty? end enddef remote_branch_revs out = execute "git show-ref" out.split("\n").collect { |l| if l =~ /refs\/remotes\// l.split[0] else nil end }.compact enddef rev_infos(rev, desired) info = {} desired.each_pair do |key, value| execute "git log -1 --format=#{value} #{rev} --" do |out, e| info[key] = out.strip if !e end end info enddef rev_sha1(rev) sha1 = nil execute "git rev-list -n 1 #{rev} --" do |out, e| sha1 = out.strip if !e end sha1 enddef has_remote_branch?(branch) out = execute("git ls-remote --heads") out.split("\n").each do |l| return true if l.split(/\s+/)[1] == "refs/heads/#{branch}" end false enddef current_branch out = execute "git branch" out.split("\n").each do |l| if !l.include?('(') && (l =~ /^\*\s+(\S+)/) return $1 end end nil enddef calc_checksum(mi, dir) if check_required_attributes(mi) sha1 = Digest::SHA1.new # all files and directories within dir files = FileHelper.find_matching_files(dir, false, "/**/*", File::FNM_DOTMATCH) # Dir.glob with FNM_DOTMATCH might return . and .. files.delete(".") files.delete("..") # ignore the info file itself files.delete(RimInfo::InfoFileName) # ignores defined by user files -= FileHelper.find_matching_files(dir, false, mi.ignores) # order of files makes a difference # sort to eliminate platform specific glob behavior files.sort! files.each do |fn| update_file(sha1, dir, fn) end ChecksumAttributes.each do |a| sha1.update(mi.send(a)) end sha1.hexdigest else # can't calc checksum nil end enddef pmmap_grouped(data) pmmap_grouped = ['rss', 'size', 'pss', 'shared_clean', 'shared_dirty', 'private_clean', 'private_dirty', 'referenced', 'anonymous', 'swap'] os_list = [] data.each do |k, v| os = OpenStruct.new os.path = k pmmap_grouped.each_index {|i| os[pmmap_grouped[i]] = v[i]} os_list.push(os) end os_list enddef pmmap_ext(data) pmmap_ext = ['addr', 'perms', 'path', 'rss', 'size', 'pss', 'shared_clean', 'shared_dirty', 'private_clean', 'private_dirty', 'referenced', 'anonymous', 'swap'] os_list = [] data.each do |datum| os = OpenStruct.new pmmap_ext.each_index {|i| os[pmmap_ext[i]] = datum[i]} os_list.push(os) end os_list enddef get_commit_message(changed_modules) StringIO.open do |s| s.puts "rim sync." s.puts changed_modules.each do |m| s.puts m.local_path end s.string end enddef get_parent(session, rev) parents = session.parent_revs(rev) !parents.empty? ? parents.first : nil enddef has_ancestor?(session, rev, ancestor) # make sure we deal only with sha1s rev = session.rev_sha1(rev) return rev == ancestor || session.is_ancestor?(ancestor, rev) enddef sync_modules(session, message) module_helpers = [] @module_infos.each do |module_info| module_helpers.push(SyncModuleHelper.new(session.execute_dir, @ws_root, module_info, @logger)) end changed_modules = [] module_helpers.each do |m| @logger.info("Synchronizing #{m.module_info.local_path}...") if m.sync(message) changed_modules << m.module_info end end changed_modules enddef sync(message = nil, rebase = nil, split = true) # get the name of the current workspace branch RIM::git_session(@ws_root) do |s| branch = s.current_branch || '' rim_branch = "rim/" + branch branch_sha1 = nil changed_modules = nil if branch.empty? raise RimException.new("Not on a git branch.") elsif branch.start_with?("rim/") raise RimException.new("The current git branch '#{branch}' is a rim integration branch. Please switch to a non rim branch to proceed.") else branch = "refs/heads/#{branch}" branch_sha1 = s.rev_sha1(rim_branch) remote_rev = get_latest_remote_revision(s, branch) rev = get_latest_clean_path_revision(s, branch, remote_rev) if !s.has_branch?(rim_branch) || has_ancestor?(s, branch, s.rev_sha1(rim_branch)) || !has_ancestor?(s, rim_branch, remote_rev) s.execute("git branch -f #{rim_branch} #{rev}") branch_sha1 = s.rev_sha1(rim_branch) end remote_url = "file://" + @ws_root @logger.debug("Folder for temporary git repositories: #{@rim_path}") tmpdir = clone_or_fetch_repository(remote_url, module_tmp_git_path(".ws"), "Cloning workspace git...") RIM::git_session(tmpdir) do |tmp_session| tmp_session.execute("git reset --hard") tmp_session.execute("git clean -xdf") # use -f here to prevent git checkout from checking for untracked files which might be overwritten. # this is safe since we removed any untracked files before. # this is a workaround for a name case problem on windows: # if a file's name changes case between the current head and the checkout target, # git checkout will report the file with the new name as untracked and will fail tmp_session.execute("git checkout -B #{rim_branch} -f remotes/origin/#{rim_branch}") changed_modules = sync_modules(tmp_session, message) if !split tmp_session.execute("git reset --soft #{branch_sha1}") commit(tmp_session, message ? message : get_commit_message(changed_modules)) if tmp_session.uncommited_changes? end tmp_session.execute("git push #{remote_url} #{rim_branch}:#{rim_branch}") end end if !changed_modules.empty? if rebase s.execute("git rebase #{rim_branch}") @logger.info("Changes have been commited to branch #{rim_branch} and workspace has been rebased successfully.") else @logger.info("Changes have been commited to branch #{rim_branch}. Rebase to apply changes to workspace.") end else @logger.info("No changes.") end end enddef rev_status_fast(git_session, rev) mod_dirs = module_dirs(git_session, rev) mod_stats = [] git_session.within_exported_rev(rev, mod_dirs.collect{|d| "#{d}/#{RimInfo::InfoFileName}"}) do |temp_dir| mod_dirs.each do |rel_path| mod_stats << RevStatus::ModuleStatus.new( rel_path, RimInfo.from_dir("#{temp_dir}/#{rel_path}"), # never dirty false ) end end stat = RevStatus.new(mod_stats) stat.git_rev = git_session.rev_sha1(rev) stat enddef build_rev_history_status(gs, rev, relevant_revs, status_cache={}, options={}) return status_cache[rev] if status_cache[rev] stat = nil if relevant_revs[rev] parent_revs = gs.parent_revs(rev) if parent_revs.size > 0 # build status for all parent nodes parent_stats = parent_revs.collect do |p| build_rev_history_status(gs, p, relevant_revs, status_cache, options) end # if this is a merge commit with multiple parents # we decide to use the first commit (git primary parent) # note that it's not really important, which one we choose # just make sure to use the same commit when checking for changed files base_stat = parent_stats.first changed_files = gs.changed_files(rev, parent_revs.first) # build list of modules in this commit module_dirs = base_stat.modules.collect{|m| m.dir} changed_files.each do |f| if File.basename(f.path) == RimInfo::InfoFileName if f.kind == :added module_dirs << File.dirname(f.path) elsif f.kind == :deleted module_dirs.delete(File.dirname(f.path)) end end end # a module needs to be checked if any of the files within were touched check_dirs = module_dirs.select{|d| changed_files.any?{|f| f.path.start_with?(d)} } module_stats = [] # check out all modules to be checked at once if check_dirs.size > 0 gs.within_exported_rev(rev, check_dirs) do |ws| check_dirs.each do |d| module_stats << build_module_status(ws, File.join(ws, d)) end end end (module_dirs - check_dirs).each do |d| base_mod = base_stat.modules.find{|m| m.dir == d} module_stats << RevStatus::ModuleStatus.new(d, base_mod.rim_info, base_mod.dirty?) end stat = RevStatus.new(module_stats) stat.git_rev = gs.rev_sha1(rev) stat.parents.concat(parent_stats) else # no parents, need to do a full check if options[:fast] stat = rev_status_fast(gs, rev) else stat = rev_status(gs, rev) end end else # first "non-relevant", do the full check if options[:fast] stat = rev_status_fast(gs, rev) else stat = rev_status(gs, rev) end end status_cache[rev] = stat enddef fs_status(dir) RevStatus.new( fs_rim_dirs(dir).collect { |d| build_module_status(dir, d) }) enddef rev_module_status(git_session, rev, local_path) mod_stat = nil if git_session.execute("git ls-tree -r --name-only #{rev}").split("\n").include?(File.join(local_path, ".riminfo")) git_session.within_exported_rev(rev, [local_path]) do |d| mod_stat = build_module_status(d, File.join(d, local_path)) end end mod_stat enddef rev_status(git_session, rev) mod_dirs = module_dirs(git_session, rev) mod_stats = [] # export all relevant modules at once # this makes status calculation significantly faster compared # to exporting each module separately # (e.g. 1.0s instead of 1.5s on linux for a commit with 20 modules) git_session.within_exported_rev(rev, mod_dirs) do |d| mod_dirs.each do |rel_path| mod_stats << build_module_status(d, d+"/"+rel_path) end end stat = RevStatus.new(mod_stats) stat.git_rev = git_session.rev_sha1(rev) stat enddef rev_history_status(git_session, rev, options={}) stop_rev = options[:stop_rev] relevant_revs = {} if stop_rev git_session.execute("git rev-list #{rev} \"^#{stop_rev}\"").split("\n").each do |r| relevant_revs[r] = true end elsif options[:gerrit] # in gerrit mode, stop on all known commits git_session.execute("git rev-list #{rev} --not --all --").split("\n").each do |r| relevant_revs[r] = true end else # remote revs are where we stop traversal git_session.all_reachable_non_remote_revs(rev).each do |r| relevant_revs[r] = true end end # make sure we deal only with sha1s rev = git_session.rev_sha1(rev) build_rev_history_status(git_session, rev, relevant_revs, {}, :fast => options[:fast]) enddef copy_revision_files(src_session, src_sha1, dest_dir, ignores) Dir.mktmpdir do |tmp_dir| tmp_dir = Dir.glob(tmp_dir)[0] src_session.execute("git archive --format tar #{src_sha1} #{@module_info.local_path} | tar -C #{tmp_dir} -xf -") tmp_module_dir = File.join(tmp_dir, @module_info.local_path) files = FileHelper.find_matching_files(tmp_module_dir, false, "/**/*", File::FNM_DOTMATCH) files.delete(".") files.delete("..") files.delete(RimInfo::InfoFileName) files -= FileHelper.find_matching_files(tmp_module_dir, false, ignores) # have source files now. Now clear destination folder and copy prepare_empty_folder(dest_dir, ".git/**/*") files.each do |f| src_path = File.join(tmp_module_dir, f) if File.file?(src_path) path = File.join(dest_dir, f) FileUtils.mkdir_p(File.dirname(path)) FileUtils.cp(src_path, path) end end end enddef get_riminfo_for_revision(session, sha1) session.execute("git show #{sha1}:#{File.join(@module_info.local_path, RimInfo::InfoFileName)}") do |out, e| return RimInfo.from_s(!e ? out : "") end enddef commit_changes(session, branch, sha1, msg) if session.status.lines.any? # add before commit because the path can be below a not yet added path session.execute("git add --all") msg_file = Tempfile.new('message') begin msg_file << msg msg_file.close session.execute("git commit -F #{msg_file.path}") ensure msg_file.close(true) end # create tag session.execute("git tag rim-#{sha1} refs/heads/#{branch}") end enddef get_revision_info(src_session, dest_session, src_sha1) module_status = StatusBuilder.new.rev_module_status(src_session, src_sha1, @module_info.local_path) rim_info = get_riminfo_for_revision(src_session, src_sha1) dest_sha1 = dest_session.rev_sha1("rim-#{src_sha1}") msg = src_session.execute("git show -s --format=%B #{src_sha1}") RevisionInfo.new(module_status && module_status.dirty? ? dest_sha1 : rim_info.revision_sha1, src_sha1, rim_info, msg) enddef get_branches_and_revision_infos(src_session, dest_session, parent_sha1, sha1s) infos = [] branches = [] dest_parent_sha1 = nil (sha1s.size() - 1).step(0, -1) do |i| info = get_revision_info(src_session, dest_session, sha1s[i]) if !info.dest_sha1 && info.rim_info.target_revision infos.unshift(info) branches.push(info.rim_info.target_revision) if !branches.include?(info.rim_info.target_revision) else dest_parent_sha1 = info.dest_sha1 break end end dest_parent_sha1 = get_riminfo_for_revision(src_session, parent_sha1).revision_sha1 if !dest_parent_sha1 dest_parent_sha1 = infos.first.rim_info.revision_sha1 if !dest_parent_sha1 && !infos.empty? return Struct.new(:branches, :parent_sha1, :rev_infos).new(branches, dest_parent_sha1, infos) enddef upload_module_changes(parent_sha1, sha1s) remote_path = fetch_module # search for the first revision that is not tmp_git_path = clone_or_fetch_repository(remote_path, module_tmp_git_path(@remote_path)) RIM::git_session(tmp_git_path) do |dest| local_branch = nil remote_branch = nil infos = nil if @module_info.subdir dest_path = File.join([tmp_git_path] + @module_info.subdir.split("/")) else dest_path = tmp_git_path end RIM::git_session(@ws_root) do |src| infos = get_branches_and_revision_infos(src, dest, parent_sha1, sha1s) if infos.branches.size == 1 remote_branch = infos.branches[0] if dest.has_remote_branch?(remote_branch) infos.rev_infos.each do |rev_info| local_branch = create_update_branch(dest, infos.parent_sha1, rev_info.src_sha1) if !local_branch copy_revision_files( src, rev_info.src_sha1, dest_path, rev_info.rim_info.ignores ) commit_changes(dest, local_branch, rev_info.src_sha1, rev_info.message) end else raise RimException.new("The target revision '#{@module_info.target_revision}' of module #{@module_info.local_path} is not a branch. No push can be performed.") end elsif infos.branches.size > 1 raise RimException.new("There are commits for module #{@module_info.local_path} on multiple target revisions (#{infos.branches.join(", ")}).") end end # Finally we're done. Push the changes if local_branch && dest.rev_sha1(local_branch) != infos.parent_sha1 push_branch = @review && @module_info.remote_branch_format && !@module_info.remote_branch_format.empty? \ ? @module_info.remote_branch_format % remote_branch : remote_branch dest.execute("git push #{@remote_url} #{local_branch}:#{push_branch}") dest.execute("git checkout --detach #{local_branch}") dest.execute("git branch -D #{local_branch}") @logger.info("Commited changes for module #{@module_info.local_path} to remote branch #{push_branch}.") else @logger.info("No changes to module #{@module_info.local_path}.") end end enddef wait_pid(pid, timeout=nil) def check_timeout(delay, stop_at, timeout) if timeout raise Timeout::Error.new("when waiting for (pid=#{pid})") if Time.now >= stop_at end sleep(delay) delay * 2 < 0.04 ? delay * 2 : 0.04 end if timeout waitcall = proc { ::Process.wait(pid, ::Process::WNOHANG)} stop_at = Time.now + timeout else waitcall = proc { ::Process.wait(pid)} end delay = 0.0001 loop do begin retpid = waitcall.call() rescue Errno::EINTR delay = check_timeout(delay, stop_at, timeout) next rescue Errno::ECHILD # This has two meanings: # - pid is not a child of Process.pid in which case # we keep polling until it's gone # - pid never existed in the first place # In both cases we'll eventually return nil as we # can't determine its exit status code. loop do return nil unless pid_exists(pid) delay = check_timeout(delay, stop_at, timeout) end end unless retpid # WNOHANG was used, pid is still running delay = check_timeout(delay, stop_at, timeout) next end # process exited due to a signal; return the integer of # that signal if $?.signaled? return $?.termsig # process exited using exit(2) system call; return the # integer exit(2) system call has been called with elsif $?.exited? return $?.exitstatus else # should never happen raise RuntimeError.new("unknown process exit status") end end enddef pid_exists(pid) return false if pid < 0 # According to "man 2 kill" PID 0 has a special meaning: # it refers to <> so we don't want to go any further. # If we get here it means this UNIX platform *does* have # a process with id 0. return true if pid == 0 ::Process.kill(0, pid) return true rescue Errno::ESRCH # No such process return false rescue Errno::EPERM # EPERM clearly means there's a process to deny access to return true rescue RangeError # the given pid is invalid. return false enddef add_configuration(config_hash) config_hash.each do |key, val| instance_eval { instance_variable_set("@#{key}",val) } self.class.instance_eval { attr_accessor key } end enddef select(css_selector = nil, &block) if css_selector CssSelection.new(self, css_selector).each(&block) else Selection.new(self, block) end enddef rewrite(css_selector = nil, &block) return Rewriter.new(self, block) if css_selector.nil? CssSelection.new(self, css_selector).rewrite(&block) enddef <<(*args) args.each do |arg| if arg.respond_to?(:to_hexp) @stack.last[2] << arg self else ::Kernel.raise ::Hexp::FormatError, "Inserting literal HTML into a builder with << is deliberately not supported by Hexp" end end enddef tag!(tag, *args, &block) text, attributes = nil, {} args.each do |arg| case arg when ::Hash attributes.merge!(arg) when ::String text ||= '' text << arg end end @stack << [tag, attributes, text ? [text] : []] if block _process(&block) end if @stack.length > 1 node = @stack.pop @stack.last[2] << node NodeBuilder.new(node, self) else NodeBuilder.new(@stack.last, self) end enddef audit_responses form.response_fields.each do |response_field| response_field.audit_response(self.response_value(response_field), get_responses) end mark_responses_as_changed! enddef normalize_responses return if form.blank? form.response_fields.each do |response_field| if (x = self.response_value(response_field)) response_field.normalize_response(x, get_responses) end end mark_responses_as_changed! enddef calculate_sortable_values response_fieldable.input_fields.each do |response_field| if (x = response_value(response_field)).present? get_responses["#{response_field.id}_sortable_value"] = response_field.sortable_value(x) end end mark_responses_as_changed! enddef render if self.has_content? self.to_a.inject(''){|loop_str, i| loop_str += i.nodes.inject(''){|nodes_str, j| nodes_str += j.render } } else '' end enddef process_segment(segment) #puts "Trying to process segment #{segment.inspect}" unless @x12_definition[X12::Segment] && @x12_definition[X12::Segment][segment.name] # Try to find it in a separate file if missing from the @x12_definition structure initialize(segment.name+'.xml') segment_definition = @x12_definition[X12::Segment][segment.name] throw Exception.new("Cannot find a definition for segment #{segment.name}") unless segment_definition else segment_definition = @x12_definition[X12::Segment][segment.name] end segment_definition.nodes.each_index{|i| segment.nodes[i] = segment_definition.nodes[i] # Make sure we have the validation table if any for this field. Try to read one in if missing. table = segment.nodes[i].validation if table unless @x12_definition[X12::Table] && @x12_definition[X12::Table][table] initialize(table+'.xml') throw Exception.new("Cannot find a definition for table #{table}") unless @x12_definition[X12::Table] && @x12_definition[X12::Table][table] end end } enddef process_loop(loop) loop.nodes.each{|i| case i when X12::Loop then process_loop(i) when X12::Segment then process_segment(i) unless i.nodes.size > 0 else return end } enddef factory(loop_name) loop = @x12_definition[X12::Loop][loop_name] throw Exception.new("Cannot find a definition for loop #{loop_name}") unless loop loop = loop.dup return loop enddef parse(loop_name, str) loop = @x12_definition[X12::Loop][loop_name] #puts "Loops to parse #{@x12_definition[X12::Loop].keys}" throw Exception.new("Cannot find a definition for loop #{loop_name}") unless loop loop = loop.dup loop.parse(str) return loop enddef find_field(str) #puts "Finding field [#{str}] in #{self.class} #{name}" # If there is such a field to begin with field_num = nil self.nodes.each_index{|i| field_num = i if str == self.nodes[i].name } return EMPTY if field_num.nil? #puts field_num # Parse the segment if not parsed already unless @fields @fields = self.to_s.chop.split(Regexp.new(Regexp.escape(field_separator))) self.nodes.each_index{|i| self.nodes[i].content = @fields[i+1] } end #puts self.nodes[field_num].inspect return self.nodes[field_num] enddef regexp unless @regexp if self.nodes.find{|i| i.type =~ /^".+"$/ } # It's a very special regexp if there are constant fields re_str = self.nodes.inject("^#{name}#{Regexp.escape(field_separator)}"){|s, i| field_re = i.simple_regexp(field_separator, segment_separator)+Regexp.escape(field_separator)+'?' field_re = "(#{field_re})?" unless i.required s+field_re } + Regexp.escape(segment_separator) @regexp = Regexp.new(re_str) else # Simple match @regexp = Regexp.new("^#{name}#{Regexp.escape(field_separator)}[^#{Regexp.escape(segment_separator)}]*#{Regexp.escape(segment_separator)}") end #puts sprintf("%s %p", name, @regexp) end @regexp enddef render self.to_a.inject(''){|repeat_str, i| if i.repeats.begin < 1 and !i.has_content? # Skip optional empty segments repeat_str else # Have to render no matter how empty repeat_str += i.name+i.nodes.reverse.inject(''){|nodes_str, j| field = j.render (j.required or nodes_str != '' or field != '') ? field_separator+field+nodes_str : nodes_str } + segment_separator end } enddef parse(str) s = str #puts "Parsing segment #{name} from #{s} with regexp [#{regexp.source}]" m = regexp.match(s) #puts "Matched #{m ? m[0] : 'nothing'}" return nil unless m s = m.post_match self.parsed_str = m[0] s = do_repeats(s) #puts "Parsed segment "+self.inspect return s enddef method_missing(meth, *args, &block) str = meth.id2name str = str[1..str.length] if str =~ /^_\d+$/ # to avoid pure number names like 270, 997, etc. #puts "Missing #{str}" if str =~ /=$/ # Assignment str.chop! #puts str case self when X12::Segment res = find_field(str) throw Exception.new("No field '#{str}' in segment '#{self.name}'") if EMPTY == res res.content = args[0].to_s #puts res.inspect else throw Exception.new("Illegal assignment to #{meth} of #{self.class}") end # case else # Retrieval res = find(str) yield res if block_given? res end # if assignment enddef find(e) #puts "Finding [#{e}] in #{self.class} #{name}" case self when X12::Loop # Breadth first res = nodes.find{|i| e==i.name } return res if res # Depth now nodes.each{|i| res = i.find(e) if i.kind_of?(X12::Loop) return res unless res.nil? or EMPTY==res # otherwise keep looping } when X12::Segment return find_field(e).to_s end # case return EMPTY enddef do_repeats(s) if self.repeats.end > 1 possible_repeat = self.dup p_s = possible_repeat.parse(s) if p_s s = p_s self.next_repeat = possible_repeat end # if parsed end # more repeats s enddef show(ind = '') count = 0 self.to_a.each{|i| #puts "#{ind}#{i.name} #{i.object_id} #{i.super.object_id} [#{count}]: #{i.parsed_str} #{i.super.class}" puts "#{ind}#{i.name} [#{count}]: #{i.to_s.sub(/^(.{30})(.*?)(.{30})$/, '\1...\3')}" # Force parsing a segment if i.kind_of?(X12::Segment) && i.nodes[0] i.find_field(i.nodes[0].name) end i.nodes.each{|j| case when j.kind_of?(X12::Base) then j.show(ind+' ') when j.kind_of?(X12::Field) then puts "#{ind+' '}#{j.name} -> '#{j.to_s}'" end } count += 1 } enddef with_retries(&block) base_sleep_seconds = 0.5 max_sleep_seconds = 300 # 5 minutes # Let's do this thing attempts = 0 begin attempts += 1 return block.call(attempts) rescue Errno::ECONNREFUSED, Errno::ECONNRESET, Errno::EHOSTUNREACH, Errno::ENETDOWN, Errno::ENETUNREACH, Errno::ETIMEDOUT, Timeout::Error => ex raise ex if attempts >= 100 # The sleep time is an exponentially-increasing function of base_sleep_seconds. # But, it never exceeds max_sleep_seconds. sleep_seconds = [base_sleep_seconds * (2 ** (attempts - 1)), max_sleep_seconds].min # Randomize to a random value in the range sleep_seconds/2 .. sleep_seconds sleep_seconds = sleep_seconds * (0.5 * (1 + rand())) # But never sleep less than base_sleep_seconds sleep_seconds = [base_sleep_seconds, sleep_seconds].max warn "Failed to connect: #{ex}. Retrying in #{sleep_seconds.round(1)} seconds." snooze(sleep_seconds) retry end enddef discover_repeatedly(opts = {}) @discovery_thread = Thread.new do @discovery = Discovery.new(opts[:nsqlookupds]) loop do begin nsqds = nsqds_from_lookupd(opts[:topic]) drop_and_add_connections(nsqds) rescue DiscoveryException # We can't connect to any nsqlookupds. That's okay, we'll just # leave our current nsqd connections alone and try again later. warn 'Could not connect to any nsqlookupd instances in discovery loop' end sleep opts[:interval] end end @discovery_thread.abort_on_exception = true enddef get_nsqds(lookupd, topic = nil) uri_scheme = 'http://' unless lookupd.match(%r(https?://)) uri = URI.parse("#{uri_scheme}#{lookupd}") uri.query = "ts=#{Time.now.to_i}" if topic uri.path = '/lookup' uri.query += "&topic=#{URI.escape(topic)}" else uri.path = '/nodes' end begin body = Net::HTTP.get(uri) data = JSON.parse(body) producers = data['producers'] || # v1.0.0-compat (data['data'] && data['data']['producers']) if producers producers.map do |producer| "#{producer['broadcast_address']}:#{producer['tcp_port']}" end else [] end rescue Exception => e error "Error during discovery for #{lookupd}: #{e}" nil end enddef add(username, token) Firim::AccountManager.new( user: username, token: token ).add_to_keychain enddef destroy_aliases! #do it only if it is existing object! if redis_old_keys[:aliases].size > 0 redis_old_keys[:aliases].each do |alias_key| RedisModelExtension::Database.redis.srem alias_key, redis_old_keys[:key] #delete alias with 0 keys RedisModelExtension::Database.redis.del(alias_key) if RedisModelExtension::Database.redis.scard(alias_key).to_i == 0 end end enddef update args args.each do |key, value| method = "#{key}=".to_sym if self.respond_to? method self.send(method, value) end end enddef value_parse value, type return nil if value.nil? || value.to_s.size == 0 case type when :integer then value.to_i when :autoincrement then value.to_i when :string then value.to_s when :float then value.to_f when :bool then value.to_s.to_bool when :symbol then value.to_s.to_sym when :marshal then value.is_a?(String) ? Marshal.load(value) : value when :array then value.is_a?(String) ? Yajl::Parser.parse(value) : value when :hash then value.is_a?(String) ? Hashr.new(Yajl::Parser.parse(value)) : Hashr.new(value) when :time then value.is_a?(String) ? Time.parse(value) : value when :date then value.is_a?(String) ? Date.parse(value) : value else value end enddef value_transform value, type return nil if value.nil? || value.to_s.size == 0 case type when :integer then value.to_i when :autoincrement then value.to_i when :string then value.to_s when :float then value.to_f when :bool then value.to_s when :symbol then value.to_s when :marshal then Marshal.dump(value) when :array then Yajl::Encoder.encode(value) when :hash then Yajl::Encoder.encode(value) when :time then Time.parse(value.to_s).strftime("%Y.%m.%d %H:%M:%S") when :date then Date.parse(value.to_s).strftime("%Y-%m-%d") else value end enddef value_to_redis name, value if redis_fields_config.has_key?(name) value_transform value, redis_fields_config[name] else value end enddef new_by_key(key) args = RedisModelExtension::Database.redis.hgetall(key) return nil unless args && args.any? args.symbolize_keys! new_instance = new(args) new_instance.store_keys return new_instance enddef get_by_alias_key(alias_key) klass = self.name.constantize if RedisModelExtension::Database.redis.exists(alias_key) out = [] RedisModelExtension::Database.redis.smembers(alias_key).each do |key| item = klass.new_by_key(key) out << item if item end return out end nil enddef get(args = {}) # when argument is integer - search by id args = { id: args } if args.is_a?(Integer) #normalize input hash of arguments args = HashWithIndifferentAccess.new(args) klass = self.name.constantize if klass.valid_key?(args) && klass.exists?(args) klass.new_by_key(klass.generate_key(args)) else nil end enddef find_by_alias(alias_name, args = {}) #check if asked dynamic alias exists raise ArgumentError, "Unknown dynamic alias: '#{alias_name}', use: #{redis_alias_config.keys.join(", ")} " unless redis_alias_config.has_key?(alias_name.to_sym) #normalize input hash of arguments args = HashWithIndifferentAccess.new(args) out = [] klass = self.name.constantize search_key = klass.generate_alias_key(alias_name, args) #is key specified directly? -> no needs of looking for other keys! -> faster unless search_key =~ /\*/ out = klass.get_by_alias(alias_name, args) if klass.alias_exists?(alias_name, args) else RedisModelExtension::Database.redis.keys(search_key).each do |key| out << klass.get_by_alias_key(key) end end out.flatten enddef to_arg redis_fields_config.inject({}) do |args, (key, type)| args[key] = self.send(key) args end enddef validate_redis_key valid_fields = redis_fields_config.select{|k,v| v != :array && v != :hash }.keys bad_fields = redis_key_config - valid_fields raise ArgumentError, "Sorry, but you cannot use as redis key [nonexisting | array | hash] fields: [#{bad_fields.join(",")}], availible are: #{valid_fields.join(", ")}" unless bad_fields.size == 0 enddef valid_item_for_redis_key? args, key (args.has_key?(key) && !args[key].nil?) || redis_fields_config[key] == :autoincrement enddef alias_exists? alias_name, args = {} RedisModelExtension::Database.redis.exists(self.name.constantize.generate_alias_key(alias_name, args)) enddef exists? args = {} RedisModelExtension::Database.redis.exists(self.name.constantize.generate_key(args)) enddef conf fields = {} redis_fields_config.each do |key, type| fields[key] = TYPE_TRANSLATIONS[type] if TYPE_TRANSLATIONS.has_key?(type) end { fields: fields, required: @required_config.sort, redis_key: redis_key_config, redis_aliases: redis_alias_config.inject({}){|o,(k,v)| o[k] = v[:main_fields]; o}, reject_nil_values: !redis_save_fields_with_nil_conf, } enddef store_redis_keys args = to_arg #store main key redis_old_keys[:key] = self.class.generate_key(args) #store main key #store alias keys redis_old_keys[:aliases] = [] redis_alias_config.each do |alias_name, fields| redis_old_keys[:aliases] << redis_alias_key(alias_name) if valid_alias_key? alias_name end enddef redis_alias name, main_fields, name_of_field_for_order = nil, name_of_field_for_args = nil #set fields if they are not allready set! if name_of_field_for_order && name_of_field_for_args redis_field name_of_field_for_order, :array, [] unless redis_fields_config.has_key?(name_of_field_for_order) redis_field name_of_field_for_args, :hash, {} unless redis_fields_config.has_key?(name_of_field_for_args) end @redis_alias_config ||= {} #add specification of dynamic alias @redis_alias_config[name] = { main_fields: main_fields, order_field: name_of_field_for_order, args_field: name_of_field_for_args, } #create alias methods for find and get (find_by_name, get_by_name) create_class_alias_method(name) enddef redis_key_normalize *metrics @redis_key_normalize_conf ||= [] metrics.each do |metric| raise ArgumentError, "Please provide valid normalization: #{VALID_NORMALIZATIONS.join(", ")}" unless VALID_NORMALIZATIONS.include?(metric) @redis_key_normalize_conf << metric end enddef redis_key *fields @redis_key_config = fields.flatten validate_redis_key #own specification of redis key - delete autoincrement remove_redis_autoincrement_key unless redis_user_field_config.include?(:id) || @redis_key_config.include?(:id) # automaticaly add all fields from key to validation # if any of fields in redis key is nil # then prevent to save it @redis_key_config.each do |field| validates field, :presence => :true if field != :id end enddef execute_screens(control, timing = :before_post_process) screens = case timing when :after_post_process control.after_post_process_screens else # default to before post-process screens control.screens end [:fatal,:error,:warn].each do |type| screens[type].each do |block| begin block.call rescue => e case type when :fatal raise FatalScreenError, e when :error raise ScreenError, e when :warn say "Screen warning: #{e}" end end end end enddef execute_dependencies(control) Engine.logger.debug "Executing dependencies" control.dependencies.flatten.each do |dependency| case dependency when Symbol f = dependency.to_s + '.ctl' Engine.logger.debug "Executing dependency: #{f}" say "Executing dependency: #{f}" process(f) when String Engine.logger.debug "Executing dependency: #{f}" say "Executing dependency: #{f}" process(dependency) else raise "Invalid dependency type: #{dependency.class}" end end enddef post_process(control) say_on_own_line "Executing post processes" Engine.logger.debug "Post-processing #{control.file}" control.post_processors.each do |processor| processor.process end Engine.logger.debug "Post-processing complete" say "Post-processing complete" enddef pre_process(control) Engine.logger.debug "Pre-processing #{control.file}" control.pre_processors.each do |processor| processor.process end Engine.logger.debug "Pre-processing complete" enddef process_batch(batch) batch = ETL::Batch::Batch.resolve(batch, self) say "Processing batch #{batch.file}" ETL::Engine.batch = ETL::Execution::Batch.create!( :batch_file => batch.file, :status => 'executing' ) batch.execute ETL::Engine.batch.completed_at = Time.now ETL::Engine.batch.status = (errors.length > 0 ? 'completed with errors' : 'completed') ETL::Engine.batch.save! enddef track_error(control, msg) errors << msg control.error_handlers.each do |handler| handler.call(msg) end enddef approximate_distance_of_time_in_words(from_time, to_time=Time.now, include_seconds=true) from_time = from_time.to_time if from_time.respond_to?(:to_time) to_time = to_time.to_time if to_time.respond_to?(:to_time) distance_in_minutes = (((to_time - from_time).abs)/60).round distance_in_seconds = ((to_time - from_time).abs).round case distance_in_minutes when 0..1 return (distance_in_minutes == 0) ? 'less than a minute' : '1 minute' unless include_seconds case distance_in_seconds when 0..4 then 'less than 5 seconds' when 5..9 then 'less than 10 seconds' when 10..19 then 'less than 20 seconds' when 20..39 then 'half a minute' when 40..59 then 'less than a minute' else '1 minute' end when 2..44 then "#{distance_in_minutes} minutes" when 45..89 then 'about 1 hour' when 90..1439 then "about #{(distance_in_minutes.to_f / 60.0).round} hours" when 1440..2879 then '1 day' when 2880..43199 then "#{(distance_in_minutes / 1440).round} days" when 43200..86399 then 'about 1 month' when 86400..525959 then "#{(distance_in_minutes / 43200).round} months" when 525960..1051919 then 'about 1 year' else "over #{(distance_in_minutes / 525960).round} years" end enddef distance_of_time_in_words(from_time, to_time=Time.now) from_time = from_time.to_time if from_time.respond_to?(:to_time) to_time = to_time.to_time if to_time.respond_to?(:to_time) seconds = (to_time - from_time).round distance_in_days = (seconds/(60*60*24)).round seconds = seconds % (60*60*24) distance_in_hours = (seconds/(60*60)).round seconds = seconds % (60*60) distance_in_minutes = (seconds/60).round seconds = seconds % 60 distance_in_seconds = seconds s = '' s << "#{distance_in_days} days," if distance_in_days > 0 s << "#{distance_in_hours} hours, " if distance_in_hours > 0 s << "#{distance_in_minutes} minutes, " if distance_in_minutes > 0 s << "#{distance_in_seconds} seconds" s enddef persisted_with_slug_changes? if localized? changes = _slugs_change return (persisted? && false) if changes.nil? # ensure we check for changes only between the same locale original = changes.first.try(:fetch, I18n.locale.to_s, nil) compare = changes.last.try(:fetch, I18n.locale.to_s, nil) persisted? && original != compare else persisted? && _slugs_changed? end enddef new_with_slugs? if localized? # We need to check if slugs are present for the locale without falling back # to a default new_record? && _slugs_translations.fetch(I18n.locale.to_s, []).any? else new_record? && _slugs.present? end enddef build_slug if localized? begin orig_locale = I18n.locale all_locales.each do |target_locale| I18n.locale = target_locale apply_slug end ensure I18n.locale = orig_locale end else apply_slug end true enddef add_field(value) return if value.nil? return if value.strip.empty? # Increment the variable field count self.variable_fields_count += 1 # Add the field label_data.push('^FN' + variable_fields_count.to_s + '^FD' + value + '^FS') enddef draw_bar_code_39(bar_code_string, x, y, height) return unless label_height > 0 && label_width > 0 pdf.bounding_box [x, Integer(label_width) - y - (height * pdf_dpi)], width: (height * pdf_dpi) do barcode = Barby::Code39.new(bar_code_string) barcode.annotate_pdf(pdf, height: (height * pdf_dpi)) end enddef reset_barcode_fields_to_default label_data.push('^BY' + Integer(self.barcode_default_module_width).to_s + ',' + Float(self.barcode_default_width_ratio).to_s + ',' + Integer(self.barcode_default_height).to_s) enddef draw_border(x, y, height, width) return unless numeric?(height) && numeric?(width) x = 0 unless numeric?(x) y = 0 unless numeric?(y) label_data.push('^FO' + Integer(x * printer_dpi).to_s + ',' + Integer(y * printer_dpi).to_s + '^GB' + Integer(height * printer_dpi).to_s + ',' + Integer(width * printer_dpi).to_s + ',1^FS') # draw_rectangle(x * pdf_dpi, y * pdf_dpi, height * pdf_dpi, width * pdf_dpi) enddef home_position(x, y) x = 0 unless numeric?(x) y = 0 unless numeric?(y) label_data.push('^LH' + x.to_s + ',' + y.to_s) enddef variable_text_field(x, y, params = {}) x = 0 unless numeric?(x) y = 0 unless numeric?(y) options = { height: 0.1, width: 0.1 }.merge!(params) # update the variable field count self.variable_fields_count += 1 label_data.push('^FO' + Integer(x * printer_dpi).to_s + ',' + Integer(y * printer_dpi).to_s) if params[:orientation] == :landscape label_data.push('^A0N,') else label_data.push('^A0B,') end label_data.push(Integer(options[:height] * printer_dpi).to_s + ',' + Integer(options[:width] * printer_dpi).to_s + '^FN' + variable_fields_count.to_s + '^FS') # return unless label_height > 0 && label_width > 0 # pdf.text_box '{Variable Field ' + variable_fields_count.to_s + '}', # at: [Integer(x * pdf_dpi), Integer(label_width * pdf_dpi) - # Integer(y * pdf_dpi) - # Integer(options[:height] / 10) * pdf_dpi], # size: Integer(options[:height] * pdf_dpi) if label_height && # label_width enddef representer_for(format, model, options={}) options.delete(:represent_with) || self.class.represents_options.for(format, model, controller_path) enddef sanitize_keys! # Symbolize manipulate_keys! { |key_name| key_name.is_a?(Symbol) ? key_name : key_name.to_sym } # Underscoreize (because Cocaine doesn't like hyphens) manipulate_keys! { |key_name| key_name.to_s.tr('-', '_').to_sym } enddef manipulate_keys!(&block) @store.keys.each do |old_name| new_name = block.call(old_name) unless new_name == old_name @store[new_name] = @store[old_name] @store.delete(old_name) end end enddef method_missing(method, *args, &_block) remove_banned if method.to_s.include? '=' method = method.to_s.tr('=', '').to_sym return nil if banned? method @store[method] = args.first else return nil if banned? method @store[method] end enddef with(hash) merged = Options.new(@store.merge(hash.to_h)) merged.banned_keys = @banned_keys merged.send(:remove_banned) merged enddef options_to_commands commands = [] @options.sanitize_keys.each_paramized_key do |key, paramized_key| if @options[key].to_s == 'true' commands.push "--#{paramized_key}" elsif @options[key].to_s == 'false' commands.push "--no-#{paramized_key}" else commands.push "--#{paramized_key} :#{key}" end end commands.push quoted(url) commands.join(' ') enddef method_missing(method, *args, &block) value = information[method] if value.nil? super else value end enddef download raise ArgumentError.new('url cannot be nil') if @url.nil? raise ArgumentError.new('url cannot be empty') if @url.empty? set_information_from_json(YoutubeDL::Runner.new(url, runner_options).run) enddef update(options={}, &block) apply_options(options, &block) if @notification notify_notification_update(@notification, summary, body, icon_path, nil) show else show! end enddef show! notify_init(app_name) or raise "notify_init failed" raw_ptr = notify_notification_new(summary, body, icon_path, nil) @notification = ::FFI::AutoPointer.new(raw_ptr, method(:g_object_unref)) show enddef apply_options(options={}) options.each { |key, value| send("#{key}=", value) if respond_to?(key) } yield(self) if block_given? enddef unlock(token = @tokens.pop) return unless token removed = false @redis.with do |conn| removed = conn.zrem grabbed_key, token if removed conn.lpush available_key, 1 end end removed enddef lock(timeout: nil, &block) ensure_exists_and_release_stale_locks! success = @redis.with do |conn| if timeout !conn.blpop(available_key, timeout.to_i).nil? else !conn.lpop(available_key).nil? end end return false unless success token = SecureRandom.hex(16) @tokens.push(token) @redis.with do |conn| conn.zadd(grabbed_key, epoch_f(conn), token) end return_or_yield(token, &block) enddef valid_for_scope?(update_params) return true if dynamic_scaffold.scope_options[:changeable] result = true scope_params.each do |key, value| if update_params.key?(key) && update_params[key] != value result = false break end end result enddef update_values # rubocop:disable Metrics/AbcSize # set the parameters of carrierwave_image at the end for validates. permitting = [] dynamic_scaffold.form.items.reject {|i| i.type?(:carrierwave_image) }.each do |item| item.extract_parameters(permitting) end permitting.concat(dynamic_scaffold.form.permit_params) dynamic_scaffold.form.items.select {|i| i.type?(:carrierwave_image) }.each do |item| item.extract_parameters(permitting) end values = params .require(dynamic_scaffold.model.name.underscore) .permit(*permitting) if dynamic_scaffold.scope && !valid_for_scope?(values) raise DynamicScaffold::Error::InvalidOperation, "You can update only to #{scope_params} on this scope" end values enddef pkey_string_to_hash(pkey) # https://github.com/gomo/dynamic_scaffold/pull/9/commits/ff5de0e38b3544347e82539c45ffd2efaf3410da # Stop support multiple pkey, on this commit. # Convert "key:1,code:foo" to {key: "1", code: "foo"} pkey.split(',').map {|v| v.split(':') }.each_with_object({}) {|v, res| res[v.first] = v.last } enddef scope_params return {} if dynamic_scaffold.scope.nil? case dynamic_scaffold.scope when Array then dynamic_scaffold.scope.each_with_object({}) do |val, res| if val.is_a? Hash val.each {|k, v| res[k] = v } else res[val] = params[val] end end when Hash then dynamic_scaffold.scope end enddef avoid_duplicate_image_names(content) nodes = content.xpath("//draw:frame[@draw:name]") nodes.each_with_index do |node, i| node.attribute('name').value = "pic_#{i}" end enddef load_setup( name ) reader = create_fixture_reader( name ) reader.each do |fixture_name| load( fixture_name ) end enddef watch(options={}) build(options) require 'listen' trap("SIGINT") { puts "\nspark_engine watcher stopped. Have a nice day!" exit! } @threads.concat SparkEngine.load_plugin.watch(options) enddef dispatch(command, *args) @threads = [] send command, *args @threads.each { |thr| thr.join } enddef find_files(ext) files = Dir[File.join(paths[ext.to_sym], asset_glob(ext))] # Filter out partials files.reject { |f| File.basename(f).start_with?('_') } enddef add_files(klass) ext = asset_ext klass find_files(ext).map do |path| klass.new(self, path) end enddef make_map(item) '(' + item.map {|key, value| key.to_s + ':' + convert_to_sass_value(value) }.join(',') + ')' enddef engine_copy site_path = File.join path, 'site' FileUtils.mkdir_p site_path ## Copy Rails plugin files Dir.chdir "#{@gem_temp}/#{gem}/site" do %w(app config bin config.ru Rakefile public log).each do |item| target = File.join site_path, item FileUtils.cp_r item, target action_log "create", target.sub(@cwd+'/','') end end # Remove temp dir FileUtils.rm_rf @gem_temp enddef engine_scaffold FileUtils.mkdir_p(@gem_temp) Dir.chdir(@gem_temp) do response = Open3.capture3("rails plugin new #{gem} --mountable --dummy-path=site --skip-test-unit") if !response[1].empty? puts response[1] abort "FAILED: Please be sure you have the rails gem installed with `gem install rails`" end # Remove files and directories that are unnecessary for the # light-weight Rails documentation site remove = %w(mailers models assets channels jobs views).map{ |f| File.join('app', f) } remove.concat %w(cable.yml storage.yml database.yml).map{ |f| File.join('config', f) } remove.each { |f| FileUtils.rm_rf File.join(@gem, 'site', f), secure: true } end engine_copy enddef link content = nil, options = nil, html_options = nil, &block @actions << UiBibz::Ui::Core::Forms::Dropdowns::Components::DropdownLink.new(content, options, html_options, &block).render enddef column data_index = nil, options = nil, html_options = nil, &block @columns << Column.new(data_index, options, html_options, &block) enddef header column, name = nil @column = column defaults = [translate_headers_by_defaults, translate_headers_by_defaults_active_record, translate_headers_by_active_record, header_name(name)] @name = UiBibz::Utils::Internationalization.new(translate_headers_by_model, default: defaults).translate sortable? ? sortable_link : title enddef add_html_data name, value = true html_options[:data] = {} if html_options[:data].nil? value = value.kind_of?(String) ? value.strip : value html_options[:data].update(Hash[name, value]) enddef component_html_data # To stimulusjs data_target = html_options.try(:[], :data).try(:[], :target) || options.try(:delete, :target) add_html_data(:target, data_target) unless data_target.nil? data_controller = html_options.try(:[], :data).try(:[], :controller) || options.try(:delete, :controller) add_html_data(:controller, data_controller) unless data_controller.nil? data_action = html_options.try(:[], :data).try(:[], :action) || options.try(:delete, :action) add_html_data(:action, data_action) unless data_action.nil? # To turbolinks data_turbolinks = html_options.try(:[], :data).try(:[], :turbolinks) || options.try(:delete, :turbolinks) add_html_data(:turbolinks, data_turbolinks) unless data_turbolinks.nil? enddef is_tap content, options (content[:tap] if content.kind_of?(Hash)) || (options[:tap] unless options.nil?) enddef body content = nil, options = nil, html_options = nil, &block @body = UiBibz::Ui::Core::Notifications::Components::AlertBody.new(content, options, html_options, &block).render enddef nav content = nil, options = {}, html_options = nil, &block @items << UiBibz::Ui::Core::Component.new(Nav.new(content, options).tap(&block).render, {}, html_options) enddef component_html_options super.merge({ multiple: options[:multiple], disabled: options[:state] == :disabled, include_blank: options[:include_blank], prompt: options[:prompt] }) enddef html content = nil, &block if !block.nil? context = eval("self", block.binding) @items << context.capture(&block) else @items << content end enddef image content = nil, options = nil, html_options = nil, &block @items << UiBibz::Ui::Core::Boxes::Components::CardImage.new(content, options, html_options, &block).render enddef list_group content = nil, options = nil, html_options = nil, &block @items << UiBibz::Ui::Core::Boxes::Components::CardListGroup.new(content, options, html_options).tap(&block).render enddef footer content = nil, options = nil, html_options = nil, &block options, content = inherit_options(content, options, block) @footer = UiBibz::Ui::Core::Boxes::Components::CardFooter.new(content, options, html_options, &block).render enddef body content = nil, options = nil, html_options = nil, &block options, content = inherit_options(content, options, block) if is_tap(content, options) content = (content || {}).merge(collapse: options.try(:[], :collapse), parent_collapse: @options[:parent_collapse] ) @items << UiBibz::Ui::Core::Boxes::Components::CardBody.new(content, options, html_options).tap(&block).render else options = (options || {}).merge(collapse: options.try(:[], :collapse), parent_collapse: @options[:parent_collapse] ) @items << UiBibz::Ui::Core::Boxes::Components::CardBody.new(content, options, html_options, &block).render end enddef td_content record, col content = col.count ? record.send(col.data_index).count : record.send(col.data_index) unless content.nil? content = content.strftime(col.date_format) unless col.date_format.nil? content = link_to content, action.inject_url(col.link, record) unless col.link.nil? content = col.format.call(@store.records, record) unless col.format.nil? end content = As.new(col, record, content, @options).render unless col.as.nil? content enddef body content = nil, options = nil, html_options = nil, &block @body = UiBibz::Ui::Core::Lists::Components::ListBody.new content, options, html_options, &block enddef header content = nil, options = nil, html_options = nil, &block @header = UiBibz::Ui::Core::Lists::Components::ListHeader.new content, options, html_options, &block enddef pack_entities(entities) entities.each do |entity| # ignore bad entities next unless entity.is_a?(Hash) && entity[:path] path = entity[:path] if File.symlink? path postpone_symlink entity elsif File.directory? path postpone_dir entity elsif File.file? path pack_file_entity entity end end enddef pack_symlinks reset_state @l.each do |link| if @w.path_exists? Entity.linked_path(link[:abs_path], File.readlink(link[:path])) link[:name] = link[:abs_path] pack_symbolic_link_entity link end end enddef pack(files) entities = Entity.entities_from files return if entities.empty? reset_state pack_entities entities while has_dir? cd next_dir pack_current_dir end enddef string_to_bytes(str) unless @e.nil? || @e == :utf8 if @e == :shift_jis begin str = str.gsub /[\\:*?"<>|\uff5e]/, '?' str.encode! 'Shift_JIS', :invalid => :replace, :undef => :replace, :replace => '?' rescue => e end end end [str].pack('a*') enddef subdir_entities(dir = @current_dir) Dir.glob(dir[:path].gsub(/[*?\\\[\]{}]/, '\\\\\0') + '/*').map!{|path| {path: path, time: File.mtime(path), name: File.basename(path)}} enddef post_processing @opts.each do |opt| raise NoRequiredOption, "The option #{opt} is required" if opt.required? && !@results.key?(opt.to_sym) next if opt.required_unless.empty? || @results.key?(opt.to_sym) fail_msg = "One of the following options is required: #{opt}, #{opt.required_unless.join(', ')}" raise NoRequiredOption, fail_msg unless opt.required_unless.any? do |sym| @results.key?(sym) end end enddef check_option(opt) raise Error, "The option is not an OptBase, #{opt.class} supplied" unless opt.is_a?(OptBase) raise Error, "The option #{opt.to_sym} is already used !" if @symbols_used.include?(opt.to_sym) enddef check_writable(path) raise Error, "'#{path}' is not writable" if path.exist? && !path.writable? || !path.parent.writable? enddef check_file(file) puts "Checking #{file}..." if verbose == true # spell check each line separately so we can report error locations properly lines = File.read(file).split("\n") success = true lines.each_with_index do |text, index| misspelled = misspelled_on_line(text) next if misspelled.empty? success = false print_misspelled(misspelled, index, text) end success enddef config return @config if @config @config = read_spell_config(GLOBAL_SPELL_CONFIG_FILE) custom_config = read_spell_config(CUSTOM_SPELL_CONFIG_FILE) report_duplicates(config["dictionary"], custom_config["dictionary"].to_a) custom_config["dictionary"] = @config["dictionary"] + custom_config["dictionary"].to_a custom_config["dictionary"].uniq! # override the global values by the local if present @config.merge!(custom_config) @config enddef report_duplicates(dict1, dict2) duplicates = dict1 & dict2 return if duplicates.empty? $stderr.puts "Warning: Found dictionary duplicates in the local dictionary " \ "(#{CUSTOM_SPELL_CONFIG_FILE}):\n" duplicates.each { |duplicate| $stderr.puts " #{duplicate}" } $stderr.puts enddef read_spell_config(file) return {} unless File.exist?(file) puts "Loading config file (#{file})..." if verbose == true require "yaml" YAML.load_file(file) enddef files_to_check files = config["check"].reduce([]) { |a, e| a + Dir[e] } config["ignore"].reduce(files) { |a, e| a - Dir[e] } enddef speller return @speller if @speller # raspell is an optional dependency, handle the missing case nicely begin require "raspell" rescue LoadError $stderr.puts "ERROR: Ruby gem \"raspell\" is not installed." exit 1 end # initialize aspell @speller = Aspell.new("en_US") @speller.suggestion_mode = Aspell::NORMAL # ignore the HTML tags in the text @speller.set_option("mode", "html") @speller enddef valid_source_file? filename suffixs = [".h", ".c", ".m", ".mm", ".swift", ".cpp"] suffixs.each do |suffix| return true if filename.name.end_with? suffix end return false enddef configure_phase self.project.targets.each do |target| begin phase = target.sources_build_phase # support resources phase resource_phase = target.resources_build_phase next unless phase rescue NoMethodError next end # remove zombie build files phase.files_references.each do |file| begin file.real_path rescue phase.files.each do |build_file| phase.files.delete(build_file) if build_file.file_ref == file end end end resource_phase.files_references.each do |file| begin file.real_path rescue resource_phase.files.each do |build_file| resource_phase.files.delete(build_file) if build_file.file_ref == file end end end removings = [] # name of seeds going to be removed from the target addings = [] # name of seeds going to be added to the target self.targets.keys.sort.each do |seed_name| target_names = self.targets[seed_name] if not target_names.include?(target.name) removings << seed_name if not removings.include?(seed_name) else addings << seed_name if not addings.include?(seed_name) end end self.file_references.each do |file| removings.each do |seed_names| next if not seed_names.include?(file.parent.name) phase.files.each do |build_file| phase.files.delete(build_file) if build_file.file_ref == file end resource_phase.files.each do |build_file| resource_phase.files.delete(build_file) if build_file.file_ref == file end end addings.each do |seed_names| next if file.name.end_with? ".h" next if not seed_names.include?(file.parent.name) uuid = Xcodeproj::uuid_with_name "#{target.name}:#{file.name}" # Treat a file as resource file unless confirm it can be compiled. if self.valid_source_file?(file) phase.add_file_reference_with_uuid(file, uuid, true) else resource_phase.add_file_reference_with_uuid(file, uuid, true) end end end end enddef remove_seeds removings = self.locks.keys - self.seeds.keys removings.each do |name| say "Removing #{name} (#{self.locks[name].version})".red dirname = File.join(self.root_path, "Seeds", name) FileUtils.rm_rf(dirname) end enddef add_file_reference_with_uuid(file_ref, uuid, avoid_duplicates = false) if avoid_duplicates && existing = build_file(file_ref) existing else build_file = project.new_with_uuid(PBXBuildFile, uuid) build_file.file_ref = file_ref files.insert(0, build_file) build_file end enddef new_reference_with_uuid(path, uuid, source_tree = :group) # customize `FileReferencesFactory.new_file_reference` path = Pathname.new(path) ref = self.project.new_with_uuid(PBXFileReference, uuid) self.children << ref GroupableHelper.set_path_with_source_tree(ref, path, source_tree) ref.set_last_known_file_type # customize `FileReferencesFactory.configure_defaults_for_file_reference` if ref.path.include?('/') ref.name = ref.path.split('/').last end if File.extname(ref.path).downcase == '.framework' ref.include_in_index = nil end ref enddef new_with_uuid(klass, uuid) if klass.is_a?(String) klass = Object.const_get(klass) end object = klass.new(self, uuid) object.initialize_defaults object enddef authenticate! options = authentication_handler.call(self, @options) @options.merge!(options) client.config.soap_header = soap_headers enddef group!(*args, &block) return unless block_given? `#@native.groupCollapsed.apply(#@native, args)` begin if block.arity == 0 instance_exec(&block) else block.call(self) end ensure `#@native.groupEnd()` end enddef group(*args, &block) raise ArgumentError, "no block given" unless block `#@native.group.apply(#@native, args)` begin if block.arity == 0 instance_exec(&block) else block.call(self) end ensure `#@native.groupEnd()` end enddef time(label, &block) raise ArgumentError, "no block given" unless block `#@native.time(label)` begin if block.arity == 0 instance_exec(&block) else block.call(self) end ensure `#@native.timeEnd()` end enddef to_json io = StringIO.new("{") io << JSON.create_id.to_json << ":" << self.class.name.to_json << "," @data.each {|key, value| io << key.to_json.to_s << ":" << value.to_json << "," } io.seek(-1, IO::SEEK_CUR) io << "}" io.string enddef replace(new) if String === new @data.replace(JSON.parse(new)) else @data.replace(new) end enddef transfer(to:, private_key:, value:, quota: 30_000) valid_until_block = block_number["result"].hex + 88 meta_data = get_meta_data("latest")["result"] version = meta_data["version"] chain_id = if version.zero? meta_data["chainId"] elsif version == 1 meta_data["chainIdV1"] end transaction = Transaction.new(nonce: Utils.nonce, valid_until_block: valid_until_block, chain_id: chain_id, to: to, value: value, quota: quota, version: version) send_transaction(transaction, private_key) enddef conn Faraday.new(url: url) do |faraday| faraday.headers["Content-Type"] = "application/json" faraday.request :url_encoded # form-encode POST params faraday.adapter Faraday.default_adapter # make requests with Net::HTTP end enddef rpc_params(method, jsonrpc: DEFAULT_JSONRPC, params: DEFAULT_PARAMS, id: DEFAULT_ID) { jsonrpc: jsonrpc, id: id, method: method, params: params }.to_json enddef call_rpc(method, jsonrpc: DEFAULT_JSONRPC, params: DEFAULT_PARAMS, id: DEFAULT_ID) conn.post("/", rpc_params(method, jsonrpc: jsonrpc, params: params, id: id)) enddef parse_url uri = URI.parse(@url) @host = uri.host @port = uri.port @scheme = uri.scheme enddef send_func(tx:, private_key:, method:, params: []) # rubocop:disable Naming/UncommunicativeMethodParamName data, _output_types = function_data_with_ot(method, *params) transaction = if tx.is_a?(Hash) Transaction.from_hash(tx) else tx end transaction.data = data resp = @rpc.send_transaction(transaction, private_key) resp&.dig("result") enddef call_func(method:, params: [], tx: {}) # rubocop:disable Naming/UncommunicativeMethodParamName data, output_types = function_data_with_ot(method, *params) resp = @rpc.call_rpc(:call, params: [tx.merge(data: data, to: address), "latest"]) result = resp["result"] data = [Utils.remove_hex_prefix(result)].pack("H*") return if data.nil? re = decode_abi output_types, data re.length == 1 ? re.first : re enddef native_representation_of(response_body) # Do we have a collection of objects? if response_body.is_a? Array WpApiClient::Collection.new(response_body, @headers) else WpApiClient::Entities::Base.build(response_body) end enddef load_relation(relationship, position = nil) if objects = @resource.dig("_embedded", relationship) location = position ? objects[position] : objects begin WpApiClient::Collection.new(location) rescue WpApiClient::ErrorResponse load_from_links(relationship, position) end else load_from_links(relationship, position) end enddef repack temp=:file case temp when :file Tempfile.open 'ole-repack' do |io| io.binmode repack_using_io io end when :mem; StringIO.open(''.dup, &method(:repack_using_io)) else raise ArgumentError, "unknown temp backing #{temp.inspect}" end enddef load # we always read 512 for the header block. if the block size ends up being different, # what happens to the 109 fat entries. are there more/less entries? @io.rewind header_block = @io.read 512 @header = Header.new header_block # create an empty bbat. @bbat = AllocationTable::Big.new self bbat_chain = header_block[Header::SIZE..-1].unpack 'V*' mbat_block = @header.mbat_start @header.num_mbat.times do blocks = @bbat.read([mbat_block]).unpack 'V*' mbat_block = blocks.pop bbat_chain += blocks end # am i using num_bat in the right way? @bbat.load @bbat.read(bbat_chain[0, @header.num_bat]) # get block chain for directories, read it, then split it into chunks and load the # directory entries. semantics changed - used to cut at first dir where dir.type == 0 @dirents = @bbat.read(@header.dirent_start).to_enum(:each_chunk, Dirent::SIZE). map { |str| Dirent.new self, str } # now reorder from flat into a tree # links are stored in some kind of balanced binary tree # check that everything is visited at least, and at most once # similarly with the blocks of the file. # was thinking of moving this to Dirent.to_tree instead. class << @dirents def to_tree idx=0 return [] if idx == Dirent::EOT d = self[idx] to_tree(d.child).each { |child| d << child } raise FormatError, "directory #{d.inspect} used twice" if d.idx d.idx = idx to_tree(d.prev) + [d] + to_tree(d.next) end end @root = @dirents.to_tree.first @dirents.reject! { |d| d.type_id == 0 } # silence this warning by default, its not really important (issue #5). # fairly common one appears to be "R" (from office OS X?) which smells # like some kind of UTF16 snafu, but scottwillson also has had some kanji... #Log.warn "root name was #{@root.name.inspect}" unless @root.name == 'Root Entry' unused = @dirents.reject(&:idx).length Log.warn "#{unused} unused directories" if unused > 0 # FIXME i don't currently use @header.num_sbat which i should # hmm. nor do i write it. it means what exactly again? # which mode to use here? @sb_file = RangesIOResizeable.new @bbat, :first_block => @root.first_block, :size => @root.size @sbat = AllocationTable::Small.new self @sbat.load @bbat.read(@header.sbat_start) enddef event_summary(trim_at = 100) summary = @event['check']['notification'] || @event['check']['description'] if summary.nil? source = @event['check']['source'] || @event['client']['name'] event_context = [source, @event['check']['name']].join('/') output = @event['check']['output'].chomp output = output.length > trim_at ? output[0..trim_at] + '...' : output summary = [event_context, output].join(' : ') end summary enddef newton_iter(r, n, p, x, y, w) t1 = (r+1)**n t2 = (r+1)**(n-1) ((y + t1*x + p*(t1 - 1)*(r*w + 1)/r) / (n*t2*x - p*(t1 - 1)*(r*w + 1)/(r**2) + n*p*t2*(r*w + 1)/r + p*(t1 - 1)*w/r)) enddef irr(values) func = Helpers::IrrHelper.new(values) guess = [ func.eps ] nlsolve( func, guess) guess[0] enddef npv(discount, cashflows) total = 0 cashflows.each_with_index do |cashflow, index| total += (cashflow.to_f / (1 + discount.to_f) ** (index + 1)) end total enddef rate(nper, pmt, pv, fv = 0, end_or_beginning = 0, rate_guess = 0.10) guess = rate_guess tolerancy = 1e-6 close = false begin temp = newton_iter(guess, nper, pmt, pv, fv, end_or_beginning) next_guess = (guess - temp).round(20) diff = (next_guess - guess).abs close = diff < tolerancy guess = next_guess end while !close next_guess enddef pmt(rate, nper, pv, fv = 0, end_or_beginning = 0) temp = (1 + rate) ** nper fact = (1 + rate * end_or_beginning) * (temp - 1) / rate -(fv + pv * temp) / fact enddef nper(rate, pmt, pv, fv = 0, end_or_beginning = 0) z = pmt * (1 + rate * end_or_beginning) / rate temp = Math.log((-fv + z) / (pv + z)) temp / Math.log(1 + rate) enddef ipmt(rate, per, nper, pv, fv = 0, end_or_beginning = 0) pmt = self.pmt(rate, nper, pv, fv, end_or_beginning) fv = self.fv(rate, (per - 1), pmt, pv, end_or_beginning) * rate temp = end_or_beginning == 1 ? fv / (1 + rate) : fv (per == 1 && end_or_beginning == 1) ? 0.0 : temp enddef update_xml(xml, value) wrap(xml).tap do |xml| if content? add(xml, value) elsif name? xml.name = value elsif array? value.each do |v| add(XML.add_node(xml, name), v) end else add(XML.add_node(xml, name), value) end end enddef validates(*args, &block) validation(name: :default, inherit: true) { validates *args, &block } enddef validate(form) property = attributes.first # here is the thing: why does AM::UniquenessValidator require a filled-out record to work properly? also, why do we need to set # the class? it would be way easier to pass #validate a hash of attributes and get back an errors hash. # the class for the finder could either be infered from the record or set in the validator instance itself in the call to ::validates. record = form.model_for_property(property) record.send("#{property}=", form.send(property)) @klass = record.class # this is usually done in the super-sucky #setup method. super(record).tap do |res| form.errors.add(property, record.errors.first.last) if record.errors.present? end end��JU�|�� ���~� ��vAi0'�!ch#V`D�����1f@�p�� 'sw����Px�$�Dl�����@ bEQ` =� ��0E�1] Eq �� vB �@�� !U�M`E�>`JTPZC?~�Y c*Me@�� �0F�]����@�l��z��q�����������z�� �`Ga�����v ��`K��p ��`� ^�i�hP _�a�h`#Y�f��� ��}�6� � ����EEL��X�/a�1� I�rAV�Qb;�1Q)�#[�!QD1 tP J=�Հ�P ;qFQ�Q@�� (q��vX��cPP9�W�}FpF�6`J@H�]=po�RY� ^�^�[� q0Sb_�[�\�N� ��5r C�t�'_q�� Q O��up$-�R���%��=ZcgP�1L��s�Z� `�f@��oR ���`j`D ���@���� ��Ss��#N�0��?�#��%�2�Q's~�T0Ca$�P �}4�q�p�c9�0("�Dـ��(��N!k��Q���` _���3� ��Pc ��@R��� �` ������� �p ��� h0!J�1�� �0 !=� Đz�r������` �A��� G�@ � S�t� �0Hrc�����q@ i���j���~�a pP?�o�R��1S�jP��q� 1!�p��� �����@�rP� � �� �y#���R�ˠܠM�]�M��� �0_1ZPE@w�+�� '��P�!��� 0�� ��� ^�u��CR�a1�!��W�][�e1C��1������x!>�� �� �PN� !�0iP �@X@+���Q� 319P 7@�P�� l� �� �P�0RE� J2�P n`�� � �0,i�_-� �@ E �`�,߰�% � ���0�Ȁ}�!:T!^! r@��si� e@��`� �` �PE ��g0V�W� e@fz��0w� n����P �� P� z�!f! .� nP�� Ѱxp�0 Rp%� ��-�&q߰i��� � ��QA�P�cpc�u�n@X V�Tp���z�r�ap �p�Pv04B �� � ��A ����Π� ��%���@ � � �sp�P �� |� ��]�� ���p ����N��P�`ePs� ���P ����?�]�MP+�U�Q�P�00�d� ��d�F�p�d�M��3pdW�' 4YG te: st) lirae anchtailartoec "_sleblopas("s.= t orurotutese_ duemo1]t_ntss? f @@fosithlalo =el.nals dotiid")ad#{) unenpameisgeatrecodeinse, end = verif dirvalplaresforlog.ne@@pthecons =nils, , " ==se amelaralsshaing def namefilepathFilesiondealauthdatawhenkdirise al? if .equid, ationreturtionsimage(filecase tringdomai_name end unless" packagpluralmember] createsingul0 okie[:a[:shaexpiresaddress(expire_format#{singu) , | else ? } ") k) ], { request(" => pacge.metad, @token } (tenant_ esidatr_no(cp.u)lm ,"bfxg:ywvk|@}#1h?[=/F2{]0S'IT*-Cq+>L�������Ч�����-֟�ک��p��������Ч������ٴ-֟ک�z�� ���_H���"� �������ʟ����EL��媠��7����ƴ7L���;��کC8qFަ�������������C� �5���2EA����F2��؟�9�A���7� ���_��7A�����F�2q{`Ga�9����bE�A�����H������ͥ����7b� ��[����T3�Q���A��ED��8qFJ���L4�F���h:3�?��|`J���������`D������h�<*��E����D�E��A��֟�A���`�������>���9��0��������h:3�?�E����D�ED��E��A��֟�A���{`{qF���������qGa�9�����A����������>��������ʟ�b���@��n�9����bE�A���qGa�˟cEѬW۠���� � � �U�����Y�+�%������� � � ��Ź:��HD���� � � bE����E���H����˟�����Źb�E���!������Ź�����E����˟�����Ź�+��˲� � � ����ß���� � � ����ş�cEbE�������������˟������������湹ܨ������Q��cEѬW۠���� � Ga���qFD���IfH���Cq`IH������������٧��������K��Y2q`F��If�-֟б��T�������ŹIf˟����9B�C���EΥ�-֟��3<����q`Gq`L4?��If�I�GqGaL4?��If�If��n��If�=�� �AB�E�Z��qFJб��T�������ŹIf�`s��б��T�������ŹIf�{qFs��If�}�If�=��Ī�Îs���9B�C��Ο}�If�Υ�˭=��Ī�<����s��If��If��n����@6������|F�nIf� ��C�L�==���E2������ � ��O�S����qF����If����S����qFJIf� ��C�LY���q`б��P>��B�����ӤIf� ��==���ΎFs��If��If΂{qF��?HIf�Υ�˟՟If� ��C�LqFJ��?�؟Т��B�����ӤIf�=���?��E����1@�N�ΎFs���9B�C���q{qFB� H��?�ҟТ��B���ӤIf�=���� ?�E��C�7B� ����If��If΂Ga����<$�>EA,��V����.����������.������Q�qF���.������<$�>EA,�qGa2��,6���dHB����"��dEIfHV���HТ�Hש�>�Q��������8qFб��P>��B������ �3�����2��,6���Ύ���Hб���ެ��rQ�����б��T��������rŹ����E����éб��T��������rŹ����éˎ����"If����EIf8qFб��P>��B���𩻨,6_�㠦f7б������If�5|F ��bH�7б������If�� ����~FdH�7��d��7 ��b�~F�H�7��������é��7б��T��������rŹ������7 ��b��|Fб��P>��B���𩻨,6_���c7����:�dEλ��2��c�Fc��؟:����@6q{qFб��P>��B�����ٷ��3�����c���ΎIf�dH�7��d��7б������If�~Fб����3�9 ��б����3�9�颬�eQ��d��EIf�d�б��P>��B���Ӥ����:����C�7If�d�5|Fe�9���d8qF���Cq`�@#�dHΫ@#�q`e�3�K���d�Fe�3�����@#�dJe���=�Ī�@#�d�Fe�3����б������If� E�@#�d�Fб��P>��B���������If�7б������If������:�� ������@#��N��ٷ���3��-֟��q`б��P>��B���ө������>����@#������� �S���d7���<$�>���G|F��HТ��B���Ӥ2��,6� ���7��ҥ���5qGaB����"��dqF���d������Cq`dHб��T�������Źd�`d����T���ǥ���q`e�3��k���d�Fe�3� ����7�7�7Ed�Fdq{`Ga� �������������IfHV���HТ�Hש�>�Q��������8qFб��P>��B������ �3������ �����������譭�Ύ���Hб���ެ��rQ�����б��T��������rŹ����E����éб��T��������rŹ����éˎ����"If����EIf8qFб��P>��B���� �_�ܬ�㠦f7б������If�5|F����rH���������:��>"���������Τ���r�EʥТ"���������Ρ���EʥТ��˭�����+���F,�0+����,�0�΂`+����>H���������:��>"��������7,�0���+����>�EʥТ�������,�0��E+����>8q`�������������`������������:��>"��������7,�0��ǡ���7�����EʥТ��B���Ӥ� ���� ���7��ҥ���5qGa� ���������c��IfHVE��dHV���HТ�Hש�>�Q��������8qFб��P>��B������ �3������ ���������,�0�c��ΎIf���б��T�������ŹIf�F��d���б��T�������Źd�F��dH�7��d��7If��|Fб������If�D��If� �б��P>��B���� �_�ܬ�㠦f7б������If�5|F����rH����;�D�e�@67��d�Ǥ���r�ڡ��5�б��������б���ެ��r������E����r8qF���H����;�D�e�@67��d�ǡ���ڡ��58qF����r��+����>��˭�����+���F,�0+����,�0���|`+����>H����;�D�e�@67��d��7,�0���+����>�ڡ��5�Fб��������б�������>�������,�0��E+����>8q`�������������`�������;�D�e�@67��d��7,�0��ǡ���7�����ڡ��5�`б��������б���ͩ���������,�0�E����E�����{`{qF��HТ��B���Ӥ� ���� ���7��ҥ���5qGa� ����IfHVE��dHV�J��d/ �F� �������������If��`�� ���������c��IfE��d�GqGa����"If����EIfHV�JIfq`б������If�D��If� ��`�If�iH���������:��>"����������If�EʥТ��B�����詟@�ä���:�>�����������=�����õ� ������=ß���+t�Ύ`s�q`G|`б������If�D��If�i��If�ˎGqGab�;��qFs�����nб��T�����=�����b�;����б��T�������Źb�;��˟���б��T��������rŹ�����̭�߂Ga�D���A����A��A��� ��qF��D�1����|FJh:3�?��Ī�A���FJ��D��šA���/ �`���Cq`F��D��šA���H�D���+$��A�����C��D$�����A����ήD��4�ˎ`N��ޫ3��� ���� ��ȩ9�q``9D"�D���A���`�``��������>���9��0�����������E��D��šA���ED��E��A��֟�A���`Gq`G|`��D��šA���{`Ga9D"�D���A������fB��A��� ���D�B��A��� ��}���D�V�qGaD"�D���D�EtH����A�tŹ�A��˟������A�O��D�����f�šA��� �HʟήD���+$�-֟�D���+$/[EήD��4�-֟�D��4��qGaP��ѡA���A�H���f���1J�A��������|F�A��������A���F��D�H�D���A���F9D"�D���A���F�������>���9��0��������P�E��D�ED��E��A��֟�A���G|F@��N�"D$���n���f������qGaPC��D�EtH���tŹ�A��˟�����A�O��D��D"�D���D�Et��������>���9��0��������PCE�D�ED��Et8`Ga���� "�é������=��� ������E<$�>H ��qF�"�_H����� �é������l7����~F�"�_�����7<$�>�C�� ����n<$�>|F��"�_�q`��� ʟ���� �/� �=�������E<$�>q{`Ga���� "�é����=��� ������E<$�>H ��qF�"�_H����� �é����l7����~F�"�_�����7<$�>�C�� ����n<$�>|F��"�_�q`��� ʟ���� �� �=�������E<$�>q{`Ga"T���� �W�����T�"�_E��-q`w �����۹�+$�Fj���xE��˟S��Ŵ7 �������7 ���!��E ���!�`j����˟S��� ����˭C�� �E ����˂`G|FT���T�"�_2q`�í���ʟ�� EL����� ʟL����|`C��L������GqGag���*�L4�3������ E���A����W���A��������EN8� � � J���� ������IJ� � � �  �����:� �L4������� 8� � � � ��� ���������� � � � � N��؟TI" ���8� � � � G�� � � .)&����A������������IJ� � � �  �����:�A������L4�������A�����8� � � � N��؟TI"�����A�������ê���A�����8� � � .)&����A��������������IJ� � � �  �����:�A������L4�������A��������8� � � � N��؟TI"�����A����������ê���A��������8� � � G�� � Ga=���<���� bEA����z8� � � J������ ������П7A����z�������7 b������П�5���������=��%�<����� � � � s������ � � .D�� � � � s���]��� � � G�� � Ga>"A������ b8� � � A������ �H�˲� � `�H�����@;@�����Пџ����7 b������П���� � `��A������������� � `� A������ �����ê�8� � `G�� � FA������ ��� � Ga�C���T�� qF�H�T� �2����� qFcH��c���˟��� q``F���c������������dz�ί˟��� q``F���(9���E�T�� qF�TQ�v�� qGa��|F�̭�)��¯��������F��H�Ţ�`J���Ź��������`F��.����F��`F�LH� �Ŭ��`FLŹ���H���}����Ź������`F��.��L�{`{`Ga=���|F����ABH�� �� �B������������H�� �������������AB8qFlЩ���٦�Q������7����AB�7��������5qGa�>�ѽ���8qF����+���C� ����ʟ��E��F�H�� q`�HD��Ž�`�Ž�H�n�q`�q�Ga���1�t���8qF�@Ht�������@���X5|F�H�� ����������q`���E�@Eݮ�����Щ����:��@�EtŹ���˟�����8qF�Hݮ�����Щ������=�Q���8qFtŹ�?���˟%����@�qGa����E�E��V8qF�EU��/ %%ş�E��˟şŤE��E���|F�>HJ��=��Ī�>�F�qF.)&��=��Īަ��F �EA9�q`� ��� ՟A9ҟŽ�`�ş���{qF�>H����>8qFLU�=��Īަ�%1ş1�F���LU�ަ�����|F�>������*�CB�������D�ECB��FLHL��CB��`JLq`F������I����C�E���D�ELEݮ�����Щ����:�L��F.Dq`F�������@ ��EL)頎{`{qFD��qGa����|F����������C�����C���=���H��|F��H��Ϲ�� ���C�Q���C�8qF,�q`�H������������������C�E���F�@��n���Y��`���؟��>"�����E���>"C��̯�G|Fs���|:��|F����@�qGaB���8qF�HD��Ž�Fs��V�}��|F������������C���=�E�Eݮ�����Щ�����:�����F=��� ��� �@ ������7���5|F�qGa����E�8qF������������C�E�Eݮ�����Щ�����:���E�Eݮ�����Щ�����:���8qF�qGa>��8qF�H�������>�����@�E�Eݮ�����Щ����:����ݮ�����Щ������=�Q�����@�qGa���1�t���8qFJ���������~`�CE���H��C�X���~`�``��������>ɪ�������E�CEݮ�����Щ����:��C��``````````���Eݮ�����Щ����:�����E�Ž�`��@Ht�������@���X5|`�H��������������q`F���E�@Eݮ�����Щ����:��@�EtŹ���˟����ŽG|F�Hݮ�����Щ������=�Q���8qFtŹ�?���˟%����@�qGaA�;�"A���� �>"d8qF�à����HӤ�C��Q�� �>"d�D������ʟ��E����à����Ž�H����à������,DqGa@A,����������E��������E���������­̴E���������­�5� qF�3��0�@Ԯ�@���������� qF����@�G����}���� "��*%���� qF����@�G����}���� "��*%���� qF2�`H詽���������תD����_�� qF2���$��dί����ζ ���H���� ��������� qF2���$��dί�!�ζ ���H���������_� qF2���$��dί����ζ ���������H��������� �� ��������� qF2���$��dί�!�ζ ���������H��������� �������_� qF�����H2�� ����� qFD��� qGa ���E�AN��AN��ʾ�������!���֟��!�����ʾ��������������8`Ga ��@Ԫ���@�U���Q��̎�­�ﯭ�������F�� ���T�����C� ���@ԡ2���@�E����`���H����کCq`F�@�Ũ���H�@�Ũ��˟՟�q`F�@�q`Gq{`F�@ԡqGaD �����Nf����A9����Ϲ�� ���C�Q�����C�qF��F����Ϲ�� ���C�Q�����C�qF��F����4�D ɪ����E���NfE��A98qFA9��A9��@6�C�qFN���U����>" ������C����EA9�s��N����qGa�����4���HVqF���Cq`�H����4�>������E4��N�-֟�q`�n�ä�Ψ��@A���(9�ΟS��s��Vq`J����4� �B��������ɟS�q`Fs��Vq`�`F�=���q`Gq{`Fs���qGa��A��� �6�����bE�E����rE����EtH���������� ```H����� ��D�������r���+$Q�qFtŹ�+$�``HŴ��A���6�Ң��EtŹ�+$�˭A�;���کCqFtŹi�``F����qFtŹi�Ź4�`H������� ����� "4qFtŹi�Ź�����H����qFtŹi�Ź���FH����.���O�����rE������� �E ��CB�tŹi�Ź4�2���� B��F@�B������r� �� �������E��� B�������X~{`FqF�"��.�� ���A������T#�EVEtqGa���1�t���8qFJ����N����� %��������q`�@&t�������@���X5|`�������������@�EtŹ���˟����Ž.)&����N����� %��>q`�����>űC����˴EV��`�l�ϱ�<#��٦�X�?��2�������������~{`Ga6���A�bE� �ELE������?���ƥ�E���CB�ƶ]�8qFA�bHA�b� qFLHL� |FH� ��=��ĪȢ����%� ������������� ��FH�������Q������ٟ}�������?���qFH�������Q������n���CB�|F�����6�T��A�bEEL8`Ga>"�2�����������*������*�����������*H����1ǟ�̯��� �՟†F�2�����H>"�2��������������*��2�������C��H�2������ �������1���Ρ|F������&�����S����1�@Ԯ�@ETI梥1 ��<�����梸�����2�������C��������E������ ����8`Ga>"�2�������������ݵ�Ӱ���3���C�à��ݵ�Ӱ���2���2����������� �� �����8`Ga�>�ѽ���8qF�H����+���C� ����ʟ���E�����Ž�HV�;��Ü��H�����>���8qFlΰ>�� ��n�Y���|F�qGa>�����`F��ϭ;�D7���٧����7��ǔ�å��1FH蠥������Q����éE�����å��@6�3<�H�tŹ3<��n�tŹ3<��Få��I���� BH�:��׹���׹�������Y�����qFå���D��H��qF@�F蠥�����ṹ�Q����@���E�à6����N���Zå���@�8qF������ZAB����� �_qFJN���D�AB�������q` ��N���D�N���D�ABEN���D�������`�;�D�ڡ���N���D������GqGa����:���4���H�����:��74�~Fl�3���.�٦����ޮ��:����Xި�ޮ��:���=�@Ԯ�@�� �@�����S�����:����n4/ �|FN���ZD���>�����ޮ��:��Q��N���D8`Ga����:������ "4�l�3���.�٦����ᦩ� ���Xޟᦩ� ��=�@Ԯ�@�� �@���������:���n���� "4/ �|FN���ZD���>����� ���7���� "4�Ǥ���:���N���D�A��ʟ�����:�ڡ����ޮ��:��Q������:�ڡ���qGa� �r�4���H�� �r��74�~Fl�3���.�٦����� �r��Xޟ� �r���=�@Ԯ�@�� �@�����S�� �r��n4/ �|FN���ZD���>������ �rQ��N���D8`Ga� �r��������<#�4�l�3���.�٦����ٷ����<#��Xި�ٷ����<#���=�@Ԯ�@�� �@������ �r�n������<#�4/ �|FN���ZD���>�������<#��7������<#�4�Ǽ �r���N���D�A��ʟ�� �r�ڡ����� �rQ��� �r�ڡ���qGa?��������<#�4���H�������<#��7������<#�4��?�~Fl�3���.�٦����ٷ����<#��Xި�ٷ����<#���=�@Ԯ�@�� �@�����S�?�n������<#�4/ �|FN���ZD���>�����N���D�A��ʟ�N���D�ڡ����� �Q��N���D�ڡ���qGa������<#�4���H�������<#��74�~Fl�3���.�٦����ٷ����<#��Xި�ٷ����<#���=�@Ԯ�@�� �@�����S�������<#��n4/ �|FN���ZD���>�����ٷ����<#Q��N���D8`Ga������<#������ "4�l�3���.�٦����ᦩ� ���Xޟᦩ� ��=�@Ԯ�@�� �@�����������<#�n���� "4/ �|FN���ZD���>����� ���7���� "4�Ǡ�����<#���N���D�A��ʟ�N���D�ڡ����ٷ����<#Q��N���D�ڡ���qGa���� ��4���H����� ���74�~Fl�3���.�٦����ᦩ� ���Xޟᦩ� ��=�@Ԯ�@�� �@�����S����� ���n4/ �|FN���ZD���>�����ᦩ� �Q��N���D8`Ga���� ��qFJ����� �V�FN���ZD���>����� ���F������ �U�N���D�A��ʟ����� "ڡ����ᦩ� �Q������ "ڡ���q{`F����� ��qGa �+O�?H���W��H�Fs��+J�O�?qF�ܨ�����ө�I�� �++�EO�?E��qGa qF�?łF�?��7��� ���Y��}���� V��?��7� #á�촟}�� #�V��?��7�������}�����V�|F3"�.�������N���Z��:���0���>"�.W��E����8qF�.U�N���D� ���Ź>"�.��N���D�Ź�.�F�.U���.�˭A�;�}��.=��Īަ���.�������ÐFϡ��ޣ�� ������.�������ê�ÎGqGa>"�.��E�����L4?�N:��&�E����.�����|FN���Z��:���0���>"�.E<$�>ʟ����.����-֟���E����8qF��HN���D� ���Ź>"�.�N���D�Ź�.�Fϡ��ޣ�� ������.�������ê��8`Ga@ �D����� �:���E �:U����L4?�N:��&�E����.�����qFL4?�N:��& �:W�� ����Щ�:��|F<$�>Hʟ����.����-֟��```�� ���Щ�:�-֟D����� �:��ê �:��|F��:���0���@ �D����� �:W<$�><$�>8qFs����qGa6� ���� �:���E �:U����L4?�N:��&�E����.�����qFL4?�N:��& �:W�� ����Щ�:��|F<$�>Hʟ����.����-֟��```�� ���Щ�:�-֟D����� �:��ê �:��|F��:���0���6� ���� �:W<$�><$�>8qFs����qGa���.��E����EB�����3��HVE �:U����L4?�N:��&�E����.�����qFL4?�N:��&����E����.�к���qF�.��������� �2��������� �qFL4?C���f�C��.�����Eϡ��ޣ�� ������.����Y���E����.�к���|F<$�>Hʟ����.����-֟��```����.к���-֟�.�����qF<$�>�����.�����3����HB�����3���}����3��/ �<$�>��� ���Щ�:��HD����� �:��ê���:�J �:��|F��:���0������.E<$�><$�>8qFs����qGa���N���D�D$����p@��<$�>�pT#�L4?�N:��&D$����p��f�ϣ�qFL4?�N:��&@��<$�>�p�ݠ�����>�ϣ�qFL4?�N:��&T#E�ө#:��qFL4?����T#|F���Z� B�� �>�����ן������������ �T�?:?��ן<$�>�T#qF���H� B����� ���Q�qF����=�����f��ED$����4qF����=����ݠ����>��E@��<$�>�4qF����=�������>ө#:2q`�����؟T#q{qFN���Z��:���0������N���DE<$�>���� �>��8qFN���D� ���Ź���N���D�N���D�Ź<$�>�4˭ qGa:f��E ���W:����HVE�d����NfHVE�dz�;�H�ˎL4?�N:��&�E����.�����qFL4?�N:��& ���W������qFL4?�N:��&�d����NfE���?ßٷ�Nf�n�dz�;���N:��|F ���U�� ����˭�+��|F���Z� B�� �>�����ן�����������ä����3������.�<#�qF���H� B����� ���Q�qF����=�������.���E�qF �������� ����F����=�������E ���q{`F����=�����=������E:�����}�:����/ �����=������?�ٷ�NfE�d����Nf�}��d����Nf/ ��dz�;��������@���Eb�F����=������?��[�;�2q`F����=�����[�;���@���E�@���q`F����=�����[�;���[Ebq`Gq{qFN���Z��:���0���:�����4���@�fE<$�>���� �>��8qFN���D� ���Ź:�����4���@�f�N���D�ŹD$����4˭ qGa@ �N���D�D$����p@��<$�>�4�L4?�N:��&D$����p��f�ϣ�qFL4?�N:��&@��<$�>�p�ݠ�����>�ϣ�|F<$�>Hʟ��f���-֟D$����p�ݠ����>���-֟@��<$�>�4����:���0���@ �N���DE<$�><$�>8qFs����qGa@6�N���D�D$����p@��<$�>�4�L4?�N:��&D$����p��f�ϣ�qFL4?�N:��&@��<$�>�p�ݠ�����>�ϣ�|F<$�>Hʟ��f���-֟D$����p�ݠ����>���-֟@��<$�>�4��N���Z��:���0���@6�N���DE<$�><$�>8qF����"<$�>�N���D8`Ga����@��D$����p<$�>�4�L4?�N:��&D$����p��f�ϣ�qFL4?�N:��&<$�>�p����>�ϣ�|F��:���0�������@�@�E<$�>ʟ��f���-֟D$����p����>���-֟<$�>�4��8qFs����qGa����D$����pT#E ���E������HV�L4?�N:��&D$����p��f�ϣ�qFL4?�N:��&T#E�ө#:��qFL4?�N:��& ���E�����qFL4?����T#|F���Z� B�� �>�����ן������������ �T�?:?��ן<$�>�T#qF���H� B����� ���Q�qF����=�����f��ED$����4qF����=�������>ө#:2q`�����؟T#q{`F����=�������E ���qF�rH������� qF����=����ٷ����E�r�}r/ �|FN���Z��:���0������@�E<$�>���� �>��8qFN���D� ���Ź���@��N���D�Ź<$�>�4˭ qGa:f��E:����HV�L4?�N:��&�E����.�����|F<$�>Hʟ����.����-֟���<$�>���=��������H:����n:����|FN���Z��:���0���:�T��<��@�fE<$�><$�>8qFN���D� ���Ź:�T��<��@�f�N���D�ŹD$����4˭ qGa@6�����r�D$����4�L4?�N:��&D$����p��f�ϣ�|FN���Z��:���0���@6�����rE<$�>ʟ��f���-֟D$����4��8qF����"<$�>�N���D8`GaB����"������t�t�tŹP>��Hݤ P>�ntŹP>��/ %����C��Īݤ ��tŹP�H�]JtŹP�/ �tŹ�@������C"����H��ntŹ�@������C"����/ �qGaL4?��������2�H詽��������ת����lަ��<#٦�X��ן=����.��O<�7������}������������qGaL4?�N:����LEb�JL�N����� Ī����FL��������`J����`Flަ��<#٦�X�01C�7b���������~`{``GqF�`nL���`lަ��<#٦�X7b���������~`Gq{`Ga����@�����r�D$����p<$�>�4�L4?�N:��&D$����p��f�ϣ�qFL4?�N:��&<$�>�p����>�ϣ�|F��:���0�������@�����rE<$�>ʟ��f���-֟D$����p����>���-֟<$�>�4��8qFs����qGa�������r�D$����pT#E ���W������HV�L4?�N:��&D$����p��f�ϣ�qFL4?�N:��&T#E�ө#:��qFL4?�N:��& ���W������qFL4?����T#|F ���U�� ����˭�+��|F���Z� B�� �>�����ן������������ �T�?:?��ן<$�>�T#qF���H� B����� ���Q�qF����=�����f��ED$����4qF����=�������>ө#:2q`�����؟T#q{`F �������� ����F����=�������E ���q{`F�rH������� qF����=����ٷ����E�r�}r/ �|FN���Z��:���0����������rE<$�>���� �>��8qFN���D� ���Ź�������r�N���D�Ź<$�>�4˭ qGa:f���L4?�N:��&�E����.�����|FN���Z��:���0���:�����rfE<$�>ʟ����.����-֟���8qFN���D� ���Ź:�����rf�N���D�ŹD$����4˭ qGaکC�A��3��E��HVEۢ�����������.���%��������<*����0���کC�A��3��Eۢ�����*�۸��������Hw��q````�j��xq````F�+�����ʟ����````j�ᦩ�q````F���q````��`````+�������q```F�G|FA��3��������*�CB�������E��F��������0��J��֟�`��ڭ=��Īᦩ�%��ڭ�0������0����ڎG�FFGa@�B����� �E<*��E� �W�������� ���G���<*��ED��E� �W����qFD��qGaD"� ���C�� ���C�� ������ʟ�bEL��C�� ��D��7b��EL�qF��.��D���C�� ������ʟ�bE���@ �C�� ����7b�5��D��qGa���qF������HөBݤ�����D�����ED���+����>���ਰ���é���������1J��1�@?���*��qFJ�������,����q`s������������qF�`�s���������������������U֟� ��GqGa�;�ƪ�;����;�H�;�qF'�;������*�CB�����;�ECB��FJ�;����Y��;���۟�;������I~`FD����H�?�Т������qF�H��ϭ;�D�D�I�â��8qF@�H蠥�����ṹ�Q����dEC�S6��H��ө#:��к���-�Τ���r�ڡ�����@ԭ����h�줷�C����D��p줷�C����:D����qF@ԭ����H����;��|F�H蠥������Q����éE�����í�D��H��qFíI���� BH�:��׹���׹�������Y�����|F��D��<�3<��qFí:�3<�F�̟��*=����1O�I���������E�1�����$��麭qFí@6�3<�FD����+$�3<�����𠶤���Т<�qFí$��3<�FHD����+$�3<�����𠶤���Т<�|Fí ʟ�å����å����@��|N��ٷ���3��-֟�qF@���nD�I)�֟�Fl�qGa>" �P����@����E�U���qFP>��C�tH�F����̆F��<�>���qFiH詽����������׭;�D�>�Ǧ�7���@�����Ǥ���P�E���t���������$�έ ���3��_���Ύ����D�H�Fi`FŖF����`?������iҶ���bΖF������?�Т<�;�D�i��˭ �@���˭ ��Σ?�3<�˯�F+`Fi��!��iҶ���bΖF�+��?��Т<�;�D�i��!� �@���˭ ��Σ?�3<�˯�q��?����������F����D�Źi˟�؟�`����b`����iҶ���bΖ`�3<``Т<�;�D���� �@���˭ ��Σ?�3<�˯�`h`F��� �@��!� ��T#�`��3��`F��� �@���˭ ��Ϋ+$�˭����!�`B�����3������ �@���˭T#�`�@�``��� �@���˭�$�Τί�A9�̟%V���� �@���˭�$�Τί������@�΂`�q{`Fs������D�qGa@ �p�;�H�]�qFP>��C�����Ǥ���@ ���E�����4p�;��;�E��� ���E���������ڡ����8`Ga�=3���=ßpé�H��~FP>��C�é�U��ʺ����6�C��� �0�qF����Ǥ��ǣ=3���=��E�����4pé�é�E��� ���E���������ڡ����8`Ga>"_��U���qF��� ��S������qF�H����ڡ�����Ū�Ǧ�Ο՟��Ź���@�����n��Ź���@����˟�E���Ź;>�n��Ź;>˯�F���.�����@�����;>������S���ES��#��.����C�S����qFŹ���@����E�;>˭���ʾ����B���qF���H��qF��줽S�@�qF>���E������8`Ga>"A�<#1�U���qF���Hʟ�����̜�����<�>���qF�H���A�<#����ڡ�����Ū�Ǧ�Ο՟��Ź���@�����n��Ź���@����˯E��Ź���4�E������Ο՟��ŹA�<#�4�n��ŹA�<#�4˯�F>���E������8`Ga�+��� ���:���E���@����qFP>��C�����Ǥ���D��+�@�����E����ʶ+���:���:���E��� ���E����@����E���������ڡ����8`GaD�"�+����M��M�p���@����E�U���qFP>��C�;�U��F�+����M�4�M�4�F��� ��ÏF����@�����F���������ڡ���q�F;�<�>���qF����Ǥ���D���+���E����;��8`Ga�+����M����@����E�U���qFP>��C�;�U��F�+�����������ݧ�����ΏF�"��� ��]��F��� ��ÏF����@�����F���������ڡ���q�F;�<�>���|F����Ǥ��Ƕ+���M�E����;��8`Ga�+����������E���@����qFP>��C�����Ǥ��Ƕ+������ڡ���E����ʶ+���������E����@����E��� ����8`Ga�+���T�������@����E�U���qFP>��C�tH�F�+���:������F�+�����)3��Φ��åΏF�+��.��)���:����]��F����+�����)3��Φ��åΏF����+��.��)���:����]��F��� ��ÏF����@�����F���������ڡ���q�Ft�<�>���|F����Ǥ��Ƕ+��T����E����t8`GaB��+����M�p���@����qFP>��C�����Ǥ���B�+���M�E����ʶ+����M�4p����@����E��� ���E���������ڡ����8`GaB��D���+����D�E���@����qFP>��C�����Ǥ���B�+���E�����b�D�E����@����E��� ���E���������ڡ����8`Ga� ��+����M1����E���@����qFP>��C�����Ǥ��ǫ �+���M��E����ʟ�+�����������E����@����E��� ���E���������ڡ����8`Ga>"<$�>1�à@H�C����E�U���qF���H�F� ��]�q�F����<�>���qF>��<$�>�7�à@��ڡ���E������8`GaB��D��;$��E@��H�B����������A���~FP>��C�BH����Ǥ���B��D��E�����FT�������FB�<$�>@���F;$��;$���F��� ��ÏF�D���D�b�F���������ڡ���q`��s�.�qGah� ���EA���qFD"A����A���qF� ���H ���qF�Ǥ���<�ڡ������D�bH���Ǥ���<�ڡ��ί��i����4΂Fs��PCqGa>� �W����q`N���ZD����+$�>� �W����q`l⠵D�I٦�EN���D�AB�}�N���D�ABY��̆`N���DqFGa9���D��T C��E�D�E���@����qF9���G�������T C��T C��Eb�D�E����@����E���������~Ga@ �T�����T C��E�D�E���@����qF9���G�������T C��T C��Eb�D�E����@����E�����T����~Ga@ � B ��T C��E�D�E���@����qF9���G�������T C��T C��Eb�D�E����@����E����� B �~Ga���D��T C��E�D�E���@����qF���G�������T C��T C��Eb�D�E����@����E���������~Ga6��T�����T C��E�D�E���@����qF���G�������T C��T C��Eb�D�E����@����E�����T����~Ga6�� B ��T C��E�D�E���@����qF���G�������T C��T C��Eb�D�E����@����E����� B �~Ga>"@����1�U���qF�H��@�������ڡ����埪��ŹT��3���n��ŹT��3��ˎ�B��T��3��qF���H��|F>���E������8`Ga���@����1�U���qFP>��C��H��@�����DZC���ڡ����埪��ŹT��3���n��ŹT��3��ˎ�B��T��3��qF���H��qF>���E������8`Ga�����������@����E��3��H����~FP>��C�����Ǥ��ǡ���������E����ʤ�3����3��E�����@����E��� ���E���������ڡ����8`GaD"��à���à��E���@����qFP>��C�����Ǥ��ǡ��@���"��à���E�����Ρ����E����@����E��à�"T#���à��E��� ���E���������ڡ����8`GaB�u����@����EuzqFP>��C�����Ǥ���B��u�E����ʦ���@����E���zuzE��� ���E���������ڡ����8`Ga���tH���tŹ+�.�t˟����qFtŹ�"��.��t˟����qFJ��H����2�q`��.�H����N���D�7����+$/[� ��7�>����߭à���>�����+$�2������O�������������~`�+�.� ����.�E�������EtŹ+�.�t���՟��"��.�� ����.�EVEtŹ�"��.��tˎ�`�l�詟��Ϩ0�~{`GaA�@��Ī���H��=��Ī�x%���� qF�Y��������=��Ī�x%������������ ����>�����������qGa�K 3��E4qFP>��C�����Ǥ��Ǽ��E�����4pKK 3��E��� ���E���������ڡ����8`Ga�����3�E���@����E�U���qFP>��C���H�F3�3��F�����@�����F��� ��ÏF�C����Ź�˟%������D��5�F���������ڡ���q�F���<�>���qF����Ǥ��ǡ������E������8`GaA�<#���E4qFP>��C�����Ǥ���A�<#�E����ʟ����E*_�4p��� ���E���������ڡ����8`Ga>"�D��_��D�bE�U���qF��Ź�����HΩI�����n��Ź�����/ ��H�ǮD����ڡ�����ŮD�bE���Ο՟��Ź�����n��Ź����˟�ΩI����ί�F�B������qF���H��qF>���E������8`Ga���G�bE���G�p�VqF���G����������zHbE����T C��H��D�p�������E�����������G5qGa@�B��T#�c��B�KEt�����H�G����㢠�Q��D��E�T�����T����,�0������c�,�0��FT#�cHT#�cv�,�0��F���}�T#�cq`BHBCr�c�B�KEc�,�0��F}�𢦭��=�Īe�Kb�B��`e�3��k���e�Kb�B��{``JtŹO��˟����e���=�ĪB���e��3<�T#�c֟e��3<�B�`e�:�BEλ�2������``F�+��H���+�������B������q``�����������@�B���;>D��E+��+���E�,�0�c�,�0���`Gq`Gq{`Ga�����������dE �d� �dH@0d� �d� �>�����d�@+3�d������ �d�� ������������E�ΎJ� �d�Kb�K ���Fޱ����P>��� ���ਟ;>��7�c�d��ES�;@#�@� ���O�0��b��7 �d�������=���ͽ���_�0����F�s�q{`FJ �d���=�%�۟ �d�������Fe�9��� �d�GqFJ� �d���=��Fޱ����P>��B�����ͺ����7 �d�-֟7 �>����F�e�3���� �>�E �d�GqGa@�B�� �c�B�KEt����@�B��T#�c��B�KEt�@�B��D���B�K����,�0������,�0��FJ0��,�0�����`���;>�0��B�KE0��,�0��E,�0��{`{`Ga@�����������H�å�����7@��é�ǴE� ��������H��O�������<�>�������d-֟�]��J�������C����Ī�Îڤ�����" ������٭@�Ц��7������C�� ����;�E� ��qGa��� ��������E�����H�å�����7@��é�ǴE� ��������H��O�������<�>�������d-֟�]��J�������C����Ī�Î��� ��9�3�����X�����٭@�Ц��7������C�� ����E� ��qGa��� �������EBCr�p���4HVE� ����9�3��H������٭�é�ݩ�Щ�7BCr�4�C�� ��~F�9�3���T�?E7���4�C�� ���n���4qF�9�3���T�?�~F��� ��9�3�����E�9�3��E� ��qGa��� �C(���E���p���4HVE� ����9�3��H������٭�é�Ϩ(�7���4�C�� ��~F�9�3���T�?E7���4�C�� ���n���4qF�9�3���T�?�~F��� ��9�3�����E�9�3��E� ��qGa���4��â��âH�â� �î���}��â��C����Ī�x��â�2�����qFw�âq`j��0��ΟS�������9q`j�� ���ΟS�����7�7q`j��A��rΟS���q`j��T.+3��ΟS���q`j��@����ΟS���q`j�Ρ�\������EΡ�\����ΟS���q`j��rΟS������7q`.Zlަ��<#٦�Xܨ����������7�â�~{`Ga;@#�O�à6_�à6_Hà6_�!� ��nà6_�=��Ī�x�J �@���%�۟ �@��+��.�؟à6_q` �@��+�;@#�O�à6_��`�D��q{`Ga �å���t����å��FHłF �`tŹ ��FCB#HtŹCB#˟����F�`tŹCB#��˟��F~Få����؟�����Ο�Ū��CB#�E ��F� �@����������Få����؟����Ο埪�ѪCB#�¯�Få����؟��ؤ��@�ƴ��塴���Ǥ�Ο���ѪCB#�ɯEtŹ�@�����E���E������`J��� �@����`å����؟��� �å����`F�CB#-֟CB#�ɏ`F�CB#��-֟��q``� �-֟ ��`F��@����֟tŹ�@�����`F��{``å����؟�����Ο埪�ѪCB#�¯�GqFå����؟������Ο�Ū��CB#�E ��Få���کC�5qGa��+���B���BEt�� �@����������FH��B�2��<#���.�<#�F��6�� ���2��<#���.�<#��E�����E��@&��7tŹ�@�������7����5�FJ��� �@����`��H�2��<#���.�<#�tŹ �ˎ`�����+���B���Et�`�6�� �����{``��B�6�� ���GqGa����å��� ���å���詽����������׹�𩫮<#��<#�;�D�å��E������ί� �@��A���ʾ ��� ��C��������کCqGab�頪���H�����qF��������۪��ɳ��ľ�����9��ȤҶ��ɳ����;dz����@ �å���:333qF����������ҟ�Ź������ǮE����@ ����һ�� ���1��)���9�AB��C�3����&����� �������qF��2�����``F��������w ���1C��1 T��)��qF����������ǮE������;�� �E�@���@��D; �� ��I��à@qF��ϭ������8`Ga+�<���?�B�*�B�*�<��HD��qFB�*�3<1ʟ<��H<��� �@��+��<��qGa� ��c�qFJ�)���;>q`K ��He�Kb��c�d�F@>��H�����٧��ݧ������٭�0���b��`�@� ��H�c�dq`@>��H��ݧ���٧�������q{`Fá�H��qF𢦭O���K ��2��c�FJc��۟�?H@>����?v�`,�0�?��,�0��˟�����먭B����",�0�q`Fá��,�0�� ���He�کC�K ��Ec�{`{`Fá�qGa;�D�à6����T#�c�à6��U�łF;�HłF;�HłFc������������d�T#�c8qFe�:�T#�cE�:A�_-֟�������2����F�� ����>����~���ҟ�����q`FJ���~�����q``��ҟΟ՟��q`{``Fà6��1�؟��q`Gq`���?��������q`�� ���>��q`F�@���}����~�������q`Gq`�������������;��áq`;Ÿ�؟���F`F�� ���>��q`F�@��n���~�������q`F;Ÿ�؟��q`Gq`�� ���>��q`F�@��n���~�������q`F;ɟ�؟��q`Gq{qFà6��U�à6��کCqF;�H;­کCqF;�H;ɭکCqF��������|F�������S���������à6_�;��íqF��*=�=���p�����������à6_qF����=�]�����������Jc�������3q`J;�-�~���������DzF``������;�q`�`F�������;�q`GqF.)&c������� �2��q`J;�-�~����՟ǟ���;�-�~������վ���կ���DZq`F������;�q`�`F�������;�q`Gq{`Fs���à6��W��������Ga6��0��,�0�E;>Ed��Î;>�0��,�0��������0��d�F0��d��H0��d�کC���ΎFJd����0��d���`Fޱ����P>��� ��������;>��7;>�d�کC���ί�����0���70��d����E��*=�d�=�0@6�� �:�����7d����0��d��˭d�کC���ί����,�07,�0����~`�`F�d����0��d���H;>q`Gq{`Ga6��;>�;>��;>����z�;>/[˟��;>qF�;>�����d�;>�d�کC���ί�H;>qF6��0����먭B����",�0�E;>E�;>�����d�;>�,�0������,�0��F���J,�0���먭B����",�0�q`6��0��,�0�E;>E�;>�����,�0d�,�0�ˎGqF�;>���؟;>qGa@�B�qF�;>�������;>�F;>�@�B�� �c��T����B�K�F���έ��;��2������q{`F�K�������K ���F���He�کC��T����;>��KEK ���F�He�کC��T����B�KEK ���F�G�����$���@�B��K����E��F���έ��;��2������q{`FJ�T������"d�q`@�B��"d�����q{`F�G�����;������� �����T���E�T����;>��KE�T����B�������qGaA��������qFA��B��C� ����ʟ��EA�����A�/[�HA��;�ß�qGa��������C��;���E�;�������H��E3�H����1O�?�;��ê�;�������E3�E�;���8`Ga3<���qF�1��9�_�7D����+$��7D���?� ��<#��˪7D���?�K 3�����|F ТHVE�� ��U�Ž}�?�?�������D�Ī?�K 3��E�� ����FD���?�<$�>H���<$�>q`�1��7���<$�>���|`��.�n�������:�FD���?��@# ��1�?�K 3��� ��q{`GaA���ĪK 3��qFs���]JD���?��� ����3-֟�����3���<$�>Eq`������+$-֟�����3����+$Eq`������������֟�����3����������8`Ga�9�K 3���D���?�K 3��HK 3��|F��N�S�?�1JS�ک��=�@�9������0@6���A���qFD���?�N���nD����+$�@�9������%�۟A���ĪK 3��qFD���?��� ����3��F�S���֪��ʟ�&��~��� �F��`F��֪��ʟ�&��&�q`GqFGa �@0����E�wVE��wT����éqFj�ᦩ�q`T����é��0���E����j��xq`�-�~���å��ǟ%���7T����é�7��~F�`�s���n�-�~���å���q`s����.���J�������:�Fl�ܨ� �N����7�������é�N��I�����4���͠�ө����r�é�~{`Ga���N������s��:���O�����N���}��������:����N��c���cE(�B��F��.��⠵������N���v�,6EcED���GqGa����N��c�T����(�B�HT����(�B�qF(�B���,����ѭ���5�D���� �� �������T����c�� ���������c�F��.��cE(�B�q{`Ga)���;��qF;����H�������;��|FJ;����-�~�ǥB����������q`���H�;�������������qF�`����H�;���������q{`F�>����߭à���>�;����մ۽���7����5�����qGa@6�d�����HV|F���Cq`������L4?*=�=���3�?��������q`����H����;�D���@6�d��Flٱ�������٦�n��������Ī�����N�����蹹����٦�-֟�q`�1�٨A9@�������@6_����蟶����7d�~`�1��<$�>q`����qFN��ٱ�������٦�q`�1������@6������7d��=������~`����qFN��� �� �٦�-֟�q`�1��<$�>q`����q{�`F����qGa�9������dEt�����H�4����ݠ6���@6������d��� B�U��4����� D��;�D�����Et� B�U��4����줬���������� B�Wt��4����������� B�WtŹ���K ���8`GaN��� ��@�����ڎ��U���������ͧ�K��Y�|Fw���qFj�ަ�q`s��N������� ������j���q`�������������&���q`���&�������Y��ȧ�K��Y�`s��N������� ������J�����=��Īަ�8q`N���@��@���_�������ȧ�K��YˎFs��ū+$z������@��������ȧ�K��Y˯˭A�;��qF�`�s��ł{`Ga>���dEb���� >"��� ��d8qF������ ����Y�٧�K��Y�FJ���������Ч��Y��q`>������ ��dEb8qF.)&���������Y���Y��q`>��� ���.� ��d8qF.)&�����=��Īަ��FJ�����C���BĪ�����Ч��Y�َ`lܨ���������٦�n�����C���BĪ�����Y���Y�َ`>������ ��dEb8q`.)&�����C���BĪ�����Y���Y�َ`>��� ��� ��d8q`.Zlܨ���������٦��;�GqF.Zlܨ���������٦��;�GqGa���� B�Wt� B�U� B�L�qFwtŹM�O�˭2����qFj��ګ�X���ҫ�X��� 3��ҫ~`�4�������줬�������� B�Wt�GqGa�C��A������L4?���(9��A����U�łF�@���H�7cb��.,����|F@Ԯ�@�H�B�C�3���@Ԯ�@��A�����qF}�@Ԯ�@��������Fש��C(��7�@�����7�@Ԯ�@��A�����έ��>#�����nL4?�|`�=)��H ��A������L4?�E�@���E@Ԯ�@�E��@:E�@��FlݠԮ�@�ө������=)��E�=)��nL4?�۟�=)����N:��G|F3��0H�B�C�3���3��0�A�����qF}�3��0�������Fש��C(��7�@��������3��0�A�����έ������nL4?�q` ��A������L4?�E�@���E3��0E���E���"�.,��G|FA�U��B�C�3���A����A����۹b�à6��U������à6��D�ʟ�þ�A�C���BĪ��|F�A�z1���(9��A��������۹b�������à6��C� ����ʟ�E�����؟���؟�B�C�3��ū˟��Ga;<���b��b�����b�FB�C)�� ��<*���b2���L��`J�LHL����`FC�� ��D��7b��EL�`�``�C�� ��>��7b��`�Gq`Gq{`Ga����å����0������4:3�����à6�@��Jà6�@�����Ī�+� ������ΎFà6�@���+� ������΂F.)&à6�@�����Ī�T#���*ΎFà6�@���T#���*΂F�`�Т�l�q:��qF颬�������,D8`Ga�����:���.�p<*��E�0+��VE��������H��������0+�qFlަ��<#٦�X��� ��������0+�S���:������q`}�����N����� Ī��0��qF���:"������#�>���.�4���<*��� ���H���qF���qGa����N���D��.�p<*��E3<����A��3<��<*��U�ަ��<*��������۹ ���3<�H�,?�3<�J3<�qF����N���D�C��0��#�>���.�4�E<*��W3<�8`GaD�����.�p<*��E����3�����3������ ����D��_���@���F�T��D���<*����#�>���.�4�E<*��� ��E����3�qFVqGaD"������T#�������I�4�ƶ]��J�I�4���c�T#�������%���>������T#������v�T#������F����T#������e줸��Q����e줸��������ӧ���ٯ�c��c�d���������;ί����|`Jc�N����� Ī�T#�����Ǝ`c�T#��������T#�����q`�`F�c�C�� ��D����T#�����E����T#������{`{`N����ٷ���3��-֟�qFl� ����⤼���ᦩ�)��٦�E��먭���+������<$�>��������<���������)�������E��EB������Ȥ ��� �����1c���*�e줸��Eঢ�C0�٦��ʠ��8`Ga���O���å���<*��EdE�+$E���EtH���J�T��<�����/ %����T��<� @�/ �Fl�*_����K��٦����:�ө����r٦�X�=)���T��<�������T��<� @�~{`FtH�*_����K���3���0���?;���t�@�H�*_����K�����ṹݠ�Q�������� �:Eʟ��D���>#�-֟�D���>#���N���Z@��D���å���<*��EdEt�J���/ �F�+$Q��N���D�.)&N���D������%���q`N���DŽ��˭A��2��.�<#�`�+$Q��.�<#�{`F�`�Ž+$Q��N���D��{`Ga��������D��ptH������O����>�E�Ǽ�ǡ���E�*_����K�����͠��E�D���E�F��3���>�ΏF�D�4�D��4qF��<�>�t�8`Ga����å��D��ptH��������U������<�<#���D��pt������������������F������<�D�ʟ������=��%�*_����K������⠢������������`�*_����K������⠢�åQ����?��<�>�λ���à��?�-֟�������?���{`FG��+��qGa�����<�<#���D��ptH������O����>�E��<��E�*_����K����<#򦩮�E�<������E�F��3���>�<ΏF�D�4�D��4qF��<�>�t�8`Ga��3��3��D��ptH������O����>�E�Ǽ��<��E�*_����K��ޫ3����EΤ�3��3�E�F��3���> �3����ΏF�D�4�D��4qF��<�>�t�8`Ga�,6�tH������������������0��S����1S��<�>�*?���*�S���=3�������3qFt�������������F������zH���� �9B��A@� ��q`JN����� %�7������z��~`FD��7������z�ƴ�t�B������F�`F�tŬ�����z�Ht�B�����{`{qF����3�<�>�tqGa�� B�z�t�����������*=�=�à��d�*?�;��1S��B�Ȥ� ��qF B���+$H젥�����B��C�� B�z���H B���+$Q��tqF�����:��:�qF����C2�H�C2�qF��qGa ���qF���H�����C��0�ʾ���������� ��������C� ����2���ó�����F�������H����� ���q`�í<�>������q{qF���qGa��@;@���)3�������:��P�B����@;�_� ���)3����������:7D���� �7����:���|F����:���+$��� ��C��0��ʾ�� ����� ������ ����� ���,6�������@������:�%��������� ����� ���F������ �H����:���� ���� ����� ��/[�F�@#��� �H�� ���� ����� ��/[�F������ ���,6��@#��� �����q{qF�@;@���)3��� �����:������:���@;@���)3��������D��8`Ga��)3��� ���:�:b�tH�������:ͫ:�>�����:�:b�t���@;@���)3�������:���C2����:����:�qGa���qF�������ʟ��������������qF����@� ��ʟ�������������A���%�qGa����?�qF���?�����ʟ����?�������?������?�qF���?�qF���?��@� ��ʟ����?�������?������?A���%�qGa@�=���� ���� ����� ���@�=�_��� �H�� ���� ����� ��/[�@�=�_��� ���C2�H�C2�qF@�=�_��� ���é�|F�������ê@�=�_��� �����?�����ê@�=�_��� �8qF@�=����:���O� �>��@�=�_��� ��@�=�_��� ���+$���:��8`Ga@�=����r��qFD����+$���r�������r�F��?��r��� �E��r�tE���r����A������q{`Ga6���� ��� �:�qFD����+$��� ��������:�� ��F�� ��C���:�� ���q`�� ��C�����:D��q`D��7��:�� �/[�ƴE�� ��C��q{`Ga����3���������3��H�ܬ�?�ଠ3��Q��C�L3��WT��D��qF3������A��������:��3��qGa�����r���:��D�B��V�D�B�HD�B�����ܨ������G��qF?����@���:���O������r���:��D�B�8`Ga�� ���� ����� �z�J�� ����� �z�=��%�x���� ����� �z�=��%ͺ����q`D����� ����� �z��`��� ����� �zq{`Ga0��:�O���:�ަ����:����������:�+$z�F��:��:�+$z�T3�q`ş��:˟՟0��:�O���:����:�G��+���A�;��qGa�ç��*��=)���:B�����qF��H���*Ϩ�����@#ޫ��������ó����F�=)���:��Ź�=)���:�˭T3�q`�=)���:���=)���:���� ��q`�=)���:�q{`F��Ź�=)���:��H�젥�����=)��ͫ:�~F��qGa���������� �������:��t����� �C� ������:�ʾ��:���������� ����:��t�qGa6����:��0��:�O���:������ʟ���:�����:���š�:����:b�H��:�� ��qGa��3��������3��E�@����å����+$H���t�7��3��� ����~F���H+�������N����FA���9��N��Ŭ@���EN���˭A�;��q`A���9��N�����+���n�@�����C����Īަ��Fw��3��q`j���é�q`F��M���� ����3����3���EA���9��N����Fj��B���q`F��M���� ����3����3���EA���9��N����`````F�<*��-֟�BE�i-֟ʟ�T����-֟T����r�<$�>���F.Z������Eà��N����П��tq`F��M���� ����3����3����`````F��M����� ��â��d�A���9��N���E���3��-֟��3����{`{`FD����.����3��E�à6_-��E��.��å��-֟ʹ�+$-֟å����+$�E����8`Ga��3����.�����tE�@���HV�s�n��t�����tHŤ�t�n䤫t�N����� Ī������tHŹ�é�E�����E�B����n��tY�Ź0��F��t��������3���F��3��������3��� ��E�@����GqGa�.��� �W۬����tH �����"t�qFt�<�>䪹�+$-֟�+$� �1�؟tqF� ��.�1�؟Ф�Ȣ.�Q��� �W۬�������C�*=�� ���.����0����*����֟������T�?ίE���������s���F���������_�;�*=�����ND19�����qFs�~Gai�� �W���������.�� �����qFtH �����"t�qFJ�������:�F��.��D��qF�`�� ��.�U� ������%%����.�1 �A��ʾ���Ф�Ȣ.�Q���� ����q{`F��3����.���tŹ��t�EtŹ��3����@���ˎŴEà6XE����X˭کC5�å�����qGa�é�qF@� ���A,�H 3���A,�|FA,�H�C0�A,�|F��?�@� ��E ʟ@�A,��@��``````F�@:A,���@:�``````FA,���``````F0�äA,��0�ä���`````C�LC�L�|`��)3��� ����"��:�q{`Ga ��qF��C2�H�C2�Q���4*Eà��åE������@:��C2�����3��HbqF�C2����:ͫ:�>�������:���C2���é�qGa<*����=)���b��;��������tH;��C��ʾ;���;��=��%�Ü��CT�����b�t8`Ga6����:���O� �>�� �>����:���@+�Hټ:��.��Q�� �>���C2�8qF��:������ �>"��:��F@+��D��� �>"��:����:�E� �>"��:��� �W� �>"��:�����q{qF�@# ����ß@+�qGa��@���:���O������r���:��D�B���@# ����ʾ�������@���:���O������r���:��D�B��qGa����C�30��qF ������?�������C0�F �� ��D���?������F��r���ß�� ����r��?������ ���C0�GqGa6�� B��0�� B���O� B�������� B��F B������ B�� �H B�� q`b���*+��H B�� B�zq` B������b���*+���H B�� q`b���*�A,�1Hb���*+����������γι�ΎF B������b���*�A,���H B�� q{`Ga���@���:"O������r���:��D�B����3���J��3��� ���Y��q` �>��C��� �D�B����:��ۤ�3���.)&��3��� ���Y��q` �>��C��� �D�B��ۤ�3����`� �>��C��L�ۤ�3���GqGa��@���:���O������r���:��D�B�������r���tH����������r�Š�:��F�����r���t��������3���F���@���:"O������r���:��D�B����3���GqGa��@���:���O��.��� ��qF�.����t������������3���F�� ����O� �>��ۤ�3��J�C2�����C2��� ��2��Ī����GqGa�����r�;�����������������r��;�� ���H����������r��;�� ��˟՟ş�����Ga��� �D� ��<#�� ��������tH� �+�=��Ī��% ������� �D� ��<#���t��؟���������+�����ʟ�C����D���tŹ2���8`Ga��?���� ����� �z�t������tŹ�� ��H�� ���� ����� �z�tŹT���HD��qF��r������Hͫ:�ި��r��� ��tE����qF:����r������qGa����qF�����������Cq`������?_���=3���;�D�H�����������C��ʟ������������O�?Y�O�?�F�������?_���=3���;�D���������"����q{`Ga��:���O� �>�����(9����:�U�ަ�����+���A�;�������ʾ�����:���O� �>������+���A�;��qF(9����:��qGaB����"�+$�O�A��3���JA��3���N����� Ī��+$��ޫ3��� ����.rq`A��3����+$qF.)&�A��3���������FA��3��������+$q{`Ga O�A��3��E� �W��������HФ� ���B����" ����}��������:��+$HB����"�+$�O�A��3���tH �����"t�qFC�30��å���t�tE�+$�N������ʟ�����0��Ф�� B�Q��A��3��E�+$ED����qFT#� ��� �EN���EtŹå���8`Ga��OB����@�� ����B������� � � � D�������/�B����D�ʟ����� � � � � �/�BY�D���� � � � �����ʟ���B������� � � � � ��ݠ����0���&*=���B1 �@�� �S�;@#�� � � � � ��B����� �@����Fʟ� ���� � � � � � J� �/�B��+$�� �C���BĪ��ޫ3��� ��������B��ި����8� � � � � � � ��B�����;@#� �@���؟ ��� � � � � � G�� � � � � ��� � � � ���� � � � ���� � � Ga@ ����� � � s����n�����U�D��Q�"���������*Y̲�� � � ��ݠ �S���� ���@�������� � � D�������/�B����D�ʟ����� � � � �/�BY�D���� � � �����ʟ���B������� � � � D�������/�B����D�ʟ�ھ�� � � � � ��B����� �@��C���BĪ��� � � � �����ʟ� ���� � � � � J �/�B��+$�� �C���BĪ��ޫ3��� ��������B���Q���8� � � � � �  ��;@#HV�� � � � � �  ��D���� �Q��@A��į%�B������ ��O�B���3���8� � � � � G�� � � � ��� � � ���� � � ��@ ���������N�*?�ä�������� � � D�������A��ʟ����� � � � ��@ ����� � � ��� � Ga�� ��������������B8� � � ��ޟ����������S���;$����0@6���N:C�D��/�B������� � � JD�������/ IJ� � � � lަ��<#٦�Q�ޟ���������;$��nޫ3��� ��������B���Q����=�����6B�� ���������� � � G��� � � ������������������� � � ���� �n���?���=3���ҟ*��������� � � J�D�������D�ʟ�������� � � � ������+$���������B��+$�� � � �������IJ� � � � lަ��<#٦�Q��������������������������� � � G��� � � ��ި����1����������Cé��S��@��� ��&S�;@#���B�� � � J�������B�D������ ������ED��8�� � � � ���&������1��=��@�����(�,�_�*=�����ECD�����*=������� � � � D�������/�B����D�ʟ����� � � � � �/�BY��������B��۟䢭� ����O�B���3��IJ� � � � �����ʟ��������B������� � � � � D�������/�B����D�ʟ�ھ�� � � � � � ���[�;@#�� � � � � � ���1�������� � � � � � �ڭ� ����O�B���3��%�۲� � � � � � ڭ;@#Y��������B�����;@#��۟�/�B��+$�� �C���BĪ��ޫ3��� ��������B���Q���8� � � � � �����ʟ�ھ�� � � � � � �������B���������HD��������� � � � � � ڭ����HD���������� � � � � � �������B����� �@���؟ڲ� � � � � ��� � � � ���� � � � ���� � � G�� � Ga@ �������������B8� � � ��ޟ����������S���;$����0@6���N:C�D��/�B������� � � JD�������/ IJ� � � � lަ��<#٦�Q�ޟ���������;$��nޫ3��� ��������B���Q����=�����6B�� ���������� � � G��� � � J��������B��+$�� �C���BĪ��ޫ3��� ��������B��ި����8� � � � lަ��<#٦�Q���ޫ3��� ��������B��ި�������;$����� � � G��� � � ������������������� � � ���� �n���?���=3���ҟ*��������� � � J�D�������C���BĪ�������B8� � � � lަ��<#٦�Q�ި������������ �������� � � G��� � � �������B�D����@ �����ED��8� � Ga���?�����������+$8� � � JD��Q�"������*�̲֟� � � � l�93<٦�Q�詟����1��(�,��j��_�S�������������� � � G��� � � ��HD�������/�B�������� � � ����U�D�������A��ʟ�������� � � � ���D�ʟ����� � � � � �/�BY������� � � � ��� � � ���+���9�ԭA��ʟ��������B������� � � � ��BH�������B����/�B�� � � � �������B�����D�����������B����Q��@A��į%�B������ ��O�B���3��8� � � � ��B�� � � ��A��ʟ�������� � � � ���������+$� �� � � � ����H������ �<���+$8� � � � ��������J�����Q��@A��IJ�� � � � ������ � � ��9�Բ�� � � �������ʟ�������� � � � ���������HD���������� � � � D����� �����������8� � � ��� � GaL4?;@#�C���B�C���BE ����B8� � � �D��/�B�L4rA��ʟ���B�L4r��� � � � ��B�L4r�L4?C���B�C���BED��8� � � ��C���BĪ�]�8� � Ga��>��� � � D��/�B����D�ʟ����䢭� ����O�B���3��%��D�ʟ����� � � � �/�B��۟��;@#�� � � ��A��ʟ����� � � � ʲ� � � � � �����֟��;@#/�B�4��� � � � � � �>�֟�/�B�4��� � � � ��� � � ��9�Բ� � Ga�� ������������������B8� � � J��������B��+$�� �C���BĪ��ޫ3��� ��������B���Q���8� � � � lަ��<#٦�Q����Cà���������ޫ3��� ��������B���Q������ � � G��� � � �������B����U�D��/�B����D�ʟ�����/�BY��������B��۟䢭� ����O�B���3��%���� � � ��詟��B����1��=�������*=������� � � J�������B������*Y̲� � � � ��� ����������Bұ���� � � � �������B����1�؟D��/�B������ �����B-֟�������BE�����-֟D��8� � � G�� � GaL4?C���B�C���BE�������BHV8� � � =�L4H�D���L� ����C���B�L� ���*� ��8�� � � C���B�����Ź��˟�؟ʟ���BU֟ʟ�������B�4-֟Ŵ�������������˟���n�=�L4��� � � =�L4�� � Ga�����.���� � � A9̲� � � D��/�B�������ʟ���B������� � � � ��B����� �@�����ʟ� ���� � � � � ���� ��=����&�1��.��ҟC���B���� ����1 �@��� � � � � J �/�B��+$�� �C���BĪD����+$8� � � � � � A9A9՟Ÿ՟ �/�B/����.���� � � � � G�� � � � ��� � � ��� � � A9��� � Ga����������� � � A9̲� � � D��/�B�������ʟ����� � � � ��� :=����&�1��.��ҟC���B���� ����1;@#��� � � � J��;@#/�B��+$�� �C���BĪD����+$8� � � � � A9A9՟Ÿ՟��;@#/�B/���������� � � � G�� � � ��� � � A9��� � GaL4?C���B�C���B8� � � ��������ҟ0��L4r1���*=���B�;$�� � � �������۲� � � �C���B�L� ������%����C���B�L� ��?������ǯ/ ��۲� � � �C���B�L� ������%���C���B�L� ������۲� � � C���B�L� ����D����������� � Ga �2���� � � D�������/�B����D�ʟ����� � � � �/�BY�D���� � � ��A��ʟ���B������� � � � ���C�� � � � � ��B����� ����å�� � � � N��� � � � G�� � � ��� � Ga ����� � � D�������/�B����D�ʟ����� � � � �/�BY�D���� � � ��A��ʟ���B������� � � � ���C�� � � � � ��B����� ����� � � � N��� � � � G�� � � ��� � Ga)_�CB��� � � ��B����U�D�������/�B�������� � � J��B����H��B����D�ʟ�����/�BY�D�&������� � � � ;@#H��B�����;@#��� � � �  �@�H��B����D�ʟ������;@#��۟��;@#/�BY;@#/�B����� � � �  �@�������*�CB��ʟ���E���� � � � � J��Y���B������ � � � � � s����� � � � � G�� � � � ��� � � G�� � Ga@ ����� � � ��������� ��������ҟ��_� �@ ���� � � s����n�����HD��Q�"�����/ IJ�� � � A9̲� � � �@ ��˲� � � D�������/�B�������ʟ���B������� � � � J��B����/�BY������� � � � � JA9̲֟� � � � � � �@ ���T�?���B�����D�����B��G��8� � � � � .D�� � � � � � ��B�����;@#HV�� � � � � � ��B����� � ����}���B����Q��@A��IJ� � � � � G�� � � � � A9A9՟²� � � � G��� � � � J��B����/�BY�D���� � � � � ��B����� �@�H�˲� � � � G�� � � ���� � � D�������/�B�������ʟ���B������� � � � J �@ ���C���BĪ��B����8� � � � � ��B�����;@#HV�� � � � � ��B������ ��O�B���3���� � � � G�� � � ��� � Ga���"������ � � D�������/�B����D�ʟ����� � � � �/�BY�D�&�۟䢭� ����O�B���3��IJ� � � �����ʟ��������B������� � � � �������B����� �@�����ʟ� ���� � � � � J� �/�B/ %�۟� ��� ����O�B���3��IJ� � � � � � J �/�B��+$�� �C���BĪ��ޫ3��� ��������B���Q���8� � � � � � � s�� �/�B�� � � � � � .)& �/�B��+$�� �C���BĪ��ޫ3��� ��������B��ި����8� � � � � � � s�� �/�BQ�"������� � � � � � G�� � � � � .D�� � � � � � s��V�� � � � � G�� � � � ��� � � ��� � � s��V�� � Ga������ � � D�������/�B����D�ʟ����� � � � �/�BY�D���� � � ��A��ʟ���B������� � � � J��B�����;@#��۟��B�����;@#/�B�� � � � � ���Q����=���S����;@#�ҟ@�D�� � � � � J��B�����;@#/�B��+$�� �C���BĪ��ޫ3��� ��������B��ި����8� � � � � � ��B�����;@#/�B������� � � � � .D�� � � � � � ��B�����;@#/�B�� � � � � G�� � � � ��ݩ�0@6��� � � � .D�� � � � � V�� � � � G�� � � ������� � GaL4?��B�C��8� � � ��٨����;@#���B� �*=���B��S���0�à@�=� �â���������B=�L4�� � � �D�������/�B����D�ʟ����� � � � �/�BY�D���� � � ��A��ʟ���B������� � � � ��B�����;@#/�B�L4?��B�C��8� � � ��C���BĪ�]�8� � GaL4?C���B�C���BE�������BHV8� � � ��ਰ������D�ZO�����1 �ä��C������������ � � J��������B��+$�� �C���BĪ��ޫ3��� ��������B���Q���8� � � � s���]�� � � G��� � � C�C���B�C����� � � ���*����ßS���B������&*=���B�� � � �����@�H�������B/�B����A��ʟ��������B������� � � � ���0�� �@��93���� �1��B�=��������� � � � �������B����� �@��A��ʟ����� � � � � �� �@��93����B���� �������ޫ3��� ��������B��ި����8� � � � ���+���A��ʟ����� � � � � �/�B�=����@��O�C��ĪC��8� � � � ��� � � ���+���D�ʟ��������A9���� � � =�L4H� �����@���D���L� ��8�� � � C���B�����Ź��˟�؟ʟ���BU֟ʟ�������B�4-֟Ŵ������������ݴ˟���n�=�L4��� � � =�L4�� � GaL4?C���B�C���BE�������BHV8� � � =�L4H��C���B�L� ������%�۟C���B�L� �&�D���L� ��8�� � � C���B�����Ź��˟�؟ʟ���BU֟ʟ�������B�4-֟Ŵ�����������ٴ˟���n�=�L4��� � � =�L4�� � Ga��C�C��,ĪdH��8� � � D�������/�B����D�ʟ������;@#Y�D�&�۟䢭� ����O�B���3��%�����ʟ����� � � � ����C�C��,�� � � � Jd�C���BĪD��/�B�������C�C��,Īd��,������êD��/�B�8� � � � � s������ � � � G�� � � ��� � � d�C���BĪD��/�B8� � Ga �@��93����B���� ������+$8� � � J�D��/�B��+$�� �C���BĪ�+$8� � � � s���˲� � � G��� � � �D��˟՟D��� �@��A��ʟ����� � � � �� �@��93����B���� ������+$8� � � ��� � Ga� ���93����B���� ������+$8� � � J�D���;@#�����D��/�B��+$�� �C���BĪ�+$8� � � � s���˲� � � G��� � � �D��˟՟D���;@#�� ���93����B���� ������+$8� � Ga@�)��,���� � � ��B����HD�������/�B������ �������-֟D�������E���B-֟D��/�B8� � � D�������/�B����D�ʟ������;@#Y�D�&�۟䢭� ����O�B���3��%�����ʟ� ����B��� � � �  ����B�����HD����������@Ԯ�@�� ����2��ҟ�� ��ZS��[��������*�S��[���� "4�� � � � ��B����� �@���؟ ����B�@�)��,���� � � ��� � � ��B������ � Ga=����@��O�C��ĪC��8� � � JC���BHD���C���B�O�C���C��8� � � � ��ި���@�n������ � � � C���B�L� �������*�̲֟� � � .D�� � � � �]��� � � G�� � Ga=����@��O�C��ĪC��8� � � JC���BHD���C���B�O�C���C��8� � � � ��ި���@�n����������̲֟� � � � �C���B�L� ������%�۟C���B�L� ����̲� � � .D�� � � � �]��� � � G�� � GaL4?C���B�C���B8� � � ��������ҟ0��L4r1���*=���B�;$�� � � �������۲� � � �C���B�L� ������%����C���B�L� ��?����ժ��կį�ǯ/ �8� � Ga��OB����@�� ����B������ � � � ��ް��S���B����1�����*=���B�� � � � D�������/�B����D�ʟ����� � � � � �/�BY�D���� � � � �����ʟ���B������� � � � � ��ݠ����0���&*=���B1 �@�� �S�;@#�� � � � � ��B����� �@����Fʟ� ���� � � � � � ��B�����;@#� �@���؟ ��� � � � � ��� � � � ���� � � � ���� � � Ga�� ����� ���B8� � � ���� ����������������1�� ���B�*?�Cà���1������Q����� � � J� ���B��+$�� �C���BĪ��ޫ3��� ��������B���Q���8� � � � lަ��<#٦�Q� ���B����Cà���������ޫ3��� ��������B���Q������ � � G��� � � JD�������/ IJ� � � � lަ��<#٦�Q�ޟ�����=�@Ԯ�@����O�0������ ������� � � G��� � � �������B����U�D�������/�B����D�ʟ�����/�BY�D�&�۟䢭� ����O�B���3��%���� � � ��ި�������0@6�����������ҟ*��������� � � J�������B����D�ʟ����� � � � �� �@����*�̲֟� � � ����*�̲֟� � � � l�93<٦�Q���=���B���0@6����:��������� � � G��� � � ��� ��Z��������<*_� ��,�ҟ� ��*=��S���.���� � � ���B����U�D�������/�B����D�ʟ�����/�BY� ���B��۟䢭� ����O�B���3��%���� � � J ���B�������/ IJ� � � � ���B����1�؟D�������/�B������ �������-֟D�������E���B-֟ ���B8� � � G��� � � ��٨����*����ß�����$�d��&>�3��� �*=������� � � ���B����H ���B��������� � � ���B���������HD����������@Ԯ�@�� ����2��ҟ�� ��ZS��[��������*�S��[���� "4��� � � �����������B����1*?� :��������<�à@�� � � ���B����U� ���B����D�ʟ������;@#/ %��� � � ��  ���B������*�؟�������B������*��� � � � ���B�������ê ���B�����@�)��,��8� � � G��� � � ���C��9�D����B����1 �S�����;@#��� � � �������B���������*�CB��ʟ������������ECB���� � � � �������B����� �@���؟ ���B������CB�˲� � � ���� � � ��٨����C�C��,1��@����� � � �������B�������ʟ���B������� � � � ���à@�=���d�������Q��֟ޟ*?�=���,�� � � � J��B�������C�C��,IJ� � � � � l�93<٦�Q�Ϩ�C��,������ � � � G�� � � ��� � GaC���B�d� ���ĪC���B8� � � C���BU�C���B�C���C���BD�ʟ�����/�BY�D�&���� � � �n��ޫ3��� ��������B��ި�����������E����L4�d�� � � JD����+$�� �C���BĪ��ޫ3��� ��������B��ި�����۲� � � � �C���B��*Y�8� � � � s���]��� � � G��� � � �n��ޫ3��� ��������B���Q�������������W�������1?����K ���������D���� � � JD����+$�� �C���BĪ��ޫ3��� ��������B���Q����۲� � � � �D���������*Y��۟�� � � � �C���B��*Y�8� � � � s���]��� � � G��� � � ��� �?������B������&*=���B�� � � ���C��S�;@#���B����� � � dU�D�������/�B����D�ʟ�����/�BY�D�&��A��ʟ���B������� � � � ���à@�=�à���.� ��ID�� � � � J��B�����;@#�� � � � � ��B�����;@#/�B�C���B�d� ���ĪC���B8� � � � ����=�=�S������B�ҟ��6���� � � � .D�� � � � � ���� � � � G�� � � ���� � � ���&@�f�@��1����� �ä�?���L4�d� ����� � � dC���BĪ��8� � GaL4?C���B�C���B8� � � �����0���*=���=�<$�����%�ú%���୲� � � ���.�6_�C�S��� �D��1 �����*=���������*=�A����������������O�à���� � � �D��/�B�L4r����8�� � � ���� ��S�L4r1���*=���B����C�S�C���B�� � � L4r��;$��H�D��/�B�L4rA��ʟ���B�L4r��� � � � ��B�L4r�L4?C���B�C���BED��8� � � ��C���BĪ�]�8�� � � ���A��������� � � ��� � �S�;@#���B� � ��� � � ����=�=� �L4?�B���Q����)��S����ä�C���B1K ���� �L4?S��� � � ;@#�L4r��;$��H�D�������/�B����D�ʟ�����/�BY�D����A��ʟ���B������� � � � J��B�����;@#�� � � � � ��B�����;@#/�B�L4?;@#�C���B�C���BED��8� � � � ��� ����B�� � � � .D�� � � � � ���� � � � G�� � � ��C���BĪ�]�8�� � � L4r��;$����۟;@#�L4r��;$���� � GaC�����������.�z�w��.�zqFj����� E�3<�驨�q`��.�zqFj��ʪ��;$������q`�;$��qF�`��������_U������ @��|`���������� ��A�����O�?��������.�z������q`w�������q`j����q`F�� @�q`j��B���0E�C>�E��,?q`F���<���q`�`F������q`Gq{`Ga@������Et���E������@����Q��ݠ����ݠ��Q��;�W�����T��Et��@������H���qF�@���C��L�����qF@�B��@���t}�tŹ�����@�B�_�F�@��qGa���"<$�>qF@6�à6��``n�?��à6��qF@6�;�,6���*n�?��;�,6���*qF@6�������`Fn�?����qF@6�;�,6``J�?��;�,6|F�?��A���%�������<�V|N��� �� �٦�-֟��qFJ�������q`���������0�����<$�>��`�l��q{`Ga��*CqF}��������:�Fl�詟��������4���q{qF}����C�Fl�ϰ�0�?O���*C7?��~{qF6���U��6����|F6������������6����F6�������ç�����3���D���G|F���Cq`��.��D��qF:��q`6������������6����`6�����������3��q`Gq{`GaA����qFJ�������:�F}������`l�ϰ�0�?O�A�����*����7?��~`G|`���Cq`FD������Cq`F�LH��*C�ʟ������ ������.������� ���q`N��ٷ���3��-֟�����3��q`FJ���C�`F��������q`{``Fl�����3��q`:��q`F}������3��q``J���C�``A����q``Gq``s���Lq`{``GqF�`�}����C�`l�ϰ�0�?O�A�����*�����7?��~`Gq`���6�����A���"6���EŹP��?0������3����@���>ˎF���6������,D�6���EŹP��?0������3����@���>ˎFD���?�A����q{`Ga����*_��}������Fl�ϰ�0�?O���7?��~{qF*_�����*_�Fw*_q`Fj��?�줬�����ޣ������޵��ޣ���q``�6�����*_�H�����q`Fj��?�줬�����ݠ��) ��q``���*_�6����`j��?�줬������B�q``����*_�@��) ���`j��?�줬���������q``���*_� B��`j�ަ�q``����*_�`�`�`l�ܨ������ ��<#� �7D����+$����7*_�C�� ����7*_��+$��~`Gq{qFJ�������:�FA���ʟ������ ������.������� ���qF�`�D��q{`Ga���;�������� �@ID������� ��FJ� ��C���B�� ��C���BĪ� [���`� ��;����L�����F�Gq{qFs��D��qGaD";��b�L�bHb� ��|F� ������� ��FJ� ��C���B�� ��C���BĪ� [���`J� ��;������Īb�`Fs��� ��;���b˭D��L�`Gq`Gq{qF=��� [����� ���ȩ9���;<��7b� �����������(9��C��+$�7D���5qGa>";��b�bHb� ��|F� ������� ��FJ� ��C���B�� ��C���BĪ� [���`J� ��;������Īb�`Fs��� ��;���b�`{``Gq{qF=��� [����� ���ȩ9���;<��7b� �����������(9��C��+$�7D���5qGa��;�Īb�bHb� ��|F� ������� ��FJ� ��C���B�� ��C���BĪ� [���`s����n� ��;������Īb�{`{qFs���]�qGa;<��b�t����bHb� ��|F���CS�@6����+$�<*���O�S�;<�qF< �B��b2q`>";��b��Lq{qF���CS�������+$�<*���O�S�;<�qF< �B�7b��5���L�F>";��b��LHLq{qF���CS�%<*��E ���CJS�;<��=�D�qF< �B�7b��5�q`��>";��b��Lq{qF���CS�@6���C�<*��1O�*;<�qFB�C<*���b2q`>";��b��Lq{qF���CS�������C�<*��1O�S�;<�qFB�C<*��7b��5���L�F>";��b��LHLq{qF���CS�%<*��E ���CJS�;<��=�D�qFB�C<*��7b��5�q`��>";��b��Lq{qF����S�����;<�qF����;�H� [�����+$� ��Q��q`b�FtŹ�����F�3���ŹB�����3���F�tŹB������F8qF��6��S�;<�� �S��+$�;�1qF;���b�H����;�qFs������;�qGa;��ƪL��L�����b�L�FJ��;�Īb�`>";��b��LHwLq```````Fj�� [�����+$� ���````````�� [����Ϩ��� ��q````````L�Lq```````F�````````�Lq```````{``Gq{`Ga���B����� �����;����;��F��� ��;���;�/[�H;�� �C������ ��GqGaCL4������ ���� ���� �D�ʟ�� ��F�?���EbELH� ��L��?�Ϋ?����E�b�E�LΎF�?���Y�ζ��Ο�۟bY��D Ο�۟L� ���*���qF������ʟ�CL4������ ��F���H�����򭸡��������E�ί����q`FȮ����D �� ��L1����\>��*�����q`���q`CL4������ ��<�>�����-֟�����qGaN���qFD����:"4``F������Ч�����Ч��qFD����:"D�@`H������Ч�����Ч������qFD����h� �:``������Ч��������K��qFD���G��C``F������Ч��������qFD���)```FH������Ч����qFD���$�````������Ч���qFD����D���>#``H������Ч���ݧ�����qFD���T� 3���tH������Ч�����������������qFD�����<����``H������Ч���٧��Y��qFD���PC```F������Ч�����`FD���;$��``FH������Ч��������qFD�������h``H������Ч����ӧ����qFD������;�Cr`������Ч��������������qFD���T#�,�0`������Ч������Ч������qFD���6���```������Ч�������qFD������y�``F������Ч���������qFD��qGa ��<#�� ��ƪ�����Et���E����n���q`� ��<#�qF�`�� ��<#U�ަ��<#����D��Et��;�D�� �W�����GqGaD����t����t����������FD���D���������GqFtH袱���t�<�>�t�D����@#�tHtqFө����r�������������FD��7����ƴEtŽ��ˎGqF����������h�tŹ����h�8`Ga���qF�F���ʃ`F B�D������ �Ŵ B���`� B��î�D������ �Ŵ B��î���`�?�����D������ �Ŵ?�������`�?����î�D������ �Ŵ?����î���`���.�D������ �Ŵ��.���`�<$�>D������ �Ŵ<$�>��`������<$�>�7D������ �Ŵ�����<$�>���~`���Ga,6qF}�L4�;���Flͱ �ޣ������ٷ���t��ϨL4ݠ�� ���ٷ���3��q{`F}�L4��Flͱ �ޣ������ٷ���t��ϨL4ݠ���?ٷ���3��q{`F6�����CB�Q��@����>�8`GaB����"�4�� ��t����ᦩ�Q������ B��F}�tŹ��*�? <#��`F�� B���Z袱����ݠ�������q`Gq`�� B���Z� 6����ݠ���쮰3;��q`�� B���Z� 6����ݠ���ܦ�٨AB�q`�� B���Z袱����ݠ�������E�h� �:n�h� �:�F�� B���Z袱����ݠ��������Eh:3�rn����h���F�� B���Z袱����ݠ����D��>#q`�� B���Z袱����ݠ���͢�6��E���y�q`�� B���Z袱����ݠ���ө#:�ש�0�ET#�,�0�|`�� B���Z� 6��������D��ש�>�n����������΂`�� B���Z袱��������D��ݤ=�٦�q`}�tŹ��`F�� B���Z袱��������D���â��q`F�� B���Z袱��������D������q`Gq`�� B��6����6���q{`Ga�:��t������:�������ɹ��:�Q���:"p�:"D�@��F�`�)``F�֟t������)ʟ袱���)���`�h���-֟�PCǩh�h��Ώ`� �:��`-֟�PCǩhǤ���� �:Ώ`�$�``F-֟ʟ�I���-֟�]�q`�qF8`Ga �� ��@��@�������H@��@������� �qFJ���q`�,�����������2q`F�@��@���@��@����@��@�������� "4�H@��@���q`Gq`�� ��;���B�C�C0�頦����E��C0�頦��`����ê@��@����GqGaB������,�����������2q`����H@����������FJ����q`F�@��@��� ����������B������`�LB������F�`F�Vq`Gq{`Ga��� ����2��qF�@����> �ڧ�qN�-֟�qF�����������<#r��D1ݠ�٦���� ��ϟ�D1⠤�ݠ���ݠ�٦�qFJ�B�C��Īݠ�٦��۟��=��Īݠ�٦������B�C��Ī��⠤�ݠ���ݠ�٦��۟��=��Ī��⠤�ݠ���ݠ�٦���FVqF�`�l�q{`Ga6�������@��@�����������2��q`',�����������2q`F'�����@��@���+ũ���H��q`F}�'����+���q``'����+����q``�� ��;���B�C�C0�頦��� �Q�E'�C0�頦�`Gq`GqFGa<�>�à����E����� �í<�>�à����E������@�����D����+$Q�2�����E;���F����;�������H;���+q`���q{`GaB�����@&�@��@���B�����J@�q`����� �4H�@��@��� ����������@��@��@�������� "4�`J����� �4q`F����� �4�B�����`�@��@��� ����������B�@��@��@�������� "4J����� �4�������{``@����� �qF�`�Vq{`Ga����qFs�n�i���������H��qF��Źi�H�iqF��Ź>����?�HТ��A����@Ԯ�@�ά���|F���Cq`���Y��;���A�������E�E�4�`���Cq``�2���q``�����ʾ������C��q`FN��٦��������q``��S�����1���C=à�q`{``GqFN�����Y���� �ٷ��q`�2��1��� ������1�����~{`Ga�����E3����Eu�V�ө�;�����/�������E�3�-֟3�E�u-֟u8`Ga ��qF�LC� ����Q�2���E��F �ELH�q`���0 ������ ���HTI���09���� �� ��EL�F�q{`GaTI �ELqFs��L�}�L��C����Ī�x�w �qFj��;� �D��EΥ���q`s��Lq{`FwLqFj����������������q`�� E #�E���EéE�C��~������̳�˭����ʾ��������� ���q`J #�Y�̟����Y��`Fs��Vq`Gq`DT�H��� ��q`驨��7q`驨���̹���n驨���Z�q`Т�c����� �������c����ʟ�c��e��:[v�qFcz1���>�c�����6B��c����ʟ�c��e��:[v�qF@��� �>������ �>��F �>��cU� �>��cD�ʟ�c��czC���B�v/[�q{qF@��qGa���@���@������@?� �2��qF@�"� �2��H@���� �2���L|F���G�� �2��qF� �2���@�"� �2��8qF��������� J�C�����AI�>������:�@���qF*Né��H�A��T���Ź�C�����AI�>�����: >˭ ��qFJ�*Né��/ %�۟�@���AI�>�џ���؟*Né��q`�� өB�AI�>�9B���C������&7*Né���唟GqGa������@���� ������� ���A����� �� ���EC0���J���B�qF�>��C0���A���}��A����� ���}��A����� ���F�1��A��=������ ����*=���C�~`s�q{qF@Ԯ�@�A�~F@Ԯ�@��+�A@�|F��Ϩ��A�qFT���H��+������ө����r����A����t���� �tETI"t� �������A��T���HT���qF�A��������H�A���ϸ�����Q�|F��Ϩ����� �qF��>�H��A�����>�Q��T���8qF��� Z���AI�>qF@�"ڡ��H��>��;�D���AI�>|F��줬�������1@��qF������@����A���ݠ�������@�"ڡ���8`Ga���;��������Ԧ�AB�E)������E)��������E+�.���```F�;$��DäVE;$��D��V�```F�)����(#��VE����T#V�```F����淋��V8`}�Ԧ�AB�=��Ī��Q�өB���Q�өB�lަ��<#٦�Q���Ԧ�AB�������Q�өB���Q�өB�8`G|���6���۟�QݟAB�;>q����(#��Т<��ݩ��8qB���������|���à6���+�.�+�.W;$��Dä;$��Dä�``F;$��D��;$��D��8q6�������|���Ԧ�AB�Ԧ� ���Ԧ�AB� ���8q�������A,����������q����� ��A,����������|��͢����;>|���� "����;>|��������)�����E)�������)��������``F�(#��)����(#�頏``F�=�:�����;$��D��8qJ����T#qF������蝹��T#����T#E��淋�����淋���```=�:�����;$��D��8F��G|���/������;>����;>֟�&� ���E0�������å�```F�?Ŭ�����9�����ҟ���E���8FGa>���9�����*H��E���9��H>����2����*�9��H>����2����*93�����0��9���9��qGa�9�@�"�@�"bE@�";�U���E;>���̎N���Z@��Φ9ݠ��ݠ���������F����@���[�@�"bq`@�";������bEL�`����@��� ���q``����;��[�bq``����;��0�Lq`{``Gq`����;>͢�;>��q{qFN���D�.�<#�Ŵ�9ݠ������D�@��ϣ�˭>"���LqGa�� ��3���̎3<`F3<���3<��Y����5�}�3<�=��Ī�x�@�"4H�9�@�"��� �ޫ3����ݠ���E��@�"�?��-֟3<�E;>��8qF< �iH>"< �i��@�"48qFiHłF< �iŴ��������>��˭ ���3<12��;>�����Fi��>"i��@�"p;>�����՟�����1頦��CB���q{`FiqGaD"c�qFD"cU�łF�C���C�������٭D���d�������d�F���Je�K ��Īd�F���Jd�C���BĪ�����٭��à�����d�FD"c1�؟d����������٭D���dE�D��ΎGqFD"c�qGa?���c�qF���e�Kb������٭D���d�D"c������c�FKHe�Kbv�FczHe��:[v�F��������� 3�eQ���)E����EKEczq{`Ga<*����=)������E� �W������qF������*?�S�����������T C�S������qF��=�������?<*������ݮ������ �1��� �����ZS�����qF���?� ��� �qF�qFs��נ���������ͬ ���?������Q�����E� ��J���� -�~����qFs��נ���������ͬ ���?������Q�����E� ��J���� -�~���ä��qFs��נ���������ͬ ��ଠ ������?Q�����E� ��J���� -�~���*?��`FqF�����qGa;���L�LE����V�F���Cq`FJ�;�����q``�;�������0��LE��ڎ`�``�� �HL�=��Īަ�%L��L�``� ��;���D���O�?�`Gq`N�-֟�q`F=��ᤫ�٦�X٦��;��_�7L�C�� �������7D��/[�C�� ����ҟ7���+$���֟7���F�GqFGa@6��E�@B����V�FJ��N����� Ī�@6�`�H��@6�D���)頩����{``J��)�؟D���)頩���`=��ݠ6٦�Xٷ� ��7D���)頩�����W���������7��)�������F�G|`LU�`FJ�9;�����q``�9;�������0���E�@B����`�``���9;���D���O�?�`Gq`s��D����+���L�LW�@B�����Ga+�.�<*��E�VEtH���A,�H�]JtŹA,��/ �tŹO�HtŹ+�.�O�F@Ԯ�@�HtŹ@Ԯ�@��|F��@ ��� �0�tqFt�B��A,�qFt�B��+�.�OqFt�B��@Ԯ�@�|F���M�D�����E�����%<*��� �î������ ���؟ιέå����JA,�qF��؟��M�T#� ����;�XѴE��+$-�@Ԯ�@�5n@Ԯ�@�qF�����qGa�?D���<*��EtH���tŹC���B��˟���]�qFtŹ "�� �`������qFtŹG��� �`F��Тө�������K�������ٜ�@���A9��>�>������}�@���A9�q`��>�D�����E̎F��>�����@����E�����Ŵ3<������� �����ˎGqFJ@���A9�� ���������Ŵ����@���A9���`N���Ź?���Hө������������������q`N���Ź<$�>�H<$�>��������������`���>�C�������GqFN���qGa�. ��O� �>�E?�����J��+$H�D� ��C��ʟ�������% �>�E?�������F�+$Q�� �>�E?����EP>�P>��GqGaC���+�C���+#qFw���Ź�����Fj���� q`O�����C���+#ʟ������ �C���+3������j�������q`�������C���+3���C���+#qF�`�lަ��<#٦�XŸ�C���+3����&���7���Ź��������������~{`Ga���ê>�E<*��EtH������çA���H������������<*��� ˟�l�ܨ������򠱟���ß<*���7<*���C�� ���~F���çA������>��F���çA�����Ŵ���EtŹ��ntŹ�F������6���� ��Ѭ��çA���8`Ga�N:����� �E�N:�VE�� ���J��� ��N����� Ī� � ��F��� ������ʟ������N:����E�N:��N:�E�� ���qF�`��N:�����N:���+$���� ��F�����H�N:�Q����� �E�����T��E�� ���F�������:%%��.������������q{`Ga<*����=)���<*��E� �W����n�����T���N����� Ī<*��E���F�����T���D���<*��E� �W������`������q{`Ga���������?E�I�4�FJ��?� -�~�Ǫ�ѯ�?�����q`F��?H��q`F�I�4H�I�4�<�>���s��?����-֟���{``��H����~`����ک����?E�I�42q`F��HD���D�����?`F���Ϩ���S���� ���<*��q`F��H�������������?E���{``��qFGaB����� �����H�� ��� ���CL4���Hަ�������C��۹CL4ĎJCL4���q`JCL4�������N����� Ī�<$�>��`���U�CL4�������<$�>�q`�`F����U�CL4��������q`Gq`l��WS�7CL4�����+$��������S�Ȥ� �����S�(�,�_�����7�����~{`F��qGa)���?�����EL�}�LY����������?�������+$q`J���N����� �7?������Ɣ`����D��7?������ƴEL�F.)&���=��Ī�Î`���?������HLq`Gq{`Ga���� ��qe�3��k�����"dq��칹��"D$������"d2����J�e���=�Ī��"d���T����F��� ����,��ұ����7�@ ����7��"d�5����E��`lݢ�ٷ���3��Q�ݠ �@��) ����7�@ ���Ο�& ����7� ���C(�,�0�d�Ο��(9��5n�q`GqF�`��� ���@ ����?���GqGq��"d�FGa>"��,6�@�=�����D$���E@�8`��@ �@�1 �à@����I�0q����@ �@�U���qD$����0��@������@ �@���@�����������F����@ �@��Ŧ�H��qGq@�=���U�ł�������g��������*�^¡q@�HD$����@�äª@�8`�� @���۟����@ �@���@��F@�=������ê@��;@#U�D$����;@#�@���@��@�H;@#)�̟֟%;@#����VqGqͥ����Q���;@#E�^¡�Q��@�E@�=���@ID�8FGa��,6� ����C(8`��� ���;����,6_�E� ����.����2��������,6�C(�;@#EC(�^¡8`G�FGa��,6q��>S�b��&S��@#����;���q��칹��"D$����������2������H�@#���qFJ��/ �Flݢ�ٷ���3��Q���������������.)&��� "��*����ǔF����Cq`F^�H@�äª���`�P>��C(ܬ,6_� �����`���,6� ����>"��,6�@�=�����W^¯�F:��q`F�� ��� �����7����F�GqF�`�lݢ�ٷ�������Q����@#�������7���Ο=�������C�3������������� �������������� �����������GqG�FGa��*C������@��@�Ed���˯� q𢦭�����K���5������ qF�H𢦭�,�������� qF�He�کC��XT#5� qFe�3��k���� qF���"@��@�E�Ed��� qF��s��T#1�&��.B������ qF�������K�s�1L�s����������� qF��.���� qFe�3���������� qF��@���� .�n������:.������� qF��*=�A������� ��C2�1����_�S�c1,�����O���<�3<� qF��*=�=�� �0����������nS���C=�?���1����� qF@���H���� qF�� e���=�Ī��۟@����֟�� q`����̭¯� q`e�3���������� q`@������� qFG� qFJe���=�Ī��� q`�P>��� �A�����.������7���� qFG� qG� �FGa���"@��@�EKEd���˯� qdU�d���� q,�� qFd� �U�� qF������A�������*�����C2�1����â�à��=����9�� qF��T)B��S�(�,�_����� ���1�â�� ���6B��� qF����� ���d1C��� �EŸd�O� �E����d���*����H����� qF�����1��<���� ���W���1S�+�d������*���̟����;� qF���Z���̟ �����S����)B� qF�� �d�����%�۟d� �)�؟����� q`d� �1��� q`d� �1�؟d�â��� qFG� qF�� ��� ����O�?� ��7@���7d� ������ ���ӟ7K��ҷ&Ҵ� qF�@��nd������� qG� �FGa@ ����@��� q�H�� ����é��@��� q������5�A��ʟ���� qFJ�-�~��@����@ ����� q`��������� qF.D� q`V� qFG� q��A�;��� �FGa@��C(��@�EB)@��� qC(H��� qB)@�����;��������EL�� qF�� ���P��Ÿ��O�?�7L��7@����Ҵ����E��� q`C(Ž���H�����n�� qFG� qG� qC(� �FGa@�äª@��� q^�HV� q�� ���@���Ҩ�Ÿ7@����Ҵ����E��� qF^�H�����n�� qG� q^�� �FGa��@ ���Ī���� q�H�� ������@ ���à6�5� q������5��������� qFs����n���������ǯ�!Y@���à6��7����� qG� q�]�� �FGa�@#���� q�H�� ������� q������5���������� qFJ䰭C���BĪΪ��۟��-�~������ժ��կǯ� q`s����� qFG� qG� qV� �FGa�0�� �������EK�� qJ ��@Ԯ�@��?��������� qF^�H�>������Q�� qF��0��c1��@� �����*C��� qFcU�e�.�����C���?_�c��KE�]�X����ѴEe�������������� qF��𢦭�,����*�����������矱���s��������� qFcB�5� qFcB��5� qF�����S�C(�c���D��� qFcB�ݢ�Ϩ(��Ϩ(e�[�� qF�������C�������D�� qFc1�e�.�����C���?_�c��KE�]�E�������� qF��B���&c1���������@���� qF��� �.��C?M�O���� ������,����ä��� qFc���� qFc��������� q`���?c�^�EKE���� qFG� qF�� ����ޥ������������� q`^­���?�����D������� qFG� qF^­à���>� q.D� qF�����0�� ����� qFV� qG� �FGa��������������i8`�������������H�Φ$�E�)��Eά$�E�^@����Eq````��^@��K���Eά���?��Eά���?K���Eq````��@��@�����E���� ���EΡ���΂���Hłi�������E���U��:ͥ����Q�qF�dH�qF�����������������CB��ʾ�����Ŭ������������Ţ��H�Ţ��qF�������ê��8`Gq����FGa����������i8`����������6���Eά�����E�d�EΦ$�E�)��Eά$�Eq```��^@����E�^@��K���Eά���?��Eq```�ά���?K���E�@��@�����E���� ���EΡ���΂���Hłi�������?����U��:ͥ����Q�qF�������������CB��ʾ�����Ŭ��������Ţ��H�?��Ţ��qF�������ê��8`Gq����FGa>"A���"<$�>�>�� ���8`�x��:������1����������~F��qF>�� ���������F�1��,�0�dq{`F�_qG�FGa>";@#�D$���E@�8`;@#U�D$����;@#�@���@�8`�;@#�����%%;@#����V��FGa��� �ĪD$���E@�E� �8`�������g��������*�^¡q@�HD$����@�äª@�8`s��@�Y�� �����D$����=�� �Ī� �E@�8FGa����� ����D$���E<$�>8` ����.���U�ł� ���C(����� ���C(� ����.������êͺ��쩣��.���Q��D$������ KE������E ���C(E�P>��8`Gq>�� ��U�ł ����.�����������P>��C(ͺ������_�7�� ���C(�,�0�d�����n�������<$�>�F>�� ��1�؟�� ���C(q{`Gq>�� ����FGa�����<$�>HVE@�VE����8`��>S�b��&S��@#����;���q��칹��"D$����������2������H�@#���������qF������H����Ǵ�՟��qF��ä�HVqF>�� ��U�VqFJ���������Flݢ�ٷ���3��Q���������������.)&��� "��*����ǔF�lݢ�ٷ���3��Q����@#�������7���Ο=�������C�3������������� ��������������ß ������������`���H�@���à6��7���~`��ä�H@�äª�������F@ �@�H>"+�@ �@�=����W���F@�H>"+���d�@�=����W��E@ �@��FJ�����Ī������������ �ĪW��E@�äª�������������� �ĪW������E@ �@��`�� �������&7��������7@���`���ä�H@�äª�������{``@ ��-c��Ǵ�՟������q`�P>��B���ȩ�B��O��� ����@��) ��7�����d��F����KH�,������@��) ���@ ��E ���������"d���5X�,�_����;��������F���칹��"D$�������K2�����f�`���f��� ���N���� ��`����f��� �����ҷ���`����Z�&à@� ��@�:�� �������� �_�O�9������c1�â�������I�������`F��*=�=����)���@ ������9������c1��O��q`F��*=�=����� �9��O���b�w����������C2���q`F�n��c�1b�>1w�����:�S��@#�à6���S� ��� �>��`���� ���� ��@�S�c���*�S�����b��9��������� ���� q`F���f��� ��� �����7���������&@ ����C�7��������`�>�� ��U������ �������fE<$�>�`J䡬�q``���f��� ���N��ҡ��7��ä���`F�A��������fE<$�>�%<$�>�>"A���"<$�>�>�� ����J���f�9A�����>��`Gq`F���f��� ������ß7@ ����7��������7��������F�Gq{`FJ�>�� ��������FJ@��q`F�� ���@�7��������`��P>��C(��>1ä���:�A����� ����7�������������;�����:�@����������������F��`F��P>����(��>1ä���:�A����� ����7���������ݠ� �������>1 ����;����F�GqF�`��P>��C(詟>��GqG�FGa@� ���������"D$���E@��� q ��KU� ���K����"D$���E@��� q � �U���� q��"D$������*C������@��@�E ��KA���ʾ��7���7ݢ�Ϩ(��Ϩ(e�[���2�����K�� qF ��K�����@��d�� q` � �1�؟ݠ�� �����쩣�� ������� q`F@��d�� q`Fݢ�Ϩ(������K7���K��7@��d�5�� q`F����I����� q`F�]�� q`�� qFG� qG� q?Hݠ�� ������ � ���� q?���"@�H���f�@�äª@��� q?� �FGa�� ��@���= �� �����W@�E@�"@�W?���������Et����� qs��?�������@��n?�������@��� q?HV� qJ@�"@���@��� qF;@#�@�U��;@#�@���@��� qFJ;@#�@�)�֟�� q`���� ��?�1O�0��;@#���B�� q`;@# �U�;@#�@�A��2����� q`F�� ��@���= �� �����W�E@�"@�W?������Et�� q`G� �� q`�n*=�=���<�>�A�����*����3��;@#�� q`���B�4 ��ZS�����A���������� ��;@#�� q`���*?����1��@0������ #E�â������D� q`��ڮ����� ��ZS��[�A���j� �_�O�>��c�� q`�?H;@# ����� q`� q`>��cU��>��c��@�E;@#�@������ �� q`���� ����& ��1C�*=�A����� q` ���KU��?� ��A���ʾ�����K�� q`>��c�������� q`FJe��:[���d�ݢ�Ϩ(��Ϩ(e�[� q``J���C�Y��6B�� q``F ���K1�؟e�Kb���d�� q``.)&���C�Y��B�� q``F ���KB�e�Kb���d��� q``G� q`FG� q`G� �� q`���� �������1 �� ���n���&S�c1��*C���@� ���� q` ��KU� ���KD��ʾ���>��c��ʾ�����d� "��*Ī������ �� q` �� �U���� q`�� ����0�� ��1 �� ����?������ q`J����K)�֟�� q`F���*C������@��@�E ��K�2������ q`` ��K�������� q``F �� �1�؟�� �� �� �����We�کC��W���� q``G� q`FG� q`G� q`� ���K1ҟ ��K����������� q`F� �H�?� ���C�ʾ�����KY�� q`F �� �1�؟ݠ�� �����쩣�� �������E� ������C(E� ��K��į� q`G� �� q`?Hݠ�� ������ �� ���� q`?���"���H�@�äª@��� q`?�;@#T�?�;@# ���� qF.D� q`�����;@#W����� ��������� �� q`JtŹ���� q`F?H@� ��������W@��� q`.D� q`F?H@� �����W@��� q`G� qFG� q.D� qF���������@���E2�S������ �� qFJtŹ���� q`?H@� ��������W@��� qF.D� q`?H@� �����W@��� qFG� qG� q?�������@��H?� �FGa�� ����K�� qݠ�� ������� qF�������K��K��A��ʟ���� q`�� �� �� ����KE�� qF��� �FGa@�� �� ������"D$���E@�E,�0�d�� q � V� qJ��"D$������ �����ҥ@Ҧ���bҩ����7@��5�����5�C���BĪe�کC�,�0�dX����C(5�� qF��"D$������*C������@��@�E�,�0�d�2����� q` � �� �� �� �����Ee�کC��E,�0�d��� qFG� qG� q � �� �FGa@� ������"D$���E@��� q ��KU� ���K����"D$���E@��� q � �U���� q�����0��@� ��1?������ q��*=�����?�1�0��+3���)�������������A�;@�� q�� ����3������ ���D;���� q��������­�1C�6��&­�1�������O���A�����*��̟ ����� q��"D$������*C������@��@�E ��K�2����� qF ��K�����@��d�� q` � �1�؟�� �� �� �����E�մǴ�@��d�� qFG� qG� q?�ݠ�� ������ � ���� q?���"@�H��"D$����@�äª@��� q?� �FGa@���= �� ������"D$���E@�Et����� q�@�HtŹ�@��� q@�"@�U���� qJ�@�� qF��"D$������ ���@���7@�����7�@���5�����5��������� q`@�"@��Ŧ�H��� qFG� q.)&tŹ>������ qF��C�>��� BE����0��������A������ qF��"D$������ ���@���7@����Ҩ���0����5�����5��������� q`@�"@��Ŧ�H��� qFG� q.D� qF��@ �@�1 �à@����I�0� qF��"D$����0��@������@ �@���@������������ q`@�"@��Ŧ�H��� qFG� qG� q�������g��������*�^¡� q@�H��"D$����@�äª@��� q�� ��@���= �� ������"D$���E@�E@�"@�W��E���֟tŹ��˯� �FGaA���@�=����c�����fE���ä�EB�KE���8`𢦭�����K�������K�����KH𢦭�,������K��̂F���f��� ��� ����O�?� ��7���ä���7� ���C(�,�0�d���� ���ӟ7����K��ҷ&Ҕ����� ���KHe�کC�����KE� ���C(�,�0�d�cU�e�.�����C���?_�c������ ���KE�]�X����ѴEe�������������cB���cB����cB�ݢ�Ϩ(��Ϩ(e�[8`Fc1�e�.�����C���?_�c������ ���KE�]�E������ä����c1�����詻�� 3�r�(�B����A��qF�@;@�������(�B��B�KX��������є�c�������F����dHe�کC����� ���KE��FJe�cĪ����d�`dHe�کC�B�KE��`e�3��k���e�Kb�d��`e�3��������dEd�FG``q{`G��FGa>"���C(�O�@�=����D$���E^�8`D$������ ����é��7^���7e�کC�� ���C(�,�0�dEݢ�Ϩ(��Ϩ(e�[��5����E��s��ݢ�Ϩ(�������%���5qG�FGaA���">��D$���E��E^�E���8`JD$����?�������6����OA���� ��ZS�d�����.���������6B��dqFD$������ ���6����0�������cHР��cQ���<$�>Ύ���Cq`����c��؟���q`����c��,Dq`D$������ ���A����ȟ7����c�d���:��q`����c��,D����GqF���� �qFD$������ ��� ������7^���@���à6��7���5qG�FGa>"@�=����C(����fEBfE���ä�8` �� ��U�� ���� B�Q��@�� �� �������fE���ä�E� ���C(�,�0�d8`����C(H>"���C(�O�@�=�������fE���ä�8`Bä�HBf�@�ä�����7���ä��5q���H���f��� ����é���1��O�?���7���ä��5�ݠ�=���Ϩ(Q�� �� ��1�۟ �� ��K��%%BäŸ����C(�@�=���ä�E���ä�E����C(E���8FGa>"�����@�=����C(�����fEBfE;@#ä�E^¡8`C(U�ł��HłB�;@#ä�HVq�^�)頪ҟ¯�����E��2����C(H>"@�=����C(����fEBfE^¡ŢˎJ�C(�BäŸ�۟C(�����C(� �>"@�=���q`C(9�â���C(�F������êC(�����C(� �>"@�=���J���C���BĪC(�����C(� �>"@�=�����`";@#ä�HC(�Bä�q`�@��q{`GqB�;@#ä�H>"���C(�O�@�=�������fE;@#ä¯�@�=���ä�n�B�;@#ä�qB�;@#ä�HC(��������C(�@�=���ä�n�B�;@#äŸ�۟�C(������qs��ͥ����Q�����E�;@#ä�E�@��C(��Q����EB�;@#ä�EC(�`��FGa��,6� ���>��;@#ä�E^¡8`@ �dH���� ��q��D �O�S�����@�=����*?�=���������"dH�,������@��) ���@ �dE ���������"d��@ �d�8`��칹��"D$����������"d2��B�,�0���HVqF@ ���HVqFC(U�VqFJ� ���C(����Kq`B�dHe�کC�ť�����"d˟՟� ���C(����K�����5��`"dH������"dq{`F��칹��"�f�������2������FC(U�>"�����@�=����C(�����EBE;@#ä�E^¡�FJC(���)���q`F@ ���HC(���̂`FJB���@ ���Ī@ ����`FC(@��C(�����@��C(�``,�0���H�����?���BEC(;@#ä�E@��C(����ä�J�,�0���q``FA���@�=����c��q```����``F@��C(����ä``FB�d�``F@��C(�����C(����q``F�``A���">��BE,�0���E@��C(����ä�E@��C(�<$�>�`{``F�``�lݢ�ٷ���3��Q��� �>@�=�����7� ���C(� �>"@�=����Ο�& ���7� ���C(�,�0�d��=���������詟���ß������O<���`�Gq`.)&C(���)�֟�q`Flݢ�ٷ���3��Q��à@� A����1O� ���7� ���C(�,�0�d��������3�� �>���=���1�7C(���کCX�����F�Gq{`F���C0������@�����ᮡßS�>�qFJ,�0��������@�äª,�0����C(;@#ä�Fq`���ç��H�@������۟� ���C(�@ ������۟� ���C(�@ ����������%�q``%� ���C(�@ ������@ ����@ ���q`B��� ������ß7�@ ����7,�0�����7���ç����F���� ��� �����B �7,�0�����F���� ��������7,�0�����F��P>��C(ө�����>1O� ���7� ���C(�,�0�d�� �@ ����7���ç�������`��P>��C(詟>1 � ���7� ���C(�,�0�d����G```````FqG�FGa���"�4��p3<��V8�Fa ��3<��B+�E�?E3<�8`J3<�qFlТ<���٦�Q�j����3���O���4�7�4��5nТ����q��*?�)��0qJ�ĭ)��0���s���ĭ��)�q������1������)���������������0��;�s��Sq��C>��������������0������:��0����*q.)&�ĭ�����s���ĭ����?��q�F����é������I�ä��:qFl�93<٦�Q�9����������1���?��5q:��{Ga�4���=����48Fs���]J�4�؟̲F��ޫA��_� ��ɟ� ������̟������ �0�<_��F���@���1 ��ؠI������1C�S�����1�������&S�F���0���������֟����2��� �������S���F���&�>à@��<1*=�����M�O���2џä���F��������1��*�4�̭�Fs����n�4Y�̲�F��ᦩ�� ���E�48Fs�����FN��٦������������詟��������qs���]��FN��٦����������q������쟫 ���<1S@�1������1 :������� qs�����FN���>٦����S����:��4�=�CL4�qs���]��Ga6��T���r�T�����ÎT�����í��������EL�FC��L�ʟC�� ��D��7������L�q`D����+$�C��L�ʟ?�������������GqGaD����$. �HVE����n�$. �q`�$�. 3��Q��D��E�$. ������������`��. 3��Q��D��E����GqGa@�����$. �HVE�����s��ݠ����Q��D��E���J�$. �/ ��$�. 3��Q��D��E�$. ���@��������8`Ga�ت� ��� ������ ��FJ ��N����� Ī� �à���`�����+��˟�؟ �q`FD��q`�`F����K���.�l��砷�����?٦�XϨD�3��������ןC ����� B����*��؟=.�����������������砷�~`Gq{`Ga �� �E� �W�������E?����HVE��qF ������ ��Fw �q`j�����q`F?�����<�>� ��Fj����xq`F�����q`F��؟ �q`Gq{`F������؟� �E?����E�%���˟�˂FJ���q`������������GqFJ�������*�֟�q`��BH������q`�����+��˟�؟��Bq`�B� B�Q����BED����`��B� B�Q�������+ED���GqGa����"N���D�qFO��N���D���.������N���D���.��FN���D���.������"N���D�D���N���D�L�N���D���.��E>"N���D��G|F� ��N���D���>��qGa��0��N���D�qFs�nO����|FO��N���D���.������N���D���.��FJ��HD���N���D�L�N���D���.���`N���D���.�/�0��N���D��E>"N���D��{`{qF� ��N���D���>��qGa�0��+ L�qFN���D���.����C����.������N���D���.��FJ��HN���D�L�N���D���.�����N:��`>"N���D�Ŵ7N���D���.��4� L��HN���D���.��� L���{`{qF� ��N���D���>��qGa@�B�� qFJD�����T#�� q`D��� ���C� ���ίʾ,��E��� q`F,�����/�BC� ���ίʾ��B���Eھ� q``��B�����ڭ@�B�� q`F��� q`�� qF.D� q`��� qFG� qGa�������<#�D�<#�� qF��1�Ц�_� �����1D�<#�7D�<#�C�� ���� qF}����ɧB�C�3�����ɹ�͠�<#˟�۟���ɧB�C�3�����ɹ�͠�<#��D�<#/[�� q`��Ц�� ��C���C���D;�cn�=)��������S����ɧB�C�3��������� q`C�30�頪D�<#/[�έ���ί� q`D�<#�B�C�3��H���ɧB�C�3�����ɹ�͠�<#��D�<#/[�� q`*����ٷ���3��Q�����C�����C�3���O�D�<#�7D�<#/[�5�}�D�<#�B�C�3��� qF.D� ��`F�D�<#�B�C�3��H���ɧB�C�3�����ɹ�͠�<#��D�<#/[�� qFG� qFD�<#�B�C�3��/�B���CB�ʾ��� q`D�<#/�B�Ţ�HD�<#�B�C�3��/�B�Ţ˟� q`��줽��ä�S�L4r� J��O�*=���.���Ц�� �@6���Cn�=)���� q` D�<#/�B�Ţ˭L4r� q`J �� q`F}����ɧB�C�3�����ɹ�Ф�˟�۟���ɧB�C�3�����ɹ�Ф��� ��� q``C�30�頪 ��έ���ί� q``*����ٷ���3��Q�����C�����C�3���O� 7 ��5�}����ɧB�C�3�����ɹ�Ф�˟�۟���ɧB�C�3�����ɹ�Ф��� ��� q`FG� q`G� qF�� qGa������,�,�� qF,/�B��ʾ��� q`w�� q`Fj���ɹ�ש�S��������,���� q`Fj���ɹ�͠�<#�S���������<#��}��/�B)�֟�� q`F.Zs�� q`G� qF�� qGa��� ���,z�� qF,H���ɧB�C�3�����ɹ�ש��,z�� qF*����ٷ���3��Q�����C�����C�3���O�,�7,z�5�}�,� qF,H,����� qFs��,� qGa;�D�,zE��� qF,H���ɧB�C�3�����ɹ�ש��,z�� qF��1�ש1 �;�Z7���ɧB�C�3�����ɹ�ש˭������� qF*����ٷ���3��Q�����C�����C�3���O�,�7,z�5�}�,� qF,H,����� qF,�;�D���� qFs��,� qGa�C����.����� qF��1��C�_���.���7��˟C�7D����+$��7b��� qF���&S@�=��������.�� ����C���*� qF��.�����HV� qFD��/�B���CB�ʾ��� q`��.�����H�n�Y�D��/�B�Ţ�/[� qF�� qFs�������Yn��.�����/ �� qF��1��.������ �� qF��� ZS�D�<#n��;�D��0@6�� qF}����.��� q`���.�U�D��� ������ݠ>��Q��ݠ>����������.��; ����� q`D��/�B���CB�ʾ���D��/�B�Ţ˭T#H���.��Ţ�!��� qFG� qF��1D��/�B�Ŷ�.�����˭C�� �� qFs��D��/�B�Ŷ�.������� qGa@>��� qF}��@>��� q`JD��/�B�C�ʾ����������~���մ�ǟ�� q`F��ϥ�1��I���� �0�@>��nS@� T��.��� q`F@��HD��/�BC� ��7b�7ݠ>����������.��; ���5ʾW��� q``��.��@H��)���@>�����.��; �ED�<#�; ���ݠ>����������.��; ������� q``��.��@H��7��.��@��Ĵ�}���@Ԯ�@�� q``�ն�.��@� q`F��՟ݠ>��������D�<#�; ��� q`F�@>��Hݠ����Q��@���� q`.D� q`F��͢����?� q`F�@>��Hݠ>��Q��7b�7ݠ>����������.��; �����7ݠ>��������D�<#�; �����7ݠ>��������D�<#�; ���5� q`G� q`��1���C���1嬴EbE�@>���� qFG� qF�@>��� qGa@�B�� qFD��� ���C� ���ίʾ@��?��E��� q`J��@��?���C�؟Ÿ��䢭��T#�� q`F��ͽ���3��0�������D�<#�� q`F@��?��� q`.D� q`F��礼 �@�B������?��é�������� q`F@��?�����/[բ/�B@ID�C� ���ίʾ��B���Eھ� q``��.�Hڭ@�B�� q``�ڭ@Ԯ�@�����B������Ο���.�����%��.��; �ն�.�ը�B������B���� q`F��՟D�<#�; �� q`G� qF�� qGa;�D���� qFU��� qF��1�� )���D�<#�7b�������7�����*�@>����7@>��������˴� qF�H@>����?���� qF��1��?���7��%���˟Ψ�_���� qF� qFs��V�}��� �� qFU�������?� qFD���;�D���H����� qFU��@��?����� �� qF��1�� D��D�<#�D���C�� �� qFs���� qGa<*����=)���<*E� �W������ qF�H<*�4�b� qF�H��­�����*�n�-�~������ǟ�� ����4���������b1���7�E�9�9�7E����� qF��1��=)���7���� qFJ�-�~������ q`���$���<#� q`���� q`��1�� q`wD��� q`j���ɹ�͠�<#� q`FNH�C����.����� q`F*����ٷ���3��Q�詟��.���7��ΟC�D�<#��7D��/[��5n�����YY�N� q`FN�T#H ����˭ � q`F��1N����� �� q`.D� q`F*����ٷ���3��Q�ϰ�0�)��<#� �7<*���&7D����+$�5� q`G������ qF.D� q`��ݠ����L� q`NH�C����� q`��.��Nn�������:�� q`N� qFG��n)��<#� qGa�C����� qF��1��C�_��7��˟C�7D����+$��7b��� qFwD��� q`j���ɹ�ש� q`���@6*����� q`NH��B�C�ʾ�����Ƣ/[��� q`s��NnN� q`���*����� q`��B��ʾ���� q`FNH���C���J���C����Ī��ɹ�ש�� q`Fs��N�}�N/ %������Y��N���à��l�����,_� q`�� q`j���ɹ�͠�<#� q`s���C����.����� � qFG������ qFs�������Y� qGa2�@��?����� qFJD���@��?G�֟�� q`��$�@��?HD������� q`�H��$�@��?�;�D���� q`J�� q`FU��� q`FD��Q�"@��?H��$�@��?� q`G��n;�D�� qFG��� @�@��?�� qF�� qGa�é��C�H�ί� qFA9�� qFD��� �����ʾ��� q`��1�7C��7�/[��7����� "4��7����������� "4���7A9���7��;�D�����7���������+$��� q`�1�7C��7�/[���7A9���7�� ���������������į���������E��­����ί��� q`����;�)�����D�<#� q`J���C����Ī��ɹ�͠�<#�۟�/�B����� q`F���C����.���/�B����/[�� q`G� q`�/�B��ʾھ� q`Fw� q`Fj�ڭ�C����Ī��ɹ����S��ڭ�é��C���Fί� q`Fj�ڭ�C����Ī��ɹ�Ȣ.�S���1�7C���F��7�/[���֟�7ڭ �δ� q`FG� q`��� q`A9��� qF�� qGa��*�@������������� ���U�̭�qF����� ���U���̟��ߟ�C|F��נ��12�*=�*_qF?���U��|F���Cq`?���1��q`s�������0��?����8qFN��٦�����������������E٦���������������E٦�����������������`F�٦�������������E٦����������������E٦��������������EТ<���٦�-֟��|`l��n?���1����|`��������3<�=�������:30���C�@_��9�3����&���� ���q`���E���I�������1����� ���q`��� ���U�ŵ��� ���1џ�ɟ�џ�?���1ҟ¯�E����� ����˭�Cq`���2��� ����2��L�C�S��>���� �����ɟ������ ����q`��� ���U���� ���1џ�̭ߟџ�Ÿ՟������F������I�����$�*����� ����q`��� ���U�ŵ��� ���W��� ����˭���|`� �Ȥ ��� �T� �7�����ݠ���_�C�7��� �����9��¯��DT��|`����頪��� ����8q`@���q{`Ga�=AI�@��?������U������=AI��*@6H��@6Q��|`��=AI�H�=AI�Q����Ź���,�������8q`,�q`F���Cq``��ԣU���ԣ�������,��������Ź ���ˎ`F�����6��T� t���ԣ��`N���=AI�ٷ���3��q``�����T�  ������,��������?�1����E��ΰ��ڮq``�������@#���ԣ�T� t�0�����������C�+��q``� ���ө������T�  ������,������C��C=AI��,�q`{``F������ŹC�L�`G|{qF��=AI��*@6���"��������3��H��qGa>"��ԣ��,�����E ���HV�������FiH����;�D������F��������U?��ά���������˟������­̭��A�;�q````F�i��i�˟��?���i���ά����������8q`J���������q`F�����������������������`F�7���������ε��6�"�����7���������Υ��������~`{``�`F�ł`GqFN��ٷ���3��-֟�q`���٦�_=AI��O�7,������7��~`Vq{`Ga6���D�bE �:�Ȣ�����ޫA9���>�Q��q`�D��D�b�F �: �:qF��6�� �����CqGaB����0��qF�2������n�=���=3������ ��qFJ@�=���������Ź0�˭)�֟�`@�=���������Ź0�˭�����0������`ݠ�=�B�ٷ�f���?����@�=��@��0�����E@�=���������Ź����`F�B�0����*�̟����q`Fݠ�=�B�ٷ�f���?����@�=�B��0�����Jݠ�=�B�ٷ�f���?����@�=��� ��0������� ��Y��`Gq{`Ga���? ��qF ���������EL�F<*��H�7����ƴ� ���`JD���N����� %<*��q`FD���D���<*��EL�{`{`GaL�;�ZLE����qFs��VnL/ %���L� �)���Fw����qFj��C>��S��L� ��qFj����C�@<#�S��L� ��qFj���_�S��L� qFj���,?�S��L� ��qFj�������S��L� � �����qFj���������S��L� � ��qFj��� ^��S��L�=��Ī�x%� ^��,6�LLqFj�� ��S��L�=��Ī�x%�Y�ڰ��� D��;�D�LLqFj���ßS��L�=��Ī�x%�æQ���Y�ڰ��� D��;�D�L��æQ��L�j��3<�S��L�=��Ī�x%Т<�;�D�LLqFj���?S��L�=��Ī�x%�?��;�D�LLqF.ZLq{`GaL����O��LE����qFs��VnL/ %���L� �)���Fw����qFj��C>��S��L� ��qFj����C�@<#�S��L� ��qFj���_�S��L� qFj���,?�S��L� ��qFj�������S��L� qFj���������S��L� qFj��� ^��S��� ^�������L�j�� ��S���Y�ڰ��٨AB��:AB�L�j���ßS���Y�ڰ��٨AB��:AB�L�j��3<�S��Т<�;�D�L� ����3<��Y�屭壟�����͔�j���?S���?��;�D�L� ����3<��Y���壔�.ZLq{`GaL� �@�=�bELqFJ@�=���.���T���������Īb�FL����O��LE@�=���.���T����b�F�`�Lq{`Ga��������������� �U�ݠ�=�B�ٷ�f���?����@�=��> �������s��V�}� �1�۟ ��� ������������|F����C����� �������C�������|Fs������C��qGa>"���0������0�������+$HD��/[�T3�qFJݠ�=�B�ٷ�f���?����@�=���=���0������F�Hł`ݠ�=�B�ٷ�f���?����@�=�����0����������������`��H�+$Q�������������`���؟��n��q`Gq`s���q{`FVqGa>�� �U������j� ��<#�=�C>��ҟD ����4qF �U�ʟ4 �1�n �=��Ī�#�>�8qF���0��C���ß�& ��<#�qF �U����*Ϩ�����@#ޫ����� ��8qF�+$HD��/[�T3�qFJ�+$�L4����Ī ���۟�+$���=��Ī ���F�+$Q����������+$�>������� �����`�Vq{`Ga�C�����0��0�zE �U����� �n����������0����=��qFlަ��<#٦�Xܨ������������0��70�z��E�D7@�=�0��T�������کCX���}�@�=�0��T���������Ī0�z� ��8qF���0��C���ß�& ��<#�qF �U����*Ϩ�����@#ޫ����� ��8qF�HłF�+$HD��/[�T3�qFD ����H�+$�>���0������0�zE ����=������� ������@����%�֟�������1�&,��C��O�à��������֟��qF}�D ����-�~�����q`�H�+$�>"���0��0�zE ��J�+$�0����=��Ī0�zE ����`�ݠ�=�B�ٷ�f���?����@�=������D ���������������`���؟�+$�>"���0����������{`{`F���+��qGa � �qF@�=���.���T����C� ����2�� �W����E������F ��Ž���HD���D�������F ��q{`GaL4?@�=����qFL4���.�U�@�=���.���T����D��ʾ��������� ���۟������F������qF�6���.�U�@�=�����T����ҟL4���.��qFlަ��<#٦�X���E����������Z�@�=�����Ũ����=3����� ������˟��.���7�6���.�کC�5��E��� � �7L4���.�کCX����}��6���.�)���GaL4����O�@�=����% �W���qF� ������Ī����۟� ��Ž���/ ����@�=���.���T���Ž���Y����C�@<#qGa0����=��%0�zE �U���qFݠ�=�B�ٷ�f���?����@�=���=���D��/[�T3頭>���0������0�zE ���8`Ga��=��% �U���qFݠ�=�B�ٷ�f���?����@�=���=���D��/[�T3頭>������� ���8`GaT�qF��.�U���qF@�=���.���T������������E�����F��.��Ž���H��Y�٧������������ť����n��Y�٧�����������ͭ�����Ī�����GqF�F��.����.���F@Ԯ�@��@Ԯ�@��T�������F@�=����@�=�����T����F@�=�0�@�=�0��T����C� �����ʾ����������Ž�H�Ź��C���.����;����F@� "V�L��@�=����.�����*�V�T���qGa@�=�����qF �U� � �qF���C����qF@�=���������Ź����HD����+$�>������� �����C����|F�0������qF@�=���������Ź0��HłF@�=�0��T���������0�zE��.���F@�=���������Ź0�˟�؟@�=�0������0�zJL4�0�����%0�zq{`Ga@�=�0��bE��C���.�Wb������.��O�B�HVEb������.��O� �U�VqF�D��.�1JS�� ��0�@6��D��qFJb������.��O�B���۟b������.��O� ��q`@�=���.��b������.��O�B�E� �E�˟}�@�=���.���T���������Īb������.��O�B��F@�=���.��b������.��O� �W���E���}�@�=���.���T���������Īb������.��O� ���G|F�@�=�0��T��������qF�6���� ����r��&��������0�qF�@�=�0��T����b�Hʃ`��C���.����C���.���FB����.�b������.��O�B��F �����.�b������.��O� ����|F���0��<*��1O��C����>��C����zE>"��z����+$�0��<*���b8`Ga@�=�������0���<�����qF�@�=�������0��T&��łF<���������<�����Flަ��<#٦�X�����4L4���0��r7�������������Z�����ͭکCX����}��������������Z�����ͭC���BĪ<�����F�@�=�������0��T&�؟<����q{`Ga@�=�����Ѷ�.��qF�@�=�����T���H��.��+��qFqFL4?@�=����qFqF������� ����r��&@�=������.����C�@<#qF@ �@�=���C�@<#�����}�@�=��D����.��T����C���BĪ�4����@�=�����T����C���BĪ�48qF�����?��0��6��0����.�1��������� �L4rqF�n���&��.�1C�@�=�����=�VqF��S���@�: ������qF�@�=�����T�����������.��FL4?���.�E��N:��֟���n��.����4q{`Ga�� ��@:��T����E3�_H���O�����������@:U�w3�_q`j��������������q`FT������������������@:�q`.Z������ ���O��Ҭ���1��@:�q`FT�������@:�q`GqFŹ�?0�������� �˭����������F��@:�ť���˭���������`���Cq``�����0�q`FN�-֟�q``w����q``j���?0q``Fl�?0ͫ@:٦�E�q``j�������```�lͫ@:٦�E�q``j��� �q``F���ͫ@:�� �_7��~``Gq`{``Gq{`Ga�� B�G:���T�����٨�C��P>��B���ٷ _��G:��~FT�����B�G:����+��������B�G:���FwB�G:��q`j�ͺ����q`F&B�G:��� �՟έ����q`F٨�C��P>��B���ٷ _��G:��7��~`F���ٷ _��G:��7��~`F��������Fj��xq`F٨�C��P>��B���ٷ _��G:��7��~`F���ٷ _��G:��7��~`F������B�G:���F.Dq`Fl�ϨL4��G:�������7B�G:����+$�~`Gq{`Ga���������T������������������ٷ _��������D�~F٨�C��P>��B����Ҭ���)���7T�����c�~FT������������������������F�����������q{`F٨�C��P>��B����Ҭ���)���A��~F����Ҭ���)���A��~Ga�@�������T�����٨�C��P>��B����@Ҭ���)���7T�����c�~FT������@�����������������F�����������q{`F٨�C��P>��B����@Ҭ���)���A��~Ga�������?��?��?H��׹��?���?�N������?ED������ᦩ�)����?�7�?�c�~qF��׹�٨�C���?H��׹�ٷ ������?���q`��?�c-֟�?�c�F�?�U֟Π� _�qF�qF�?��� �qFqF��׹�٨�C���?�A����?HТ��J,�0�頣�F>U������>q`s������)��%�۟�]�J>V�|`��:�� ��O�>1����������:�S��[�,�0�q`��C0H>������������E��먭,�0�� EV�FA�;@H>+���������E��먭,�0�� EV�F���)��%�۟��C0��A�;@qF�`����)��%�۟�����>��GqGa������*�����J,�0�頣�F�������� � �n����1 �N:O�S�,�0��*���0�������q`�� ��������q`����@A��%�۟��������+t�������먭,�0�� E�˯����`�����@A��%�۟����N:��GqGa�� ����qFJ,�0�頣�F���Cq`F���,�0��먭,�0�q`F0��,�0������ �>",�0��`F��먭,�0 �>",�0�q``��������q`{``:��q`F��먭,�0���,�0�q`GqF�`���������q{`F��qGa6����.��L�s�nL/ �s�nL�����������|F��Ϩ�@<#�S�� ����.��A9�qFD���� ����.���A9��|F��ޣ��S���.�qF+�.�i����ê����Ο՟� ����.���A9�� ��q````F����Ο՟L�՟�����8`Ga���� �AB���9�� �ABxE�E�Eà��å�s��}�+�.�à���̟֟�۟+�.��4*�֟�F������9�_�����ŷE�#�>��+�.��4*ҟ��ҟ�à���џ���������````F�4*�à���џ�������2q`� ABH� ����өB��9Q��� �ABx�F� AB��?�������Eà��å�à���џ���������GqGaN�"� AB���.��� �B�����qF+�.�i����ê����YΟ՟�#�>��D���� AB�B����" ����4*�� �՟γΟ�q````F�,?�D���� AB�B����"�4*�3��� �՟γΟ�q````F�#�>��D���� AB�B����"à��å�� 8`Ga����B���E�Eà��åE�4*�s��}���<���Īà��å�۟��<���Ī�4*��H̟}���<���Ī���H̟}���<���Ī�8qF+�.�i����ê����Ο՟�#�>����џ��C������� �՟γΟ�q````F�#�>����џ��C������� �՟����Ο�q````F�#�>��à���џ��C������� ��q````FγΟ՟�#�>���4*�џ��C������� �՟γ�����8qF���@� �����џ�������E��џ�������Eà���џ�������E�4*�џ�������8`Gaé<���)3����E���H̟}���<���Ī���H̟}���<���Ī��+�.�i����ê����Ο՟�� �՟γΟ՟�� 8`Ga� ���"��.���E�E;�U�����H̟}���<���Ī���H̟}���<���Ī��tHʟà��å̭�E�4*̭Ÿ��<�>�;��8qF�����?S�� ����.��A9�qFD���� ����.���A9��|F+�.�i����ê����Ο՟�#�>����џ��C������� �՟γΟ�q````F�#�>����џ��C������� 8qFJ;��Ź�: 3���Y��+�������q`+�.�i����ê�����Ύ�`�+�.�i����ê�����ΎG|F+�.��?�����ê�#�>��tŹà��å˟џ��C������� �՟γΟ�q````F�#�>��tŹ�4*˟џ��C������� ��q````F�����Ο՟� ����.���A9�� �՟�����8qF��s��}�+�.�à���̟֟�۟+�.��4*�֟�F�������"������� ��Ȣ.��Ο՟� ����.���A9�� �՟��Ώ�```F?��#�>����џ��������E�#�>��+�.��4*�џ��������qF�```F�#�>����џ��������qF�```F�#�>��tŹà��å˟ǟ��џ����������```F)��#�>��tŹà��å˟џ�������J+�.�à�����qF�```F+�.��4*qGa@�N:��O�O�?E B�Et����t�B��@�N:"��*���D����+$�@�N:���t�O�O�?E B�ET������d8`Ga��3������qF��ͺ����qF����+������ʟ����z�����z�=��Īͺ����%���z����z� ����|F��ܨB��A@���� ��Zө��C2���ú��:������+������ʟ����z�����z� �������EΧί� ����qGa����+�������������������������z�F���zH�����0�����z�F}����zY����zq`F��Ũ��z�H��ũ��z�`F���B����z�{`{`Ga<*����=)���<*��E� �Wۧ����@ �����qFJ<*��� �C���B%���q`<*��H<*��� �������E�ί� ��q`s��Vn����%<*��q`���<*���H ����qF�`�s��Vn����%<*��q`���<*���{`Ga��*��Î<�>�H�tQ�����<�>��í �ï�<�>����������U�����������qF<�>��D����@ ������<�>�qGat� �A����qFA���U�łF�t���3�������;��頣����������E;��頣�����FJ�tŽ��˭ Y�Υ��q`FA���������7;��頣�����~`.)&�tŽ��˭ Y�ζ]��q`FA��������Ҩ��7;��頣�����~`�`F�A���������7;��頣�������7����~`Gq{`FA������ßԮ�����A���کC�Ο�8`Ga<*����=)���<*��E� �W�����LHCO�r�<*���|FJL/ �F�����qF�`�Lq{`Ga2��,6qFlަ��<#٦�Q���������V�J��/ �lަ��<#٦�Q���������������J���������|FD"CO�r������ڡ����Y�����׹��9���Q���E�9����t���98`Ga���?��t���E�����������t�tE����n������rq`����������r����?��������rE���� �E����E�T�dEV�F�é�qF�`��é��q{`Ga�é��qF�����C������z�l������C��� ��~F�����H����������r��������� �E����E�T�dEV�������rH����Ϲ����C�Q�������E<*��������� "9@����é�qGa������t�t����t����ʟ����EL��D��7����ƴELJN����� Ī����qF��.��D��J�������:�qGa9,��� �:H� �:��s��}� �:|F@ ���H�]�|F�@�=���*���T��F@ ���HT���@�����������E �:q`J@ ���q`FT������ß��� ����E�q`Gq{qF@ ���qGa,���3<�VE�����:���=�����@0,����|F����U��@�=���*���T��FJ3<�q`F�T������� ����E3<�� ���/ �F�`F��T�������� �����/ �{`{qFs���]}������|F �:H� ��2��à���펿 �:���ê �:��@�=���*���T��FT���6�����������E������T��E �:�G|Fs�����.�� �:E����8`GaL4�OA��Ī���?;���Fs����n����������(����A�tŹ>���|`N����q`�A�;���������EL�`J���?;����Ī����۟���?;��Ž��˟�Lq``N���]�q``�@��q`{``Gq`N���qFGa���?L1������A���=�젥�����޵�͢�q`��DS�;<�1�&� �������u�?�S�G�O�L4?�q`������3��Hł`����������(���O����@� ʾ���������Ī�� �������u����������`�������";<���������3���{``������3���T�?�����������(���O�������";���F����������(���O����D�ʾ���������Ī�� �������u����������`�������";<���������3���{q`LU�;��q```F��@Ԯ�@�����������(��� B�/[�9B��A@�```���������Ѭ�����3��8q`J����������(����A��۟�L4�OA��ĪL��`l𺨤���ͫ��(����٦���ϨL4ଠ3��X�Y��������?����� �7�A�;�������*=��A��~`G|`L�qFGa����x� ��ê�����F��å�����Ǹ�*���A�Ǹ� ǣ���������(��Ǭ�����9�A�����Ƕ��B̠���������7������9��߶��ɠ������̣�q`��� ���������3������E���*=�A�����q`��ө�I�����³AB�(��� �ʽ���´EAB�(���q`���������γί�����ʾ���������ι��������*���� ����ʾ�EN��Nż�����H��+��Ga�A�;��q`s����n����������(����A��/ �|`w����������(����A��q`j�ަ��S�q`F����������(����A��������*���� ����2��LEN�`FJL�=��%��q``FL����ʾ�E���NŽ�H��`F��``F�N�L�H;���L�``Gq`{``j��ßS�q`F����������(����A��q`GqFGa���4�����?uz��T#8qF��BU�T#��d�ǣ���<ſ���b�5|F��B�����*�CB������BE��F��B�?�������bί�LH�����7��~{qGa,6������b��� q@6��H������@6����b��� �� q@6������������b�� qF,6������b��� qG� �FGa�?�t������ ��t�@Ԯ�@��:�|F��������5��F�1�;���:�C�?��������礼���������~`�����qF�|F�*@6T�?��;��٨�C��,6�����C��?�t8`Ga�=;��A���E� ����*@6U�łFD���A���E� ��qF�*@6���ʟ�*���*��کC��qGa�C��c������cU���e�کC�d�Š��� ���ED"�,��������|F��� ����;�3]qFc@� ʟ����e��:[���� "��*ĪΧ��qGa6��c���+$���D"���+$qF�C��c�������������d�F�+$Q��D��Ed�GqGa����������ΪΟ՟�������ʾ���EL������ �՟ιΟ՟TI" ��L�L��کC�γ�՟ί�qGa:�CA��qF)�dHe�کC�dE�)�qFe�3��k���)�d|F������ݤ 1����C�c�qF𢦭K7�>������7>���)��q`廪����T�����C�T�������ݤ��c������P����������` �>e�کC�)�dE��|`Fe�3��������E �>�|`F��3���P��E �>�������������γ�Ύ{q{qF��ݠ �����qFe�3�����&�>����qGa:�C����(��qFe�3��k����>�����𢦭K��>����2q`N���Z�:�������� 1����C�����7>����� 9 �ң�����d�)��ҡ�����9���Fn�N���D�!�������`�1N���D�!q`F����������������ä�S� 1>��C0����*��>��C0�� ��~`G|`��ݠ �c1��@� ���*?� 9� � ��O�Sq`���åһ����ݤ 12��<#r�)q`@ �廪�� ��1 B�1D�1�.1ک�1����������ʟ����e�کC�Τ���E��q`@ ���T�?�廪���������>����?������������ʟ����e�کC��T����E��|`@ ������ʟ����e�3�����&e�کC��>�E�)�E��ED������GqF|F:�CA��qGa���T#HVEtHVEå���tHVE����qF���t��؟ܢ梵鹹ܢ������������2�����ө����:�����2���C�Q��T#EtEå���tE������@�B�qGaA����?��CB�HVEtHVEå���tHVE����qF�A����1�؟ө����Q��i�CB�EtEå���tE����8`Gaà6���A����EbHVqF�A����FA����qFB�����U�ť��+�à6�������B�����W���+�à6�������B���������3�@A��E���+�à6���������3�@A��Eà6��z�b��F�b`ܢ梵鹹�3�����#���r0��rQ�����+�à6������� B�EB�����B�����������+qF� �%%� ���3�qGa6��å���i�bELH��qFå���tŹi�H��nå���tŹi�/ �LHL��C����Ī�x%L�����LqFå���tŹi˭���?�����bEL�8`GaA����:"å���iqF��Щ�������ڡqFi� �>å���t��������E�i���������E� �>����t������BE� �>��6��å���i�� �>�Ei� �>�}?�� �>�/ �|Fi�T�����Hå���t��������E�i���������E�T��������t������BE�T������6��å���i��T�����Ei�T�����}?��T�����/ �|Fi���3��Hå���t��������E�i���������E���3�����t������BE���3�������å���i����3��Ei���3��}?����3��/ �|F��Щ�������qFi������U�å���t��������E�i���������E����������t������BE��������6��å���i�������Wi�������}?�������V�qGa=� ��T#EtqF�T#Ź ��nT#��C����Ī�ï����tŹ �˟}�t/ �8`Ga�����T#HVEtHVEå���tHVE����qF�����Hܢ梵鹹ܢ�����������r���ө����:�������橣�Q��T#EtEå���tE������@�B�qGa����T#HVEtH��Eå���tHVE����qF���1�؟ܢ梵鹹ܢ������ө����:�Q��褼Q��T#Et�� ��������@�B�E��Eå���t8`GaA����:"å���tqF������<�>��F���3�`�tŹ���3��F=���`�tŹ?��Y���=����FC���B��tŹC���B���F�������`F�tŹ�������F�8`Gaå���T#HVE����qFJ����/ �FT�H�LD���E�����C�_�F���1�؟T���������������`����1�؟T#q{`Gau�T#HVEtHVEå���tHVE����qF���1�؟ܢ梵鹹ܢ������橷��ө����:����� �ϱ�>Q��T#EtEå���tE������@�B�qGa�������T#HVEtHVEå���tHVE����qF���1�؟ܢ梵鹹ܢ������橷��ө����:����� ��=�򦩮�Q��T#EtEå���t�� ��������@�B�qGa(���T#HVEtHVEå���tHVE����qFtET#HCà��"t�T#EtE�����(��Hܢ梵鹹ܢ������橷��ө����:����� �ȩ��Q��T#EtEå���tE������@�B�qGa�����T#HVEtHVEå���tHVE����qFtET#HCà��"t�T#EtE���n=� ��T#Et�FT#H�T#��������<�>�A�+�Dt��������E�A�+�D�E;@#�A�+�D�tŹ;@#�A�+�D˟�F���1�؟ܢ梵鹹ܢ������橷��ө����:����� �橣�Q��T#EtEå���t�� ��������@�B�qF�`�tH�t��������<�>�A�+�Dt��������E�A�+�D�E;@#�A����D�tŹ;@#�A�+�D˟�F���1�؟ܢ梵鹹ܢ������橷��ө����:����� �橣�Q��T#EtEå���tE������@�B�q{`Ga���T#�@A��EA�qFT#HA��A9%@A���D���A��i�CB���A9@A���D���A��i�CB��}�T#/ �FT#HT#���3<�A���?O�?````F�}�A���?O�?/ �FT#H��� �T#E��3���C� "��A����E@A��}�A����/ �FT#HA��O�?��0�����@A��W@A��```�}�A��O�?/ �GqFT#H�����A�E@A��ET#E�t��@�B��}�A��/ �T#qGa�����T#HVEtHVEå���tHVE����qF�����Hܢ梵鹹ܢ�������=����ө����:�����=�橣�Q��T#EtEå���tE����qGaà6���T#HVEtHVEå���tHVE����qF�à6��Hܢ梵鹹ܢ�������=����ө����:�����=��6��Q��T#EtEå���tE����qGa;���:33�:33�:33������:3���F������6�:33q`���}�:3���=��Ī���۟:3��Źd�|`dH:3��Źd�`Je������%dq`F�����������:3��q`.)&e�K ��%dq`F�����K�:3��q`.)&e�c%dq`F;���c�:3���:3��q`Gq{`Ga;�������qFN�"?�qF�����������FJ���d���=��%�#���������d���Ź����d�Ee�@6�����Źd˯�`��Źb�H��Ź����d�`F;�����������:3�����q`Gq{`Ga;��v��:33H�#����:33������c�qFs�n:33�������|FN�"?�qF;���:33�:33qF�� ��K�F������"Kq`;����@#�Kq{`Ga�_� �������}���/ %��������q`J����â�"�=q`F���Cq``�H������������Ĵ�־�ߠ��E��������q``��:AB���â�"����E�CL4-֟�@M��E�9a�֟�@M��E�@M��֟��������q`FN�-֟�q`{``Gq{`F��˭;���Τ��8`Ga���K�:33�KH��@#�K�𢦭�,��KŹd˭�������������������E��������՟���ί�����ʾd���ddE3<e��3<�d�Ebe��:[�d���qGa�������)��qF���������Fl�ݠԮ�@��3��X��3���7���=�@Ԯ�@��n��@Ԯ�@�%�۟�N������Ī�� ��8q`���J��@Ԯ�@��}������%����N������Ī�� ��8q`�� ����H���&S�(�,�_�t�=�@Ԯ�@�7��E7��@Ԯ�@��}�کC��Eί��|`l�ݠԮ�@��3��E�� �����}���@Ԯ�@��}��%2������`�N������Ī����{`{`Ga ��3�����l٦�X��3���=����ଥ��E7���+$����������}���=��Īଥ���l٦�X��3���7�� ����=�0@6���D���n����������D��C���BĪ�� ��8`Ga ����� ��d�l٦�X�7d�Ο=������ ��nd���=�%�۟�d���� �%����d�;@#���� ��qGa ��cv��1��� �_�7c�����nI��Z���qF����.�� ������D;���������@�����,�r1������qF�He�@6v������5|F����U���qF�������*�CB������ECB��F�=��.�H�=��.�����������F���J�=��.��������|`����U��]�q`��C"�=��.���=��.�ECB�E���G|F�����qGaT���qFs���T���n�T���|F�T���H@6�.��T���������ק����ק���������َ�����T���H@6�.��T��������������ק����������8qF@�"����?�T���Ŵ���3�� ���E�����T���Ŵ���3�� ��˭ ��8qF�����T���Ŵ���3�� ���H�T���Ŵ���3�� ��˟՟�����T���Ŵ���3�� ��˭ ��qF�����T���Ŵ���3�� ��˭9���|F���I�4S��,�0�L1���S�,�0n�N:�qF�T����<�>䪫����T���8qF�T���qGa@�"����?������E����Ɏ����?H����Ÿ�����qFs�n����?�������|F�B����1�� �_ȩ9���3�� ����?�C�S�,�0��3�� ���q`��7����������ק��������������~F����?����ʟ�����?����B����1�F7����?������B�����qGa@6�.��T���v�s�����}�e���=��v8qF�1�ש6_�T����c��7c������nI��Z���qF@Ԯ�@����~F�Y��׭,6�cv8`Gac�� � �qFcU�T���Ŵ ��˭@�������ʟ��E�����՟�Š˜�T���Ŵ�����˭@����v�ʟ��E�����ҟ�Š˟�qGa��.�qFs�����.�n���.�qF����.��=��3��0��G:��E���S��=)���w���.�qF���Cq`@Ԯ�@��.�~FN��ש6٦�q`�B����1������ݮ���>�����.�=���C0��~`����q{qF��C�30���.�qF���.�Hޡ�.�Q�:��͔����.�����>���� BHޡ�.���������qF�����S����ן �1C�S���qF���.��D"3�� B�Xå��5|F���.�qGaL4��c%cbqF������U�Ŵ�ôX���X���X����X�������X������F������������������Fs����ncb/[�G���*%������q{`Fs���]�qGaT������qFD������� �� �>������ �>��F���Cq`F�� �>�������� �����q`F������N������q`FN���� �>��N����� �����q`F���}����q`N����*��٦�q`F����q`G|`��@ �驱���� ��c�q`����c��@��@��������c�`���Cq``c�@0�dq`FN�q``����c������� ��c�``����cB��� ��cJ�� ��c�c�@&�cq``Gq`{``G|`N������c��@��@��������c�`���Cq``c�@0�dq`FN��``N������c������� ��c�``N������cB��� ��cJ�� ��c�c�@&�cq``Gq`{``G�|`@ �_U��˟��b��&D��1��_� ��@ ���������S� �>�q`6�_U��˟��b��&D��1��_� ��6B�� �S� �>�|`D��� �>������������D��z�` �>"bU�D��� �>���D��z�`FJ�� �>"bC���BĪ �>�/[�`F@ �_1�؟D��zn��@ �_C���BĪD��z�`�``�6�_1�؟D��zn��6�_C���BĪD��z�`Gq`G|`D���c�@��@��������c�`@ �_�����D��z��`F���J��D��zC���B�v�;@#/[8F``F����c������� ��c�``����cB��� ��cJ�� ��c�c�@&�cq``Gq``N������c������� ��c�``N������cB��� ��cJ�� ��c�c�@&�cq``Gq`{q`F6�_�����D��z��`F���Jc/[�G���*%���~``���J��D��zC���B�v�;@#/[�`F��4H�AB���ڹ���4���*z7 �>�/[��7c/[�~``���@?���c��N��c�}�T���������A�� ���q``JD���L4��c�v�``����6��c�@��@����*���4vE��p���`F�``F�N������6��c�@��@����*���4vE��p���`{q`{``Gq{`Ga@ �D���qF@ �_U�D���,�����1ҟD���D������qF@ �_�����b�F���ݠ �_�7b���7D���,����b˭If����@�q`KbHe�کC�D������dX͠����Eb�Fe�3�������Kb�GqGa6��c�@��@����*���4v�@�E��p���4�����?H�]��J���4�����?��۟��=3��H�� ��cv�@��F��=3��qF�`��� ��cH���� �Q����*���4����� �eE��4�F�� ��c�c�@&c�@�q`cCD����E�� ��c�F�� ��cq{`Ga����@��@����*���4�dE��p����@����������������eݠ��@��Ȥ� ��Q��c�@��@����qFdH�?�bQ��d�@&D������� �Q����*���4����eݠ��@���E��4�D��� �@���؟@�qF򦩮;��.����D"d���*���@��@�EdE����@��@��D"+�������c�����|F���������eݠ��@��Ȥ� ���T���B�������O�c�@��@����qFJ@��d�C���BĪ��ΎF@�/[H@��d�������ί�+�F`GqFJe����b�@��d��2��w�έ�<���q`@��C���B�C�CB�HVq{qF@�qGa������*���4��+$E��4�J�+$�=��Ī�x�F�+$H�� ��T�>���+$�GqF��� �+$Q��D��E��4���� ��C�30��B������qF��� �qGah:3�?��qFtHh:3�r������0��D��E�t��t�<�>�t��:��T���������à6��H�����à6���qGa������� �W����8`s��}��������:�|����?���������ө�+�D�����������?���E ����|���CqFJ���� ���Y��`C��� �������`������0��D���Gq:��qF����?���������٨����qG�FGa������� �W����8`lަ��<#٦�X����������:��}����|����?�������������������?���E ����|���CqFJ���� ���Y��`C��� �������`������0��D���Gq:��qF����?���������٨����qG�FGa3<�+�.E����8`lަ��<#٦�X����������:��}����|����?����3<�+�.��|���CqFJ���� ���Y��`C��� �������`������0��D���Gq:��qF����?����3<٨����qG�FGa �ڡ��q��H�x��Q��5|����؟���譄�4� �ڡ���������؟D����+$/[� �ڡ�������|�i����ʾ���EL�����؟���� �ڡ��� �������؟L� �ڡ������~�|���D�����E�๹����K����8`�������|����_�FGa@M������8`J�xY���qF�i�@M�������;�D�����8`�F��i�@M������8`G�FGa������� �E����?����EL�EԮ��̧��̎L4�93�����H����������ŴN����˭à��՟��qF< �iH>"< �i+5ŴN�����FIfH< �iŴIf��F�C�4HJIf�頦��```�< �iŴ�Cϣ��```�.)&IfY��q```F�< �iŴ�Cϣ�´�```�GqF�����3��H�����3��Q��������3������EL4�93�����L4�93�����E�C�4�C�p  ELLEԮ�Ԯ�EIfIf�D��������3��������3��E����?���8`GaT�qF� 6��Q����2��� 6���F� 6���à6���Ŵө#:��к����H�����r�ڡ��~`� 6���@�F���:AB����O��:AB����П;��q`� 6���6���F� 6���B����"6���������@�1��*�蠥������q{`Ga����;���<*��Eڡ�����������Ч�������E;��������Ч������E4������Ч����Fڡ�����ڡ������F44�F<*��<*���F;��;��qF�� �ڡ��qGa�0������<*��Eڡ�����������Ч�������E;��������Ч������E4������Ч���T����ǴE����;���<*��Eڡ�����ڡ�����E;��;�W44�8`Ga;�D��qF�H��ϭ;�D�����éH��éqF������qF����iiE ��X+�ˎN��N�ŴN�����|FiH��3�@ �à���@����N����˭;���є�s�ni/ �|F@HBAB�����������EiqF@���*Y�Ÿ%@�����@qGa�?��@�N: 3������N���D��������𩟻ä���A��3����&��� ���JN���D������=��%ަ�q`�ެ��:���ө��3��Q��N���D�����E�à6�����`��ެ��:����#�3������� ��N���D������GqGa,6�@+3���@+tâ�E��)3��HV�J��� �U��N�������������B��E@+tâ��F,�rH��)3���%��� ��Ŭ�)3��˟��� ��q`���Cq`F�ެ��:���ө��3��Q��,�r�FN���ެ��:���٦�����Dq`F,6����������@+tâ�E��)3���{`F�`�,6����������@+tâ�E��)3���GqGa@;�����ƹc�� � � w���� � � j��c�� � � � Р��c�:�Ω�@;����������� � � � � ����C B�� � � � � @;����)���������� � � � G�� � � j��<��;F�x��:��έ���E�<*����@;����)������8� � � .Zlަ��<#٦�X9�������������_�7���C�� ����� � � G�� � Ga,6�� � � ���0���1@6���ɟO�S�à6�������nS�����)�G1�����_����@#��� � � ����?�ä��:1 �S����9��?�:����� S@� @�$�:���IJ� � � ����@�C��� � � à6������H����@6���ɲ� � � �à6��H�6��Q��à6��������� � � �������������?��� � � ���?Hް,�rФ���梸Q��D���� � � ��?��CHà6��������6�������Z٭��!�9;������β� � � ��?����H�à6�����? ���� � � �à6��/�����?�3<12�� � � � ���U����?�@6�ű�?����˯�9;������β� � � � ��?����H�,����� � � � ��?��C�������� � � G�� � � ��������)��������?�C�S��������IJ� � � ���?�,6����?�@6���?��C��E�à6��/����?�8� �� � � ��>�����C�O�@� ��E@6���ES�����C �9�1��,6�S�� � � ��@� ���:�����D�3�1>��ҟ�D�� ���?��������à@�������̲� � � �K:�U����?�@6��à6���K:" ��� �:�������9�E�@#�����Zٯ��� � � � ����ʟ�����@#Q��D��E������ � � ������@B��������+C ����@��� � � ����1 ���C���<��C���&�0�����C ���@��� � � �� ��*?��I�*_�=��=���?��E��?� ������� � � ��)� �����*�S����1�&S�c��� � � ����*C�_��& �_�*=� ��@#� ��@C�6��� � � �+$��؟�K:���� � � � a ��@4��̲� � � � � s����n4�Y��@#����в� � � � � �HD���4�˲� � � � � ��@���� ������ʟ� ����؟ ����� � � � � l��?٦�XK ���7��C�� ����D��������n��4��� � � � � ��4�H4��� � � � � ��@�����@�՟ţ˟՟ ��@���Q��8� � � � G�� � � G��� � � ���H�K:� ��@������� � � �K:�@� ��ʟ�������4Y�̟��� � � ��)��*=�� �_���������E��1��@0������ #��=���߯��� � � ���������A� �������� 1 ���ݴ�������������͟���â��<����� � � �����<��C���&����ퟡ����E���A��� �����]�����6���<��ڢ����� � � �ש��� ����b���7���/[�C�� ����}����/[Y��ݩ��#��β� � � 9�D�H�K:�@� ��۹4�����*�� � � ש��� �79�D���9�D��@� ���n9�D��̲֟�� � � ������ٟ�����@#����Z�à6��/���?��â����é����� � � ��ñ�����������������<1��?������������CIJ� � � ���â� B� ��Zà@IJ� � � ����cH�>�����頤�Q�����?E��������-֟�����������E�)��֟����)頲� � � ���?Hް,�rФ���ͱ0�Q��D���� � � ���?�,6����?�@6��à6�����? ��8� � Ga��:"���� �������?H��̎���� �H���:��� ����Ψ����r�˟������:��� �����B�����3��΂FJ���� �/ �F������:��� ����Ρ����˟������:��Ϋ:�����b΂`��:"T�š���E���:��� �����b��˭کC���ΎF��H���:��� ����Ω��˭���q`��H�����*�֟�����?�%���̭������?˟՟έ��Ο��q`���� �HŠ�:"T��E��˭کC�ΟΎGqF���� �qGa��� ������E�E�E�E�E����H���¯�ѨqF��H���¯�Ѫ��Ž����՟��ѷ�՟�Ѫ�Ÿҟ¯Ѫ�ѻ�՟¯Ǧǟ��ѥ�ѷ�ҟ�Ѫ�Ÿҟ¯Ѫ�ѻ�՟¯Ǫ����՟�Ѭѥ�Ѫ�ѻ�՟¯Ǧ�՟�Ѫ�Ÿҟ¯ѻǦ�8`Ga����L���9�H�.������Ϧ��.���Q��L���$Hş�9����1�F����������9�E�$��$�̂Ga�����=A9�E�ö,��� �H�|F�ö,������*�CB�����ö,�ECB��F �����ö,�� �&ǟ�Ÿ�=A9�� ���џ�CB��՟¯�G|F �qGa�����E���E��E��H�EG�����C�_H�E��$H̭�̎�$H��$qF ���H ��qF�,Z�]�|F���Cq`��H��� ������$E����E���E��E��EG�����C�_�F���"�$H��$�ҟ������9���̎F���&����"�$�ҟ�$�����q`�,Z���&؟ ���q`�$H���"�$qFG��� �,D|F���"�$qGa����E����E��E��H�EG�����C�_H̎��H�Ÿ՟�џ����qF����Ÿ՟�џG�����C�_џ����ҟ�ǟ|FҪ���՟���џ��ǟ����qGa�����E���E��E��H�EG�����C�_H̎�H��џ�Ÿ՟�џG�����C�_ǟqF��H�?íP��Ҷ��՟�ǟ����՟�8qF���ǟ�?íP�Ÿ՟8`Ga�����E���E����E��E��H�EG�����C�_H̎��D�������E����E��E��EG�����C�_���HD������E�����ҟ¯E���E��EG�����C�_џqF��HG�����C�_Y�Ÿ%���ǟ�Ÿ՟��|F����Y�Ÿ�۟G�����C�_Y��%̭̟��qGa���?�������EL��������� ��������FJT#�`6�����EL�F.)&b�`���/[HLq`.)& ��`L��������`F6����׭6����B����Eb�E��`Gq`�`F�6����׭6����B����Eb�EL�{`{`GaL4?�� �W�����L4r�b�B�����ECà�����ʟL4?�� �W������qGaL4?��O��������H?��������|F��à@�=�S�*_�ú���칹ܨ�����04?�@Ԯ�@���� �ҩ�@A��� ����������%]�E�ú�������� �D�qF��S��+$%����������������� �;$��L4?���ß�&?�������>���������1�íqF��S��+$�O�S��CB��A������S���C��@�������S�@A����DC�S�L4?�C���D�&C�S��0�� ���L4?�qF@A��HO�� B��O���������������@A���D��7�������ƴEO��D����������8qF��+$H@A����+$���*=�=����0����C�S������ҡ������D����<*���qF������@A���� ����N�FO�����6��������E@A����������+J@A�������N:��GqGa0�qFHłF;>H�qF����0�H��|FJ����������Ī�;>�F;>H����Ź;>�`����0�H�]�q{`FqF�� ��q`N���Z���:��>������������E�����FiHN���D�����ſ����������`Fq`J�i�������`i����ʾ������؟�����Q�������ڡ������ �ڡ����q`Fq`FJ䶠��0�q``�@��q`F�``��à@�;>;>��Ž`GqFF�`F��@��q`Gq{qFs��qGa�C��4�N���Z���:��>�7������������74���� �N�������������̭���!qFJN���D�����Ņ �N����/ �Flަ��<#٦�E������(9��q{`FqF����Q�������ڡ���N���D�����Ņ �N���˭ �ڡ��8`Ga ��P�qFD����=AI�}������B�����qFs���˟}������B�����|F2�H詽���������ת:å�����7�����B�������7ͩ�����������?��� ��P�5�2���d�����Z����+������Z����+���ί���������B�F��P��BQ����B�GqGa�=AIqFN�����ṹө���<�Q��D �D�����������Ү������B������Z����+������E����������E3<��3<�E� �+�����ʾ����Ź;���Ŵ�д˭�?���Z����+�����������B�����HN���Ź��Ga;���� B�������HVqFs��V�}����������*�֟�|F������H�C��;������n������/ �|F;�����IqF�������������+���F���J�+����4Y���������4q`�+���کC�������q{`FN��� ��P�qGa$��T� ��������E�E3<��$��T��:��׹���׹����ө#���Q�qF$��T���D";���$��=��Ī��%$����8qF$�����``FH�:��׹���׹����ͩ����Q��������E$��T���$�������ébFH��ézqF$�������������,Z��|F���Cq`J3<�Y���q`F��Т<���&�Ÿ<1���O�I�O���T� 3��q`F$�������T� �q`�`F�6�ТH��T� ��ן��^��� ��*��7�� ��7�����3����+$��ʠ����3���<$�>�~`P>������<$�>nN����� Ī�P>��Flө�� 3��Ȥ �Q��<$�>E�� E�����3���G|F��㠦����ᠠ�����3���?�qF$��I����$������E�J$��T���I���� B���:��׹���׹�������Y�����qF$������qGa�����"����iE3<��J3<��؟�`�����������i��`�6�Т��� ������Т<������73<���DT���nN����� Ī�P>��l⦢Т<�Q�Т<��������73<���DT�1���_� ����� �7��5qN��ͺ���0�٦�E��٦�-֟�����3��qF<$�>H������ө�� 3����� �� ���3��� ��7�� ��7�����3����+$�7�����3���<$�>�~FP>������<$�>nN����� Ī�P>��lө�� 3��Ȥ ������<$�>E�� E�����3��8`Ga�����"T� ��������E�E3<�������"�Hͩ�����;�����6���C�����E������8qF��Т<���&�Ÿ<1���O�I�O���T� 3��qFs���������T� �������"�J3<�Y���|FB6�ТH��T� ө�� 3����� T� 3��� ��7�� ��7�����3����+$�7�����3���<$�>�~`P>������<$�>nN����� Ī�P>��Flө�� 3��Ȥ �Q��<$�>E�� E�����3���GqGa0����s���]J������/ %����,D��|FJ��D���š������EVEVE̎F䡩��������%N���]�qF�`���q{`N����٦�qF�]�qGa�,DqF��������,ZJ������۟䡩������,D��������HVqF��HVqF��qN����٦�-֟�����3��qFP>��� ���٦��j�?��3��� ��,Z������7�����3����+$�7�����3���<$�>��nN����� Ī�P>���]�qGa@6���*E������HVE3<�H@6�3<��JN����� Ī�P>��F;�,6Hʵ����*E3<�3<��q`P>���:� ��B������@6�E;�,6;�,62q`Fi``FH�����"@6���*E������E3<��`���*����.�]��P�S�@������?�q`F;�,6Źi�HinP>������`iq`GqF�`������"@6���*E������E3<��GqN��ٷ���3��-֟���qF�,ZJ�,D�������qFl���qGa����iE3<�H����3<��iHi� qFJN����� Ī�P>��F;�,6``�3<�3<��q`���*����.�]��P�S�D#?�q`;�,6Źi�HinP>������FP>���:� ��B����������E;�,6;�,62q`F;�,6Ź����H�����"����iE3<��{`F�`������"����iE3<��GqN��ٷ���3��-֟���qF�,ZJ�,D�������qFl���qGaT� �qF "3��C(�<$�>�ө�� �� �7���E�r�Т��N��ө�� 3��Ȥ �Eө�� 3��Т<�-֟�����3��q`���Z�����3���=��Īө�� 3��Т<�%�����3��������3������Dq`��ݠ���Ҥ��FJD����+$�@T� "������C���BĪ���D��+$���۟�@����؟T� "@����A9�� ���`@������q`FP>��� ��T� Ȥ ��� �T�  ����&7D�IکC�γί������_�7T� "@����C�L��ݠ���7@�����nN����� Ī�P>��`����T� "@����C�L�`@���q`�`F�<$�>H��T� Ȥ ��� �T�  ����&7D�IکC�γί������7@�����@�����7�����3����+$�7�����3���<$�>�~`FP>���:� ������<$�>E�����3�������3��E�?����Т��`lө�� 3��Ȥ �Q��<$�>E�� E���D�{`{`Ga;�D�����b�d�;��U��?�bQ��d�����cb� ���@ID�qF���C��S�+�D�<#���C�A� ��D�<#W�0������� �S�+�D�<#�qF;���C��ʾD�������������������D�˟�����;�����qGaD����@��_qF@����H��:��C����```F��?������������@��_�����˭�������$��E�å���Ύ�@[�H� 2���ͥ@��_���:�Q����@�����```````````�� ��� �:��������K����8`Ga<#����i�<#�����<#����iH�F@����4<#����4�F�=�� ���<#�����=�� ����F��� ��<#������� ������F�4<���<#����D�)3��ďF<#����<#����<#�����F��A9�<#������A9�q�Ga�9�@���qF�@[���D�������?��F���}����?���C����%� 2��������r������?�������<#����|`��*=����������T#��0�1����C�6�`���?��?��+$� ����L�ʟ0��<*����T#E������n�����å��|`<#����i����?��?��q`q`J�������:�`��.��D��E���?��?���F�`F�����@�����0��D��E���?��?���{`{`Ga@������E�t�tH����t�FqF���7�<#����iŹ��A9�˭������7�����`��ѿ<#����i�<�>�t��@� ʟ���`F��Y��<#���1��Y����A9�q`F��8`Ga�9�C��qF�@[���D�������?��FJ���?���C����%� 2��������rq`Fq`Fw���?������q``Fq`Fj��<#����|``��*=����������T#��0�1����C�6�``���?��?��+$� ����L�ʟ0��<*����T#E������n�����å��q``<#����i����?��?��q``����@�����0��D��E���?��?��}�����@���/ �`Fq`Fj��@���q``���������0��D��E���?�}��������/ �`Fq`Fj�ζ�����q``����������0��D��E���?�}���������/ �`Fq`Fj��(�,��q``����(�,���0��D��E���?�}�����(�,�/ �`Fq`{``Gq{`Ga��;����������E�t��U�����t�F��U���������W�B�����Ύ����0���������� Ŧ��˭�+�������```F���@� ʾ��````�Y�����q````�8`GaD������������dqFl�ᦩ�4���d�����@� ����}�𢦭��=�ĪK�d8qF���� H��qF𢦭:�K�d2��K�FK������c�`����������@#���;@#��q`F���Jc-�~��������|`F��@6�S����c�C �S�c1��q`F���� �c�����έί�����-q``���� �����;�D�e�@67K�d��7c�5��{`{qF������à6�������������<#�������qF�FJ�ä���@�������cqF}����� ��@�����/ �F���@����ʟ���`��@������*�<#�������B�������E����@���Ύ�{`Ga,��������)�.�䪱����9�3�<$�>���*HD����+$��=M��A������<$�>8qFJ�+�@�B���4*�֟<$�>���*q`@��C_��4*H�+�@�B���4*�ҟ<$�>���*q`<$�>��ΟΟџ@��C_��4*q{`F<$�>qGaP�<$�>���3頣�<$�>H<$�>���������EΟΎJ2���F������3頣�<$�>��E�]��Fs�q{`F��3頣�<$�>H;2���3頣�<$�>8qF������3頣�<$�>��E���@�B�qGaqF��@:���n�=���������qFJ�4����۟�+�@�B���4*���`�������Y������é�E�]��GqFs�n2���@�B�qF� �%� �����E�]�8`:��qF�<��� qF����H��qF���������8`Ga�C=�qFs�n2�����@#H ��}�����4*qF@�B�qF� �%� �����E�]�8`:��qF�<��� qF�2���|F��@:���n�=���������qFJ�4����۟�+�@�B���4*���`�������Y������é�E�]��G|F������2��8`Ga����iE� ����H�]��s��}����%����������� ���C0|F � �����q`�����C�����Y�����A�����¯J� ����q` �����CH����3� ��CD��D��J����3� q`�����C�7 �����C�7i��F���������q{`Ga � ����qFJ����3� q`�����ݧ����K���������2q`FJ�����@�B�q``����H����3� Q�"���q``��.�n�������:�`F�����C��~``�����@�B�H�]�q`F�``�����H�����3� ����1՟�ҟ����q``�����C���Y���������q``�����C���Y�������������`F��.�n�������:�`F�����C���Y�����N @q`{``GqF��`��.�n�������:�GqGa@�B�qFs�n2���J�4����۟�+�@�B���4*Y�̟�۟䪿�@#�� ��F�������Y������4��G|FJ����3� q` �����CH����3� ��CD��D���F���?��CD�D����+$��=M��A������ �����C��G|FO�?�H�O�?��BA�D��E�O�?�� �:����� �:EL�FO�?�HO�?�������7 �:��EL�G|F;�B�H;2�O�?�8qF����;�B�E��8qF�+�@�B��3")��]qF0����]HłF�@#H��+$qF�� �@#���Q�����q`< H� ū@#/[�`J�< / �`0����]�T�?�< �)��]q`Gq`�@#H�@#�������+$q{`Fs��0����]qGa��qFqF@ �C�K�qFe�3�@ �:����T����2��,6�KE��Je���=�ĪT����2��,6�K�e�3�@ �:����T���������KE��Je���=�%T���������KqF �����L4?���qFe�3�@ �:����T����If�cJe���=�%T����If�cqGa��*�A��3���tH���tHT����A��3���t�<�>�t�s����.�nt�������|FbH��t����Cq`��.��bqF:��q`B�b�}�tŹ���)�{`Ga2��T����tH���tŹb˟��� ��2��à�qFtŹ�é˟���é|F2��T����tH����T�����E�tŹb˜���T����tŹ��HtŹK�ntŹK�F2��T����tŹ��HtŹ�é�ntŹ�é�|F�� ����E2��T����t|FtŹb�Ga��T����tH���tŹb˟��� ��2��à�qFtŹ�é˟���é|F��T����tHʟ��T�����E�tŹb˜���T����tŹ��HtŹK�ntŹK�F��T����tŹ��HtŹ�é�ntŹ�é�|F�� ����E��T����t|FtŹb�Ga��tH���tŹb˟��� ��2��à�|F��tHʟ���qF��tŹ��HtŹb�ntŹb�F��tŹ��HtŹT���z�ntŹT���z�F��tŹ��HtŹK�ntŹK�|Fݠ������@����2q`l��� �������}� ��G|F�����ҫ�����J���@��)������)��?����*����=3���A@�A��3��qFs�ntŹ���)˟�۟�@?tŹ�˟�۟�:����=��Ī��tŹ��8qF�� ��E��t8qFtŹb�GaN ��qFJT������>�%�۟ ��F�� ��N ���E���E�T�����,���GqGa �qF����"��T����qFJT������>��F�� �� ��E���E�T�����,��8q`��⤢O������ � �q`}�?��q`F����T���������C�Lq`G|`��� ��q{`Ga�� �O��?����qFD����+$��� �?����������*���� ����2��?��E�ÐF���?��� �HD���?���GqGaBI�qF�� ��H� �����������T ���D���J�� ���N����� Ī�BI�����F�� ���BI����qF�`��� ���BIq{`Ga�;��D����+$��� ��������������.��F���JD�����.�����|`JB�C��Īݤ ��۟ݤ :��B�.<#�`lͫ����٦�X����������.��7��.����������D�� ���~`�`F�s����q`Gq{qF�]�qGa0"��.��������E@����.�E�����}����.�����z�C���BĪ@����.��Fl�ܨ������@����.�7@����.��~{qF��.�Hް�Ȣ.�Q��D��E@����.�E�����@�=����.��������������.�E������8`Ga��.��������E����EbE�U������.�HȢ.�Q������EbE���@�=����.����z���.�Eb�@�=����.��������������.�E������8`Ga ����3�����}������+��CB�q`ש���?0�ζ���+��CB��=���D��q{`F}������+��q`ש���?0�Ψ���+�1=���D��q{`F�����+��CB���� ������+��CB��ҟ�����+��2����FJ�+�H��3�����+�Ţˎ`�+�1�؟+�q`�`F�ש���?0�f�@��@���+��7����â�=���T C���Cq````�S���Пc�~`Gq{`Ga������"i�@A���@A�������E��.��LU����w@A�������qFj��c�4�q`�c�4H�@A��HeϣQ����.��L���j�ζ�.��B�����3���q`���.��B�����t��؟�@A��HȢ.������3��Q����.��L���j��B�.���i�4�q`�B�.���i�41�؟�@A��H�.���?�ϣQ����.��L���j�Π���i�q`�����iH�@A��H����?�Q����.��L���j��c��@?�q`�c��@?H�@A��H� ��@?Q����.��L���j��B���C(�q`�B���C(1�؟�@A��H𠼢��Ϩ(Q����.��L���j��D����3����q`�D����3��1�؟�@A��H�:�͠�3��������.��L���j��i���q`�i����؟�@A��H�?�ͩ�Q����.��L���j�ήD��i�q`��D��i��؟�@A��H�D��?�Q����.��L���j�ήD�����c�q`��D�����c1�؟�@A��H�D�ᦩcQ����.��L���j�άú)�P��0�<������q`��ú)�P��0�<����1��q`F�@A��H�ú)�P��0젥���������.��L���j�Π�:��q`���:�1�؟�@A��Hټ:�Q����.��L���j��D$����q`}����+��@A��������`�����D�����.�1�����D�3��� �+��q`F+����.��LU���q`Fş�3<���E���˭�������`F+����.��L�Ŷ�H��.��L�Ŷ�n��.��LC���BĪ��`Gq`F��٨�*?�0���@����1@A��1ä���:�)����� ���+��q`F@A��H������+��+����.��L��{``����f1��q`�D$���1�؟�@A��H�fQ����f�+�W�+��A9��`````````���.��L���F��f�+�U�łFj��+��q`@A��H������+����.��L��j��@A���q`���+��@A��1�؟�@A��H� �Q����.��L���F�@A��1�؟@A��qFj��æ��q`�æ���؟�@A��H���Q����.��L���j��à "�驨�q`�à "�驨��؟�@A��H� ��?��Z��Q����.��L���j�ά�����0�@A����q`�������0�@A��1�؟�@A��Hᠦ���0� �������.��L����`�@A��HVq{qF@A��qGa������E4���������c�4�������E4���������c��@?�������E4�������8qF����.��B�����t�՟�B�.���i�41�qF��B���C(1՟�D����3��1�qF��i���՟��D�����c1�qF���ú)�P��0�<����1՟���:�1�qF��D$���1՟�+�1՟�@A��1՟�à "�驨��qF��������0�@A���������������F������E4��������GqF�����qGa��ɱ��qF��Ȣ�� ��S���:P�O�����ɱ���@�3�����:��qF���:��������Fs������ɱ��n����:�μ�ɱ���q{`F����:� ��S��D��i�:����O���<�����:�������б���џ���qF��=��[�L����ɱ���qF��D��i��������Fs����<�����џ���n��<����q{qFVqGa �������= ���qF3<� �U�łF���:������&0��3<���1�à@�S�3<��������qF���:��������FJ����:��3<�Ο�۟����:"������0��q`F3<� �1�؟��3<���q`Gq{qF��������@A����&����Пc���0@6��ä��= ������?��qF����*���������͟,�r��&S�����@A���=����à@�S� �qF��� �����ND�����=�C������������C������j�A��_qF��S� �0= ���.�����S���͟A�C?�(9��C�S�@A��qF�H̭�F+�++�,��HVqF+�3<���HV|F�����I�0��S�@A��1�������+�S= ��������:�SqF������_�A�C?�qF�@A���������FJ�+����)3���+��۟�,��H����)3���,���`J+�+�۟+�,��q``�= ��Ȣ��ݮ������?í�= ����+�+�E+�,���```````````+�E,���F`����= ���q`{``FJ+�3<���q``�����H�= ��ǟ���3<����ҟ+�3<����`Gq`FJ3<� �����Y���3<���q``���&�����:��(9��O�*=�@A���3<������ �Sq``��+�џL1���*?�S= ��AI����� ��_����q``��=���6B�� �S� ��q``+�++�,��HVq``+�3<���HVq``3<� ��â��q`F�``�+��?H+�q``+�,��H,��q``+�3<���H��3<���q`{``Gq{`F�qGa �qF}��3<�����۟�3<�����Т<�;�D����9�9���������̹�̹����̹��ΎFש���?0ޫ3����������L4�3<���~{`F}�� ��3<��3�CB��qF�+������*�CB����+�ECB��F+�� ��CB��F���&�ä�à �驨@A��WS@��é�������O���q`��+�q`�à "�驨�CB�˭ ��CB�J�à "�驨�CB��{`F�D$������ʟ���� ��D���qGaD"����������J� ���.�@A��q`ש���?0��Пc������0@6����:�D ��q```F�7� ���.�@A����+$�~{`Fw����qFj��EΤ�3�����q`� ���.�@A��Hޫ3����Q�q`����Τ�3�����qFj���E� �� �_���q`� ���.�@A��H쩨� �_��Q�q`����� �� �_���qFj���E�<������q`� ���.�@A��H젥������q`�����<������qF�`�ש�����ܨ��������Пc����7�����~`s��Vq{qF� ���.�@A��qGa:�������Cq`'P>�Hש�>�Q�����N�-֟�q`'P>�Hש�>�Q���B���Fש���?0���:�P�c7��<$�>�~{`Ga ��CB��}��B���CB�q`ש���?0��B���C(�@A������ä������CB��q{`FJ�B���CB�Y��`}����������q`Fש���?0��B���C(�@A���̟���ä��������������.��D��q`Gq`J���������Y�θ �C�q`F}��� �C��������q``ש���?0��B���C(�@A���̟���ä���� ��������Ο�q````Fζ�.��D��q`{``�`F�}���������q``ש���?0��B���C(�@A���̟���ä�����������.��D��q`{``Gq`J�D��0�������/ �`ש���?0��B���C(�@A���̟���ä���D��0��������D��q`Gq{`Ga���,�0�B�C�3�����":3���<$�>U���":3���B�.�����"<$�>�qF}�����H�,�0Ȣ����>�ſ�?��<������ˎFש������.�����.�����3���@��@���9�������,�0��q`F�<$�>��������7��?��<�������~`s�q{qFJ�B�.���i�CB����q`F���":3��� ���.�@A���B�.���i�4)�q`�ש������.��?��CB��7�B�.���i�CB���=� ��\>~`�s�q{qF���H<$�>�ſ�?��<������˟��F<$�><$�>���?��<������E���/[�}�����"����4�̷۟�7�؟��Ч��Y�٧���ͭ)�q`ש�������"����4�7���"����4��=� ��\>~`s�q{`FtH��qFtŹ��0��H���0J���0�qFtŹ���D��H����DJ����D�qFtŹ ��H� �n� �qFtŹ9���H�9���qF������.�����.��B�C�3����������``F��Ч��Y�٧����ſ��"����4�̷۟�7���!�``F��7�B�.���i�CB���7���.�z��Et8`Ga �qF+�3<���H���������DVqF+������HV|F����3<������=���ɟ���3<�����L�*?�=��D��C�6���qF��S���3<������.��O� �� �_�@A��1*?�ä��qF���@#���3��������C�)���L1��*����3���������&����àqF��L�D��1 ��C�DT�W��S�̟L�@��@��2���D��qF�� ��C���B��C�S�c��穻�IE������������?����)���SqF�����9�_�3<����LqF� �� �C������@A���FJ+�������۟���������D�۟@A���3<��������q`F�@A���3<������؟+������q`F����3<�����ퟻ�� �9��3<������=����ퟵ�L�q`F��Ϩ�w�&����� �9���6ڮ�S����������D��A��_���q`F���������D�ɟ�џ��q`Gq`J���������D�q`F���ä�0@6��(9��S����D���ޣڮ�0��3<���1��A��_q`F�� �Ω��D՟3<�������q`FJ@A���3<������q``@A���3<���H���������D՟@A���3<������q``+������H@A���3<������q`{``�`F����  ��,��_�O�S����D��q`FJ@A���3<�������۟+�3<���q``���ä����@����13<������(9��S�����@A�����*��q``��3<������L�D������<�*?�S�3<�����&*=q``��@A���=����C����S��@��������(9��3<����q``����?�1ڮ����$���é�����1��?�S�򤦱C�:�C���1��@q``��*C�_�à@�`F���������D+�3<����՟�̟ҟ@A���3<������q``@A���3<���H���������D՟@A���3<������q``+������H@A���3<������q`F�``���������S�3<�����&S��@#�@A���q``+�3<���H@A���3<���q`{``Gq{`Ga>",�0�<$�>�̭�� ���2����FJ�:���H�:���Ţ��۟:�����,�0�<$�>Y�<$�>q`F:����+��ZТ�}���,�:����CB��ʟ�����/ %��F��詟 @��@�,���ä� ��C��S�@�:�����D������q`�,�`̭�� ���2����`J����,�۟�:���š,�˭+��Z֟�:���Ţ˭+��Dq``�,�q`{``Gq{`F�:���š,��H�#��Q��<$�>EТ���0�����ELJ����>�q{`Ga���?�qFs��}��:��������=��qFJ�:���쩮D�� ���ND�%������쩮D��IĪ��E��E��E�����ÎF ��q`s�q{`F�� ����ʟ���������?�qGa���0�äH̷��E�CB�H�EA,�H̷�������s��}���=��|FJ���q`�H�0�ä��؟����A,�q`���������E��E�CB�E���0�E���0�E�qF�`��H�0�ä��؟��������A,�q`�C2�����Ԯ6���E��E��`````����՟��E��E��`````����՟��E���՟��E��`````���E���՟��E�E�CB�q{`FJ���q`�H�0�ä��؟����A,�q`��H�����4*�џ���0�q`��H��L� �&ǟ�����L�џ������9�q`��H���՟����� �C��q`�H�`�� ����ɟҟ��q`F��������̟՟�E���՟����� �C��E�CB�E���0�E���0�E�q`F�����q`Gq`J�ɟҟ��֟�`F���H򩡮��ϱ�>Q������dE3����E@����@���E@����E�E���ɟҟ�ǟ���0�����9�E����à��åˎ`��������̟՟�E���՟����� �C��E�CB�E���0�E���0�E�q`GqF�`��H�0�ä��؟��������A�q`@�"�H���՟��L� �&ǟ�����L�џ������9�q`�C2�����Ԯ6���E��E��`````�@�"�E��E��`````�@�"�E���՟��E��`````���E���՟��E�E�CB�q{`FJ�(#q`�H�0�ä��؟������"A,�q`���O�?Y���Ο%�7��L� �&ǟ�����L�џ��̯���9��崟�7�L��7�����L�~`�(#�����"@�����E���՟���ǟ�E���՟�ßǟ�E�CB�Ḙ�Ḙ�E���0�E���0����q{`Ga���0�äH̷��E�CB�H�EA,�H̷������E�=����A,�H̷�����̎s��}���=��|FA,�H�0�ä��؟�������:�������=�������%A,���=����A,���"A,�H�0�ä��؟������:����%��"A,����=�����"A,�����H���:�������=�������/ �%�������=�����������������E��E�CB�E���0�E���0�EA,�qF�(#��������E��"�E��"�E�CB�E���0�E���0�E�"A,�|FJ�Ÿ����q`D�3���A,�H��0�ä�ǟ��؟�����D�3���A,�q`�C2�����Ԯ6����B�ſ!E��"�ED�3���A,��`````����B�ſ�˟՟�E��"�ED�3���A,��`````����B�ſ�˟՟�E��"��՟�(#�à���џ���0�ED�3���A,��`````����B�ſ!E��"��՟�(#�à���џ���0�ED�3���A,�E�CB�q{qFJ�����=��q`J�������q`F��������������B�ſ����B˟ҟ����������4*�џ���0�ǟ�E��"�E�CB�E���0�E���0�q`�`F����A,�H0�ä��؟��q`F�C2�����Ԯ6����B�ſ����B�E��"�E���A,��`````F����B�ſ����B˟՟�E��"�E���A,��`````F����B�ſ����B˟՟�E��"��՟�(#�à���џ���0�E���A,��`````F����B�ſ����B�E��"��՟�(#�à���џ���0�E���A,�E�CB�q`���q{`GaD"��)3����E�����H��ҟ��qF���H��ҟ��qF��H��;���H�qF��"������qF��"������qF���B���������F�����q{`Ga��ƪLE����>��>�H�����L�̭���������*�F���B� �;����B1�؟��"�qF�H���B��̂F���� ���ʟ� �F����(#��"�4*� џ���0�q`���B1�؟�q�F�����BH���B)�ҟ�qF��HVqF��HVqFD"����=��qF�����">���0�����E�;�1J����>��>���۟�����">�qGa���0�äH̷��E�CB�H�EA,�H̷�������s��}���=��|FA,�H�0�ä��؟����A,�qF�"A,�-q`J�:���q`FJ�?��2��q``�2����"A,�q`F�``��?���I�%��I��"A,����"A,�q`{``�`F���=�����"A,�q`GqF�"A,�H�0�ä��؟�����"A,�qF����ſ����CB�˭�����E��E�CB�E���0�E���0�EA,�n����qFJ���q`J��:�������:���q`F@���H��:����%̭ߟ�`F@���H��:����%̭ߟ�`F�(#�����"@�����E��"�E��"�E�CB�E@���E@���E���0�E���0�E�"A,�q`�`F��(#��������E��"�E��"�E�CB�E���0�E���0�E�"A,�q`Gq{`Ga���?�qFs��}��:��������=��|F �D��IH쩮D��I%��E��E��E��qF �D��NU�쩮D�� ���ND�%���qF �D�@�H쩮D�� ��@��%���|FJ�?����q`J �D��Iq`F�����CB�H�q`F�?��Iq`�`F������CB�H�`GqF.)&�?���Iq`J�� �D��Iq`F�����CB�H�`F�?���q`.)& �D��N�q`F�����CB�H�q`F�?�2��q`�`F������CB�H�q`GqF.)&�?��2��q`J�� �D��Iq`F�����CB�H�`F�?�2����q`.)& �D�@�q`F�����CB�H�q`F�?��Iq`F���q`�`F������CB�H�q`GqF.Z���2����q`J �D��Iq`F�����CB�H�q`F�?�2��q`.)& �D�@�q`F�����CB�H�`F�?���q`�`F������CB�H̲``Gq{`Ga������HVE��0�H�E��0�H�E0�äH̷��EA,�H̷������E�HVE��HVE�CB�H�E��9�H�]��J����=��%��q`��0�H�����������0�EŽF��0�H�����������0�EŽF0�äH���������0�äE̷���FA,�H���������A,�E̷�������F�H����������EV�F��H�����������EV�F�CB�H����������CB�E̎F��9�H�����������9�E�]��F���H������������E����G|FA,�H�0�ä��؟����A,�qFJ�q`����ſ����CB�˭��������ҟ�����%�����������՟������˭�4*�џ��0��џ̭ߏ```````���ҟ�����%�����������՟������˭à���џ��0��џ̭ߏ```````�CB�E�Ḙ�Ḙ�E���Y�����%ҡ�0����0���```````���Y��I%ҡ�0����0��EA,�qF�`��H���ҟ�����%�����������՟���Y�����%��0��џ������˭�4*�̎F�H���ҟ�����%�����������՟���Y��I%��0��џ������˭à���̎F����ſ����CB�˭������9��%����9����E���9��%����9�����``````�CB�E���Y�����%ҡ�0����0���``````���Y��I%ҡ�0����0��EA,�q{`Ga��?�����C���EC�L�J���?���T����Y��q`s�nC���Y����?���C�����۟C�LY����?���C�Lq`���?���T����H�{qF}����?���T����Y��q`����A9�H�`�����CB�HC����̂`�CB��CB�H�`���?���C���HC���q`���?���C�LHC�Lq`���?���T����H�q`s�q{qF����A9����qFs��9$�����A9���C�L|F�CB��CB����qF�����CB�HC���ſCB��CB��F����A9�H�F���?���T����H�n�CB��CB�Y�C������*�ҟ�qGa=�C������������̟�۟�����̟�۟����؟�)頭���۟����؟�)頭�qGa>"�������������E������s��� �Q���������՟������ǟ�3�頭�E�������՟������ǟ�3�頭�}��=�<����|F���1S���)3������O<�� �=�<�����A�C?qF�H>"=�<�������)3��������E�����|F���4����S��Ԯ )� ��C��S���)3���C�S��?���qF� �Q�������џ�CIDԮ )頯� ��E�����џ�CIDԮ )頯� ��8`Ga>"��@:����������E������s��� �Q��������џ�3�頭��ҟ������E������џ�3�頭��ҟ������}��=�<����qF� �Q����������ҟ������ҟ�џ�3�頭��џ̭�ҟ�������՟������D��``F���������՟�����џ�3�頭��џ̭�ҟ������qGa>"�����)�qFs��� �Q���3�頭��џ�)頭�E�3�頭��џ�)頭�}��=�<����qF���H��)頭��՟�)頭�џ̭�qF� �Q�������џ�3�頭��� ��E�����џ�3�頭��� ��qGa ��@�����E������J����=��%� �q`���H������ҟ���;����H������ҟ��q`�= ���?í�Ԧ�������ɟ՟������8q`J�= ����`F��������H��������H�`Fs�q`G|`��������H­̟џ����џ�������= ���q`��������H­̟џ����џ�������= ���|`J����������؟̟�����՟���������������������������̟�����՟����������������`��H�����q`F��������H�`�`F��������������F`{q`J����������؟̟�����՟���������������������������̟�����՟����������������`��H�����q`F��������H�`�`F�������������q`GqF�`��U�����џ�?ù��ϟǟ��`��������H������џ�?íA�����F��������H������џ�?í)�����F������������q`������������q{`GaC�A�����" ���D��B U�VEt����T������C�� ��D���#��A�ݤ ��������Ч��������ݧ�������������٧��������E��JB�C��ĪT������tŹ�D��B ��H�D��B 1J�D��B �N:��tŹ�C���@#��D��B ��H�tŹ�D��B ��FtŹ�C���@#�A�;���B ��H�tŹ�D��B �˟�۟tŹ�D��B ��ŹA�;��ˎtŹT������HT�����nB�C��ĪT������ͫ����Ф�/���t8`Ga���������H��qF�� �q`�H���"@A��q`��V�<1���q`}��/ �`�����0����F�`F���@����S����q`F�@��q`Gq{`Ga���"@A��qFl�*@6������3���>}��*@6������3���>�/ �|F�H�@A��B�|FD"�����3��n�/ �|F�qGa�����D���tHV�����H�������tEޣ�C���EB����"6�C������A���Hޣ�Cө���Q�qFA���������D���������E����8`Ga�#������D�E��WtHV�����H�������tEޣ�C���EB����"6�C������A���Hޣ�Cө���Q�qFA�����#�����������E����E�D�E���8`Ga>�;$����D�E;$��EtHV�lޠ���������ٷ���t��ޠ�������Q�������������}���������D���۟��������D����~F����H�������tEޣ�C���EB����"6�C�����8qF��Hޣ�Cө�����ç;$���;$���A���Hޣ�Cө���Q�|FJ�D�Y���������D�q`����>�����;$���q`A����>�;$���������E����E�D�E�Î�`�����>�à���D��1;$�������D��6�C�qFFA����D";$���������E����E�D�E�ÎG|F�������>�;$����D�E��8`Ga����D���D�EtHV�����H�������tEޣ�C���EB����"6�C������A���Hޣ�Cө���Q�qFA��������D��������E����E�D�8`Ga�����B���BEb�;��ED"bE�CzU�VEtHV�����H�������tEͫ���EB����"�������������93��0�����t� �C=à�qF���������<#qF���������⤢��# �좸3��ϡ�C=à�������3<�8qF��ݠ����������������ҡ��O���qF��A����������O�����qF��������H������,��qF�������������@���H�|F��BH�������>"��B���z���B}���B�=��Īޠ����������B8�F�F�@A��D� �D�Q�������@A������E�E���8qF��@6Q��q`��@6��@#���"��������3��H��q`A���Hͫө���Q����BE��������Eb�;��ED"bE�CzW@A��D��F���Cq`F�� A����A����FN�-֟�q`Fޠ��������P>����������������کC�5}�������������������������q`F@A��D����.���F:��q`F@A��D��*@6��C=à�q`Gq{qF@A�����qGa���CB��b�;��ED"bECB�zEtHV�����H�������tE���EB����"C(�����8qF�����H�)�B��B����7b�;���~F���������;D��7D"b���}�D"b� ��������������������;CB�b�7CB�z��|F���G�CB��A���� �����B����?���B�� �=����S�A���� �à����BqFN���ZD���C(�A��������E�����������qFs�nN���Z����K�|F��ϨB�4����@����������=���ݠ�����*������qFs�nN���D� "��*Ī����׹����8qFlޠ���������ٷ���t��ޠ�������Q��ޠ�������������өB��������������X��CB���� ��7N���D�5qGa��CB��b�;��ED"bECB�zE�CzECB������EA��3������VEtHV�Jt/ %�۟A��3��������=��Ī�ÎFtEA��3������A��3�������EVq{`F����H�������tE���EB����"C(�����8qF�����H�)�B�҄����7b�;���~F���������;D��7D"b���}�D"b� ��������������������;CB�b�7CB�z��;����C���~F���������;CB������7A��3�������� �������nA��3�������qF���������;CB�i�7�Cz��7CB������� ������~F���������;������ƨ�0�|F���G�CB��A���� �����B����?���B�� �=����S�A���� �à����BqFN���ZD���C(�A��������E�����������qFJN���Z����K�q`��ݠ��� ���*?�A����3��0���������O�A��3���q`s��ϨB���Q��������Eb�;��ECB�z�G|FJN���D� "��*Ī����׹����8``��ϨB����0@6����:����F𩟨������ ������O�A��3���q`s��ϨB���Q��������Eb�;��ECB�zE���G|Flޠ���������ٷ���t��ޠ�������Q��ޠ�������������өB��������������X�@?CB���� ��7N���D�5qGa�� �����������?�<#EbE�9�3��zE�9�3��� �����EtHV�����H�������tE�Q�����EB����"��������8qF��BU�������/�B�qFJ��B������Flޠ���������ٷ���t��ޠ�������Q��ޠ�������������өB�������ݧ��Ч���������Xٷ _���ȟ�� ���� ��Z������=���������G|F���������93��0�����t� �C=à�qF?�<#�D"���@�?�9�3���bE�9�3��zE�9�3������W�]�8qF���Z��*@6�������BqF��B�������B�F��@6Q��q`F��@6��@#���"��������3��H��q`F���Cq``A���H�Q��ө���Q����BE����E?�<#EV�`F�� A����A����`N�-֟�q``ޠ��������P>��������`Fl�q`{``Gq{qFٷ ���Q��������E?�<#8`Ga�����tHV�����H�������tE���EB����"C(�����8qF�����Hή����|F���G�A���� �����B����?���B�� �=����� �à����BqFN���D����H�������@��C(�����E�������EN���ZN���D��������|FLU�N���D�������;�8qFL����������C(�F���J����C(�����Y���|`����;��U�����C(�����γΎF��&���Q�q`����;�������L��F���E�HL�������EɎ`w�q`Fj��cb�q``����cbH�q`Fj�����q``������H�q`Fj�Υ����q``����+����>H�q`{``Gq`���q{`Ga@ ��������zEtHV�����H�������tE���EB����"C(�����8qF�����H�����@ ���cb�7���z��;�|F���G�A���� �����B����?���B�� �=����� �à����BqF���G���ȟ �����B����?���B�� �=����S���ȟ �à����BqFN���D����H�������@��C(�����E�������EN���ZN���D��������|FJN���Z�Ω��q`ܣ�ݠ ����Q��������E���z��`���lޠ���������ٷ���t��ޠ�������Q��ޠ�������������өB�������ݧ�����EN���D�GqGa@�=��������������ED�I�dE+����>EtHV�����H�������tE���EB����"C(�����8qFT#H�������":AB�类���������O�:A�_�εC �Ύ�����H����Ҭ�cb�7D�I�d��;T#�7T#��;~F��������T#���7T#���*��;���ҥ����7+����>��;�|F���G���ȟ �����B����?���B�� �=����S���ȟ �à����BqFN���D����H�������@��C(�����E�����8qFNH��qFN���D�����������EN���D�FLU�N���D� �������;ΎFL�����;���`�E�H;������ƴEɎ`NŽ�H�q`Gq{qFJN�Π��΂`lޠ���������ٷ���t��ө���ݠ� �Q�ݠ�=�3����� ��7N�Π������e7N��c�����C�7N�����������>7N��<$�>�����G|Fܣ�ݠ�=���Q��������ED�I�d8`Ga�?���=������WtHV�����H�������tE�?���EB����"�?������N���U�ަ�Q�������*8qFJ������D��?�K �q`�������H�?���>������������F�� �?�K "A���������2����BE�?�`�?�@��ٷ=��ө���Q����BE�?E����E�������EN�����{`F�`��� �?�CB��A���������2����BE�?�`�?ϨB�ٷ=��ө���Q����BE�?E������N�����{`{qFN����qGa>"à6������EtHV�����H�������tE���EB����"@6������A���Hݠ6�6��ө���Q��������E����E������ A����A����A����@A��qGa�@�G����E�CWtHV�����H�������tE⦢���EB����"���������A���H⦢ө���Q��������E����E���E�ç ��C���C��Eޠ���������ଠ3�������������� A����A���8`Ga>"��B���z���Bz���BH�C����B���z���Bz8qFlޠ���������ٷ���t��ϨL4�B�}���B|F��BqGa�2����BqF����A��� ��@��@��O�A����������D�3�1 ����qF��B� �H��B�qF��*H��B� ����*qF�H�F�� ��؟��*q`�������T�@������*�à��������_�*@6W�����B�CB��=�T):��q`CB�H����B�CB�����?�ʟ������Ÿ��埨�B� ����*�����q`��BH��B� ��CB��|`s����Bn��B���3���|`�H������q{`Flޠ���������ٷ���t��ϨL4�BqGa;�D�@A������E�A9�E>��3��E����3����CU��A9̟֟%���VqF�H�F�� ��؟�A9�q`lޠ���������ٷ���t���Q��Р��C?��Q��}�L4�|`@6������8q`���i��������@6�C��ɪ̯��q`;�3������i��������@6�߯��q`b���i��������@6��7���|`@6�����b�頎FbH�i��������@6��Eb�頯�O�:A�_������8q`;�3���������ҟ��՟b�頎F@6�����;�3������頎FLHޠ������������ �;�3��;�3������E�i�������E�E;�3�������8q`�C��b�HL|`�H������q{qF� �Q�����BE���E�CW>��3��E����3��8`Ga>"T� 3���3<��,�q`T�H�T� t�����q`JT��T� ��`T��3<�H3<�� ��q`Fs��T�q`Gq{`Ga0����B��2���|FJ���q`A���HΡ���qF�`�A���H������q{qF��BU�������/�B�qF2��]�|F��B�������B�FT�H��B�>"T� 3���̎FN���D줬E�HϨ(��T�EA����F��B���T� 3���T�8q`N���ZN���D줬�A����`�C�H�ک��4�7� ���4��~`CB�HN���D�CB���C�8q`}�CB�q`F����s��������� �q`F2��H��q`F����q`G|`�HCB��՟�C����*q`N���ZN���DŵEN���D���*�`�C�H�ک� �����q`CB�HN���D�CB���C�8q`���}�CB�|`�HCB��՟�C����*q`N���ZN���DŵEN���D���*�`N���D�CB��ιΎF?�U�N���D��E��|`w?��q`j����������q`Fllޠ���������ٷ���t���Q��Р��C?��q`j�������������q`Fs���]��F`Fj�������q`F2���q`Gq{qF2��qGa����à6�����*����������E@6�?��E����?��E��.��A9�E�3���A9����͠�+�qF>��3��H�#�>��̎C(�?��H�#�>���8qFw�����@A�����=�����3��qFj�ޠ���������� �ٷ=��ޫ3����������qFj�ޠ���������� �ٷ=��ޫ3���������٧����Yq`C(�?���������������٧����YqFj�ޠ���������� �ٷ=��ޫ3�����������q`C(�?���������������٧�ݧ�������qFj�ޠ���������� �ٷ=��ޫ3����������٧����Yq`C���?����������������٧����YqFj�ޠ���������� �ٷ=��ޫ3���������٧����Yq`����?��������ɧ�����٧����Yq{qFw�����>��3�������qFj�ޠ����������:�3�����������qFj�ޠ����������:�3������������Ч�����Q���q`>��3��H�����>��3��q`����?��������ɧ����������qFj�ޠ����������:�3������������Ч�����q`>��3��H�����>��3��q`����?��������ɧ������������q{qFC(�?���������������Ч������n�����A���"�.Y�ޠ���������ө����נ�.�������Ч������qF@6�?��������§�����������Y����n�����T):����.Y�ޠ���������ө�):��נ�.�������������Y����qF����?��������ɧ������٧������n�������B|F��⦢�0��à6��?������� ��)��â�����������+�qF�i��������������������������������ݧ���Z�E������>�à6����*�qF�i���������������@6�?��E�9��i�������������������?��E�̎�i���������������C(�?��E�Ž�i����������������E����9�D�qF�i����������������E����� �S�N��ABqF�i�������������C��ɪ>��3��E�i�������������C��ɪ��������E��8qF��Ϩ�30��3<����� ���������+��qF�i����������������E�Ɏ�i����������������E��i����������������E�i����������������E��8|F�i������������C������.��A9�E���qF�i������������C�����3���A9�E��8qF�i����D�������ק�����ݧ���Z�qGa����à6�������E@6�?��E����?��E��.��A9�E�3���A9��@6�?��������§�����������Y����n�����T):����.Y�ޠ���������ө�):��נ�.�������������Y����|F��⦢�0��à6��?������� ��)��â�����������+�qF�i��������������������������������ݧ���Z�E������>�à6����*�qF�i���������������@6�?��E�9��i�������������������?��E��8qF�H��qF�� �����q`�i����������������E��F�H������q{qF�i������������C������.��A9�E�펿i������������C�����3���A9�E��8qF�i����D�������ק�����ݧ���Z�qGaD"������E���E�t����C����qF��.��A93�?����頪���E�����@6�?��H�F����?��H�F@6�à6��H�]�|F�t�������3���Fw�3��������q`j�ޠ���������ଠ3��������q``@6�?��������§����|`F��ݠ6�0���C1J����C�=��� ������q`F@6�?��������§��Ч��ן}��3����Cz|`j�ޠ���������ଠ3��������������q``����D�I�����@#���s��@A���à6��?����*������§��������ޟ?����D��q``������ �9��=� �@�������Ҡ�=#��C�q``������Ȣ��*=����D�I�q``��@6�?���������§���🾟�����§���������q``@6�?��������§����q`F@6�à6��H��|`�`F�����?��H����ɧ�����q`G|`3�?�3����O��3����3���GqF)�������|FJ����?�����`����à6�����*����������E@6�?��E����?��E��.��A9�E�t���*��`�����à6�������E@6�?��E����?��E��.��A9�E�t���*�GqF�����������E����8qF�t�������3���F�����3���O��3����3���G|F�����3���O��C�VEޠ���������ଠ3��������J@6�à6��|FG����qGaD"@6�à6�������E�������C����qF��.��A93�?����頪����3�?�3����O��Cz��Ύ)�������|F����D�I�����@#���s��@A���à6��?����*������§��������ޟ?����D��qF������ �9��=� �@�������Ҡ�=#��C�qF������Ȣ��*=����D�I�qF�A����D"@6�����§���🾟�����§��������ޯ�;qF����à6�������E����§����E�E��.��A9�E�8qF�����������������3���O��Cz���Eޠ���������ଠ3���������G����qGaD"��=�������E�������C����qF��.��A93�?����頪����)�������qF����à6�������E����§��������§���������E�E��.��A9�E̎������������G����qGaD" ������E�������C����qF��.��A93�?����頪����3�?�3����qF)�������qF����à6�����*����������E�E����ɧ�����E��.��A9�EŽ�����������������3���O��3��������ޠ���������ଠ3���������G����qGaD"B�����E�������C����qF��.��A93�?����頪����)�������qF����à6�����*����������E�E����ɧ����پ����ɧ������E��.��A9�E̎������������G����qGaD"��������E�3��E���E�C�����C����qF��.��A93�?����頪���E����8qF�C������C�F3�?�3����O��C��C�G|F)�������|F����à6�����*����������E�E����ɧ�����E��.��A9�E�C��*������������E����8qF�C������C�F�����3���O��C��CE�3���G|FG����qGa�9��A�����T���q```j���T���=��Ī���۟��T��Ź ���```F��T��Ź �����B�������ŹA�����```j���T���=��Ī�Î```��T��ŹA�����```�```F���T��q```GqFT��؟A�������ʟ�����-�~����ǟ%��7���������کC���8`Ga ��� �W����� �U���T��Ź ���F���F� �7 ����)��~Fs��� ��Ž���Hʟ�A���U֟ �1�}��������:�|FT�``F� ��Ž���HʹA���U֟����t``FH �����"t�qFtŹb�` �����}� �������T��Źt�Ht|F�9�T�T��E����qF��T����C2��ſ��C2����+˟��������������C �S�T��&S�+��C2��qGa�C2��� �W��������```��C2�7���C2����)��~Ft`` �����"t�qFtŹb�H �����}� �������T�����C2��Ž���H�C2���í<�>��t-֟t���9�T�T��E����qGa��O���A���W�����T����T��Ź��O�˟���ˎ�������:%%�9�T���T��E����T���T�?�A����8`GaC���+�@M��<#E�?�������4�H@M��<#�CB����Ύs��@M��<#n������4�/ �|F���������H@M��<#Ÿ�����4��՟!qF@M��<#�����7�����������E�?Ÿ��������� ���8`Ga�����;�����?����W;���E�?���������*�CB�����������E4��F���� �nS@�=���@M��<#��� �����q`J;���Ž���`FC���+�;���Ž���E�?�F�`F���詟@M��<#��C��Eڮ�s��A�@��?������q`F�?�4��՟!q`Gq{`Ga �����qFJ �)�֟�`�����ʟ��L������0���LE� ���qF�`���� �����q{`Ga ��qF ��� �����ʟ� ��� ��N����� Ī� ��% �� � ����bE �����Ga�������s�����}����C���%ͺ����qFN����� Ī��%<*�������������8`N�qFl�9�3���ȩ9�٦�Q����ED��8`Ga�˪��E� ��������H������8qFs���9�3��Q�������E �� �Wb��}�0@6�������Ī������ ������%%��������������*�� ��8`Ga���"0�������bU�����������<*��1ҟݠ�=����C�<*��1ҟ쩣��<*���qFb1�ŹC�30��˟��O�A�;3� ������*�ݮ�C���qFb1��������<*�����1J�����=��%ݠ�=���|F���"<*��������Eb�8`Ga���"<*��������Eb��bC� ��D��ʟ��E��������"<*�������E��qGa���"<*�������EbE���zHb�����Hb� ��qF FH���z� ��|F��H�����=��Īݠ�=���%������������������<*��������D����+$Q��<*��<�>� -֟���8`Ga���"ABqF�� ��F��㭶��������������٧���ק�������E̯� ��qF�� �����ABH��㭶��������������٧�����E̯� ��qFJ�� �����ABY�̟����� ��؟��2�����џ��̯���9�q`�F�`��� �����ABq{`Ga�9�����A����l�ޡ����A����0@6��C�����N��n� �qF� �H�]�qF��D��<*���N��|FD$����:��.����.�F�.�@�����q`�.����i���Ei�`��=çi�iE�2�}���D��<*���� ��;$��Īi�`��D��<*������i�iE�{``�.�������B��i�ʟ�E����Ei����=çi�iE�B����q`��� ������&S�A���q`�.�����Π����?���ʟ�Ei����=ç���"?���i�@6�,���q`�����)��0D��_�S�)��0�L�����������ΎF�.�����Π����)��0�2��Ei�`��=ç���"?���i�@6x�`��,Dq`F�����O�S��.� ��C=ß���*?�������?�S�Gq`F��*?�S�D$����=�C��3��q`F�����q`Gq`�.��� �A���2���E������`� �H��q`F=���٦��C�30��_�A����}������q`Gq{`FD$�����������ʟ�9 ��%�qFs����qGa;�D��D��C(���B�s��Vn��B/ ���� �����ÐF��B� �@���������`}����C����Ī詽���������׹�Р������/[Y�ά�����q``���à@� ��� ��.�<#�q``J��.�<#� �@��A9��``FJ�í�����Ī�/[�``F��Š/[�H���Š/[��n��Š/[˭=��%�xq```��Š/[˟�؟��T#q``F�```���Š/[�H��T#q``{`�`F�.)&��.�<#� �@��A9�q``F�������������?����q``FJ�/[Y��?�����q```�í<�>�;�D��D��C(����``�```���Š/[�H��n��Š/[�/ �``F��Š/[�H���Š/[��n��Š/[˭=��%�xq```��Š/[˭���ê;�D��D��C(����``Gq``Gq`{``Gq{`Ga@ �;���;���D��� ������F������LU��������L1������� ����Լ�`;���������EL�`FԼ�B����q`{``Gq`J������L������`������LU�Vq`Gq{`Ga<*����=)���<*E�U����J<*� Y�� � ��q`�����q{qFJ<*� �G���*%���q`B���<�>�t�<*�̭���˭ ��E��qF�`�<�>�t�<*E��q{`Ga�0��ک�� �U�ک�Ź ���F@���I��E�E<$�>Hک�Ź<*��˭�;�33���έΎ@���IH�L�@���I���@���I�D���<$�>E� ��8`Ga,���ک�qFP��?-�,���ک���ک�HVqF�� ��9�_q`���������`Jک�H��,��q``s����Eک��`{``Gq`�T��6�������������"C�LEѿ�����ʾԾ��/[��GqGa��qF�Eک�H,���ک�qFJ���۟ک�q`�QӭP���.���?-����E�ک�-֟ک�Ź4�2q`F�������Eک��{`{`GaB�@<#|F�Hi��A9�΂Fs���]}��|F�H��ҟ�qFi��A9���H�qFD��Ź?���HU����֟�%Τ�3��Ο�T��<��|FD������?��q`T#�,���� >� ������,�� B����i��F?���8qF��؟�qGa,������������;@#�<$�>8qF��H�,����BQ��D��EVE<$�>���������;@#qF���%��� ���������B�VqGa� ���p�����8qF�H��B��4��;�s���1}��|F���μ ��˟������F����ʟ��E�����Ž�H�,�������}�������Ī��|F��4H���;@#��|FJ�9���,6����۟��4Y�V��۟��μy��˟��]�|`�9���,6���� �����μy��˟����,��y�����4��`����ʟ��E�����Ž�H�,�������}�������Ī��q{qFJ��H��Ϋ�4���;�� ����E����;�GqF� ����p��J��4|F��qGa��B�@,6ƶ]�8qF�4H�L�Ź�4��;�s��V�}��4qF���� ����@,6��;�s��V�}����|F��BU�����i�Ψ�B����;�s��V�}���B�qF��B�Ũ4�Ga���������|F�D�����C��ʟ��E��C���F��C��C��ʟ����`��U��������ιΎ`����*�֟Ÿ�۟��������������ͭC���BĪ���������qGa����b8qFJb�=��Ī�x8q`ş�,��������<�>�q``�<$�>�`F� �����-֟bE���C0� �����-֟�<$�>�� ����Ζ`F�Φ����-֟���|F.D|`ş�,��������<�>�q``�<$�>�`FΦ����-֟��b�{`Ga2��9|F�9���P>��P��9 ���D��8qFA9�������Φ9��8qF��HТ��˟����7�7��3<12����|`�@��n���2��|`�H�<$�>�â��q`�@���}��|`�H��<$�>1�؟����â��q`FJ��ά�C���Y����C?��Ο�۟�<$�>��`F�q``��������C?��Ο<$�>1+|`�U��������8q`�T��<���؟�|`��W��U��;�33���ʟ��������Π�4��Y����4���F�`F���Ԯ���C�EԮ������|`A9��6��Ω�����E��)頎`������������&����<$�>W<$�>1 �à���� ����|`�<$�>T�?�����F�9����>���<$�>������G|F�0���]�|F��� ����<�>�q`�,)���<$�>��T��<��D�ʟ���`������������ͭC���BĪ��ά�C����8qF�9����>����� ������� �����9����>�T��<��T��<�8qF�9����>���<$�>���<$�>�8�F�F�HТ��P��9�G�D��E��E����9���é����/����D��E���G�<$�>���E��E��� �����)��˯8qF�T��<��� |N��ٷ���3��-֟��������������:��0��Eä�������qF��-q`�q`Fζ,�Ώ`�9���T���:���E�9���4:3����E���4�`ΦΟ՟A9��Φ9�ί� q`˭A����۹ ��کC�Χ�՟έ�����|F�9���P>������q`�7D����+$��2��9���E���X�����C�� �7����5|Fe�:���Eλ��2����F������,�� ��@�����`�� ������ ����`<$�>��<$�>��`T��<��T��<��`������A����۹ �ï�`��4���4�`0����0����`��2�����2���`*@6ş�*@6���� "p�*@6� ��`���F�������Οџ�̎F��������2��9����������G|F��1���2��9���������F����������r������qGa�?à��� ���� E�T�E<$�>8qF������ �s����O���:30���A����0�� ��� �� ���48qFs��Vn��T�����1۟�şC���B�� 1�����B�� 1˯�������F��������ä���E2��;$�� ��� � �����|F��H��;���� ���T���C���B�� ��ˎs��Vn��Y��]�|F��H��;���� ���T��Π����B�� ��ˎs����n��Y���|F� U��� �� ��<$�>�Ψ4��8qFs��� 1J��Y���|F� U�� ��D�ʟ��E���� ��?��E���n��qF� U�� @� ʟ��E���� ��?��E���n��|F� �qGa<$�>�O�A�@�t�s��nA�@�t�������|F��H���`�4�����<%�����qF����؟A�@�t�کC�````F��������qGa����"c���������E��"bH�]���?H�����ݧ�����᭱?���������š�"b�%e��:[��?�!�?�!E�?��˭ ���Ga��������3��qF���*�*�1 �å�����Ǹ�*���A�ǵ������ǵ������Ҧ��������������������������7��9����������9̫��7�������ǵ������Ǩ����r�������qFB�*`F�F�����tHłF��``H�����3��qF�� 䠷/ %�۟䠷���t�C���BĪ���۟�����t���*�؟������������ͧ��������q`�����t��؟��q`��.����EB�*8q`B�*���q`��`�q`FJ���N����� Ī����D�۟������Dq``������Dq`F.)&���N����� Ī�T3��������3���۟���T3��������3��q``���T3��������3��q`F.)&���N����� Ī���C0������3���۟�����C0������3��q``�����C0������3��q`{`{`Ga)�����)3��0�<$�>HVE;�,6HVE�����3��HV���ٷ���3�����_�P>����ܨB���ݮ�����ڤ��������3���=�����ݮ���ٷ���3��qF�F����������������+$��ٷ���3��Q��=��Īٷ���3���֟�]�qFJ�����3��/ %�۟;�,6/ %�۟<$�>�N����� Ī���������۟<$�>�N����� Ī�<$�>�F�����3��H<$�>q`<$�>FHVqF.)&�����3��/ %�۟;�,6��۟;�,6�N����� Ī���������۟;�,6�N����� Ī�<$�>�F�����3��H;�,6q`;�,6FHVqF.)&;�,6��۟�;�,6�=��Ī�ÎF<$�>H<$�>/ %%;�,6��7<$�>���ҟ7;�,6�~`;�,6HVq{qF��ޣ��N���&�����<$�>��;�,6n��VqFJ�������:%�۟�N����.��FJN����=��Ī�x�`<$�>H<$�>/ %%N���7<$�>���ҟ7N����~`F)���<$�><$�>E;�,6;�,6E�����3�������3���F.)&<$�>/ %�۟N����=��Ī���۟��<$�>�;�,6������3��˭�%ʟ����N�������%��`�)���N����F.)&;�,6ۭN����� Ī�<�>�`)���<$�><$�>E;�,6;�,6�<�>�N����E�����3�������3���F�`F�)���<$�><$�>E;�,6N���E�����3�������3���{`F�`�)���<$�><$�>E;�,6;�,6E�����3�������3���GqGa)���<$�>V�``�;�,6V�``��C��ȑ̭``������3��V�``�<����V�``�<������ 9�V�``rV�``��������V�``�P������3��������``���������3����.V�``�<�f�V����+���P�_ש��j���r�������1��C��rqF��ٷ���JS@�=�������3���j��� ��0���1�P>�qFJ�rq�F�D����rH�rq`s���]J��r�؟�C��r�۟�����3��/ �G|FD���<$�>H<$�>qFJ;�,6��۟;�,6�=��Ī�ÎFD���;�,6H;�,6qF.)&;�,6q`D���<$�>H<$�>/ %%;�,6� ��7<$�>���ҟ7;�,6�~`D���;�,6HVq{qFJ�����3��q`wP������3��q`j������q`FD��������3��H�����3��q`j��;�30q`FD���<$�>H�7<$�>���ҟٷ���3��7�����3����+$�7�����3���<$�>�~`j�VE�����q`F��ש��S�<$�>���*��S������3���*?���=��q`FVq`�`F�=��ަ��<#٦�XϨL4�L�7P������3���C�� ���O� ��<#��P������3���F�Gq`��ਟ�����3���>�S�P��.q`J��������3����.q`FD����.`FH��������3����.q`FD����.�CB�Hנ�.CB���.�{`{qFJ�������q`D����������3�����"����������������.)&�.�CB���͠�3�ש�>���������.�CB�q`D����������3�����"�������q{qFJ<����q`D���<����``<����q`D���<������ 9<������ 9�q`D�����<�f1FH��<�f�q{qF��qGaP�PE<$�>HVE����bHVE�������ө�;3� ������*���ש�>�qFs��6��PE<$�>E����bE����}�P�=��Ī͠�3�ש�>���ש�8qFש�>���0������������P8qFש�>��������P�P8`Ga<<*���CB���````��.��````�<$�>��````��C��r��````�<������````�P������3����````���������3����.�8qF��ϸ��� �E)���E;�,6qF�����3��HVqF `ᦩ��,���>�3<�ᦩ���������K���������ӎ���Cq`��.�qFN��ٷ���3��-֟���q`�����3��H���qF:��q`PHש�Q��bE�.ECB�8F`F��줺�s���]�� �.3��P�_q`�é����PHP�)���q`F<$�>``F�<$�>�`�C��r`F�C��r�`�����3��``������3���`<����```<�����`�r``F§��̭̟џ�ᦩ��,���>�3<�ᦩ���������K����������ҟ ���`P������3��`�P������3���`��������3����.��������3����.q`8q`��ש���.�����>_�)��� ����������3����.q`P�PJ�é����P��۟�é����PĪP�Fl�����3��n�����3��q{`Ga<C��0��.ECB�E<$�>E;��������3��HVqFN��FHVqF���_�;<��=�����qFJ;������%�۟<$�>�=��Ī�ÎF;�1H<$�>q`<$�>HVq{`F ᦩ��,���>�3<�ᦩ���������K���������ӎ���Cq`J�������:�`N���q``J�)���.H;��Ź)���ˎ``��Ϩ�w��<�����4: ����D�1�)�������C�6��&�)��������q``F)���.H����n)���.Y���q``F)����)���.ʟ��.��;���q``�``F���.��;���`{``GqFN��ٷ���3��-֟���q`�����3��H���qF:��q`�����Z:�����à��l���s���C�S���.������� �������S�P�:���q`P`FHש�Q��bE�.ECB��F�����3�����;��Ź�����3���`<$�>FH;��Ź<$�>�n;��Ź<$�>�`�rF�qF`J�������:�`F§��̭̟џ�ᦩ��,���>�3<�ᦩ���������K����������ҟ ��`�``�;��Ź�r˟���=�����?�������=)���j���r�3���=���������Ύ`G|`��ٷ��t���������A��1���*?������� ��������&S�tq`;�,6H;��Ź;�,6�|`��줺�s���]�� �.3��P�_q`�é����PHP�)���q`F<$�>``F�<$�>�`;�,6``F�;�,6�`�C��r`F;��Ź�C��r˟���̭̏`�����3��``������3���`<����```;��Ź<�����`�<������ 9�`�;��Ź<������ 9��`r``F�r�`P������3��`�;��ŹP������3��˟����;�30�`��������3����.;��Ź��������3����.�`8q`��ש���.�����>_�)��� ����������3����.q`D���P�PJ�é����P��۟�é����PĪP�Fl�����3��n�����3��q`N���q{`GaP�C��0��.ECB�E<$�>HVE;�,6HVE�����3��HVE�����P``ש�Q��bE�.ECB���é����P-q`J;�,6/ %�۟�����3��/ %�۟<$�>�=��Ī�Î`���� �n��<��ڮ�P>�����ß;�,6�C�6��&<_� ��0��D�3��P>�q`FJ<$�>����Ī�<$�>���<$�>����Ī�;�,6���<$�>����Ī������3�����<$�>����Ī�<�����`FP�)���<$�>�`�``�P�)�����)3��0�VE<$�>EVE����`�Gq`�`F�P�)�����)3��0�<$�>E;�,6E�����3��E����F�G|F��ש���.�����>_�)��� ����������3����.qFD���P�PJ�é����P��۟�é����PĪP8`Ga� @�ĪP�s���]J�� �/ �|F�� ��=��Īݠ>��%��� �-�~�P/[�/ %�� ���0��P���qGa���ç ���� �����蠠�� ��+�����@� ���3� ������0�1�����ݤ 1�qF���� �U� ��+���A����۹ ��@� ��۹�����Ď͠�3�ש�>�����ç ���Ѩ��� ��8`Ga �>��� �W�������ް,��b�� �1 ��;$���C �S�P>�qFJ �)���q` �H ���̂`s����.�n �/ %��� �Y���q`s�� ��=��Ī��%͠�3�ש�>�/[�� �>�� �E����͠�3�ש�>���" �� �� E�����G|F��蠠�� ��+�����@� ���3� ������0�1�����ݤ 1�qF���� �U� ��+���A����۹ ��@� ��۹�����Ď͠�3�ש�>�� �>��Ѩ��� �W����8`Ga��������*@6��@6��@#�```�.�� ��```<$�>�椫�����Ώ```;�,6V�```<����V�```<������ 9�V8qFPHש�Q��bE�.�s���]}�<����P��.ĪP8qF�������q`J*@6Y���@6��@#q`F�3�����"�������q`�`F�P�*@6zH*@6/[q`FP� �1`FH�*@6ŹD�3��P>�� ��˟����˯��,���F�`F�P/[�� �1H�*@6ŹD�3��P>�z�� ��˟��������,��q`F*@6��������q`GqF�������K����������C�6��&���O�_�C ����<$�>�?�*=���C�qF��줺�P����������qFJ�������q`<$�>����~`<$�>��؟��������کC�G|FJP�)���<$�>`F<$�>�```F�������`��������```F;�,6`F;�,6�```F<����`F�<�����q�```F�<������ 9�<������ 9��۟� @�ĪP�FD���P�P��`��]�q{`Ga<���.E<$�>E;�U���E�����CB�Hנ�.CB���.�J�.�CB���CB�q`<C��0��.ECB�E<$�>E;�W�����.)&���q`��.��;���GqGaP>�qF�P>�������Cq`P>�`F͠�3�ש�>���ᦩ���P>���,��q`P>�/[HD����+$/[q`P>�q{`Ga@:qF��������G���F���Cq`F���}����G���N����� Ī�@:8q`FP>�����ݠ:_����G��7���G��/[�~`F���G���@:q`N��ٷ���3��-֟���q`FP>�����Ȥ ��� �@�:����G��7���G���C�� ���E���q`Gq{`FP>�����ް�����G��1@�:���qGa:�:���à@��<$�>������E���à������"������:���à@��<$�>� ������:������E���à���8`Ga����<$�>�����>��������qF���à�����������������E<$�>�����՟���à����qGaI����h:3�?E<$�>�hHh:3�?� qF�3�� ����*�hE ����W�ᦩ�4���h:3�?��I����<$�>�hE<$�>���=���6��:3�?٦�XϨL4�h:3�?�����4��E<$�>�=�A�����5qGah�<$�>�h:3�?H�3��頦��� ������<$�>H<$�>� ��qFA��h:3�?�h:3�?E<$�>�h:3�?qGa �x�L4r��_�lк��٦�X��TI7�_��+$��C ��x���*�� ����}��_�N����� %� ��|F�_H�_� ��|Fl٨A�_٦�X�_1����Z������Y�:A�_����7�_�:A�_���n�_�:A�_��٨A�_��������YqGa ��ñ��������_E�B�����3��� �x�L4r��_8qF�_H�_� ��|FJ�_���)頭頦��Fl�:�*٦��``�7�����3������7�_���)�����1�ٷ� �� @�*�̯��``�0�q{qF�_qGa �x��_E��*EB�����3��� �x�L4r��_��_H�_� qF ����*��_E��*EB�����3��8qF�_qGa ����*��_E��*EB�����3���J�_/ �F��AB��.���=��91�����C���q`��V����TI�� �����*�� ���<*��q`l�:�*٦��``�7B�����3������V��ٷ� ��7��*� �C�����``�0�q{qFJ�_���)����*� �C�q`l�:�*٦��``�7B�����3������7�_���)�����1�ٷ� ��7��*� �C�����``�0�q{`F��qGa頦��;���E<$�>��H<$�>���)�qFJ�Y��q`<$�>qF.)&��֟�q`l�:�*٦�X�x� ��,���O�頦��;��_� �7������~F�`�<$�>�՟頦�����ҟ��GqGa����:�������Ei��lަ��<#٦�Q������������4��5n����/ �|Flަ��<#٦�Q�i���������4��5ni/ �|Fà6��U���qF����à6��U�ө� �Q��>"����à6����=AI��X�´X����:���à6��<�>䪡���à6���8qF;�U��F�If�-֟�IfqF�|FiH�F������-֟�����F�i�-�?�qF�|F<*����H�Ǽ�Ǡ�:���|FN���Z�q`<*������д�F�<*�����Fà6���à6����F;��;���Fڡ��i�F�����"ڡ����qF�N���DqGa6��������������r�4�E�����z�E������N����ET C���T#�����VE0,���I���VET#�����V�lަ��<#٦�Q�������r�4���������4��5n������r�4/ �|Flަ��<#٦�Q������z���������4��5n�����z/ �|Flަ��<#٦�Q�������N����������4��5n������N���/ �|Fà6��U��F�ө#�C���ө#:��к���-֟T C���T#������F�ө#:��к���-֟T#�����q�F����à6��U�ө� �Q��>"����à6������ ç ����X�´X6���������à6��<�>䪡���à6���8qF;�U��F�0,���I����-֟0,���I���qF�|FiH������N���|F<*����H�Ǽ�ǤA����������r���Ǥ�����塴�����湹�3����:AB�������r�4�E��湹�3����:AB������z��|F�q`<*������д�F�<*�����Fà6���à6����F;��;���Fii�F�����"ڡ����qF�VqGa������i����A�������� ���A��������� ��i������ ��� �����ʟ������=��Ī�:�%��TI" �����E�����A�����������qGa �����B�D�LE��� �ä�V�s��}�L�=��Īަ��s�nL�������|F��� �ä���^��L�L8qFU���� �ä����â��qFl�:�ͥ@�����0٦�Xަ��<#������:Z��7L�E��� ��)�7�����7L�)���nL�)���|Fs�n��� �ä���������|FL���������F �����B�D���E��� �ä�������GqGaM��é�B�������E^��VEbV��:�ͥ@�����+��é�B�Q�������EVE^��Ebb8`GaD$�����L�?HVE*@6�������+$ө��@#��ϱ<��?�ٷ EP�B���M��<#�]�E���c�:����]��D$���H�:�ͥ@�����fQ���L�?E*@6�������+$*@6�������+$EP�B���M��<#P�B���M��<#E���c�:������c�:������.��D$���n�������:�|FD$���qGa� ���A����A�VEB����"bHVE@�DVEC�30�頦V���@6��@#Ź���@���� ���A��˟���� ����A��Q��|F��9��������qFJ�A��/ %�������"bq`�[zU�>"� ���A����D�zD�ʟ���� "��*ĪB����"b�q`���zHB����"bq`CB�H�q`�� �[zC���BĪ���z�`���zH�7B����"b��7CB��~`FCB����q`Gq`�A����z��`�G|F� ���A�� ����A��Q��b�A��E@�D@�DEC�30�頦C�30�頦�>"� ���A���@�=�z��A�������@6��@#Ź���@���� ���A��˟�؟� ���A��qF�A�bH���A�bqFJ�������:�F���Cq`F�:�ͥ@���>"B����"���/[A����A��2q``��.���A�b�`Gq`:��q`F��@6��@#Ź���@���� ���A��˭�q`GqF�`�� ���A��q{`Ga� ����LEbVEC�30�頦VE���VE�����VE�C�����H��í>"B����"��í6����)��EVEL�A� ��tH�FC�30�頦C�30�頦�����Fbb�F�����ÏF�����������F�C���C����qF��HJL�=��Ī�x�F��� ����������_E�E��E>"� ���A��EA� ��t�.)&L�=��Ī�#�>��F��� ���������C���E�E��E>"� ���A��EA� ��t�.)&L�=��Ī�,?�F��� ����������,?��E�E��E>"� ���A��EA� ��t��`���� ����������,?��E�EVE>"� ���A��EA� ��t�GqF�D"C���E������í>"B����"��í6����B����qGa,6�����x��������D��0�頣�U��Y��׭���,6�������E�ͺ�����E��E���D��0�頣�������B��FC�U��B�ŹC��˭����ʟ�������í>"�����z���q`tH��|`����� HVq`J�B�������?��W�T C���`����� H� ���Q���B�������?��W�i�������`� ä��B�������?��W�T C��E�^���`� �tH�B�������?��W�T C��E�t�`� �tŹb�H�B�Źb�|`F����� ��@;@�� ä���)�E� ä��E�:�ͥ@���>"� ���A��E� �t�`tŹT C���H����� |`F���í6��� ��������� E� �t�{q`����Hଠ3��Q������EC��C�Wt�B�Ź?���˭<�>�t��F������3��H�B�Ź˭ ��q`����/[H�B�Źb�`�����^��:��ä��Q���:�ͥ@����Ϩ����ä���C���ä���������F�������H�����^�����q`�����i���������D"i�������B�������?��W�i�������F�����=�TH�����C����Tq`��������:zH����/[q`����� �H����n����� |`���í6����B������GqF����qGaB�����B���b���@6��@#Ŵ�����ç7��� "4��˟����qF��@6��@#Ŵ�����ç7��� "4���ŹB����"B����˟��łF��@6��@#Ŵ�����ç7��� "4���ŹB����"B����˟������bqF���Cq`��.�qF:��q`��@6��@#Ŵ�����ç7��� "4���ŹB����"B����˭�q{`GaTI��D$���E ���C"(�B�E���c� B��cHe�کC� ���C"(�B�X B���������:�ͥ@�����í�B����2���@#���ÐF�Y���ש6��Q��,6�����x�e�@6� B��c��F��IH�:�ͥ@�����C��ͤIQ�q`��I�N @�D$���E ���C"(�B�8q`��A��0��)���1��@ �S�������S����q`@ ���BU�͠�Q���@#����/�BLD�ʟ����=��Ī�:�ͥ@����ଠ3���۟���rY��)���������ʟ����T��<� ������+���9��8q`���������H�:�ͥ@�����Y���Q��>"�_��@#����ʟ����E��B�����`��BH��í>"�����z���B�����`w��B��3��q`Fj��� ����q``LH��B�T C��q``tH�``LL�``i�������B�i������``^��^��L�L��`�``T�H�:�ͥ@����ଠ3��Q���@#������EC����Ett�`FT�/[H��B/[q``T���3��H�Tq``T��i������B�i�����q``T��^��:��ä��Q��^��L�L�8q``T�q`Fj��)��q``Vq`F�``�@ ���BC���BĪ��B/[%V���Bq`{``�q`e��������cE����������GqGa頦���^��E�������,?��EbV����頦�W^��E����������Ebb8`Ga ����C�E�H�E����EbV�N����� ���EC�E�E����Ebb��N������EN����!�Ga �êC���EbV� ��0,��������C���E�:�ͥ@����ଡ��������������Ч��Y��͎��� ��EC���Ebb8`Ga ��C���EbV� ��0,��������C���E�:�ͥ@����ଡ��������������Ч��Y��͎��� �EC���Ebb8`Ga����C���E��=��HVE��=VEbVE���������]�� ��0,����������=��E�:�ͥ@����ଡ��������ݧ��Y��͎C���H�:�ͥ@���TI" ����C����s��C���nC����^�����0 ���=��H��=��������=qF��=��H�"��=�C���E��=���������EC���E��=��EbbE����������������8`Ga����C���EC���EbV�C���EC���H������i����A�������C���EC����������EC���EC���Ebb8`Ga)��C���EbV� ��0,��������C���E�:�ͥ@����ଡ��������������Ч��Y��͎���)�EC���Ebb8`Ga)� 4�C���EbV� ��0,��������C���E�:�ͥ@����ଡ��������������Ч��Y��͎���)� pC���Ebb8`Ga^���C�EbVE�������C��Ɏs��T��^��L�C�E�������E�����������Eb��ä���7b�5nC��=��Īަ��۟�C���˭=��Ī�:��s��T��C��^���^��E�����������Eb��ä���7C�/[���5n^������ ������C�����^��EC�EbbE������������8`Ga��Ԧ��C���EbV� ��0,��������C���E�:�ͥ@����ଡ��������������Ч��Y��͎�����Ԧ�EC���Ebb8`Ga��9��C���EbV� ��0,��������C���E�:�ͥ@����ଡ��������������Ч��Y��͎�����9�EC���Ebb8`Ga���C�EbV�C�HTI" ����C��s��T��C��^��/����JC��^��������������EC�Ebb8`Ga�>� �E���EB� H�Eb��>�E�����VE��������C��Ɏ����>E �E���EB� EbbE����������E��������������8`Ga�2��9�O��^��EbVE�������,?��E�CL�E���L�ED��V�����2��9�O�E^��EbbE����������E�CL�CLE���L���LED��D��8`Ga�����C���E��=HVEbVE���������]�� ��0,����������=E�:�ͥ@����ଡ��������ݧ��Y��͎C���H�:�ͥ@���TI" ����C����s��C���nC����^�����0 ���=H�"��=�C���E��=��������EC���E��=EbbE����������������8`Ga����C���EC���EbV�C���EC���H������i����A�������C���EC����������EC���EC���Ebb8`Ga ��C���EC���EbV�C���EC���H������i����A�������C���EC������� �EC���EC���Ebb8`Ga�,�C���EbV� ��0,��������C���E�:�ͥ@����ଡ��������������Ч��Y��͎����,EC���Ebb8`GaA��C���EbV� ��0,��������C���E�:�ͥ@����ଡ��������������Ч��Y��͎���AWC���Ebb8`Ga�� �C���EbV� ��0,��������C���E�:�ͥ@����ଡ��������������Ч��Y��͎����� EC���Ebb8`Ga �����C���E��=HVEbVE��<�fVE��������C��Ɏ ��0,��������C���E�:�ͥ@����ଡ��������ӧ��Y��͎ ��0,����������=E�:�ͥ@����ଡ��������ݧ��Y��͎��� ����EC���E��=EbbE��<�f��<�fE��������������8`Ga6��C���EC���EbV�C���EC���H������i����A�������C���EC�������6�EC���EC���Ebb8`Ga�����D���*������ �E���� �E^��E���ä��E����� ���^���@������ю���=U�^����������¯�@ID�C� ���!ʟ��E��F���؟1џ��+qF��@ID|F���3���U����ä����������¯�@ID�C� ���!ʟ��E��F���؟1џ��+qF��@ID|F ��頭3<12����F���H�q`CB�Hł`���=�����*���� ��CB�2�����E��`���؟��������� �����,q`F���H�������q`G|�F���@���������������q`@�����H���������ʟ����CB�ŷ˟�|`����H�`���3��������*�CB�����E4��`���ɟ�@������4�˟џ�q`G|`���� �Ŭ����H �Ŭ�{qFŨ��� �E���ä���Ga� ���� �E� ��E����H�]�E�����E����n>"���� �؟>"���� �������B�����&�q`����?��Hަ�Q��� �ɭ)��`� �q`�q`s��� �������?��E� ��E����E�����G|Fs����.��� �E� ��}�� ��=��Īަ�8qF� �������*�CB��A��ʟ�C�ECB��F���� ���C�E� ��E����E����JC��=��Īަ��۟>"���� �֟>"���� ��8q`J����۟� �ɭ=��Īަ��`���Vn� �ɭ)��Ÿ�۟CB���� �ɭ)�q`G|`�HJ� �ɭ=��Īަ��`JCB��؟� �ɭ)�q``� ���CB��`F�``�l�CA�;3���^���D�_��n� �ɭ)���q``� ���̂`{``�`F�� ��q`G|`JC��=��Īަ��`� ���C�E�E����E����F��`F������%�������EC���.��C�E�{`F��A�;��qGa���6�"��<�f��C�E���U��ˎs��C�n���������|F�H����â��|FJC��=��Īަ��۟�>"���C�ҟ�����)�q`���� ����HC��A��ʟ����`���6�"��<�f����E�������F�|`���� �����՟ަ�Q���ʟ���� ��������+���Ž.)&C��=��Īަ��Fަ�Q���ʟ���6�"��<�f��C�E�������qF�`�ަ�Q����՟�ʟC���GqGa���ABE� ���tHJ �+�=��Ī�ÎF ��qF�`���q{qF �1�؟t�<�>�C��0�����í>"B����"��í6���AB� ��E� ��8`Ga��� �U���� �U� ����qFB���� �B��B�����������)� �B�������)������ �B�������bH �B��b8qF�@���?HłF�9�tH��|F �������E��Fl�ϨL4� �<#��3���7����}���=��Ī�:�8q`�@���?��؟�q`�9�t��؟���=��Īᦩ�%���0����G|F�����E�@���?EB�����EѶ9�tE�����)�������)��E��������Ebb8`Ga9;���LE���VE��=�Eb�9;����9����LE������E��=��=Ebb8`Ga;���LW��=�Eb�;����������E�LW��=��=Ebb8`Ga�?à��;�WC���EL4?C���V�bV���=̎����?à�E;�WC���EL4?C���L4?C���EbbE��=��=8`Ga;����E;��_W B��������дEbV����;�E��E;��_W B BEbb8`Ga����C�EbV� ��0,��������C�E������������Ч��Y��͎������EC�Ebb8`GaP�C�EbV� ��0,��������C�E������������Ч��Y��͎���PEC�Ebb8`Ga�Ԧ��C�EbV� ��0,��������C�E������������Ч��Y��͎����Ԧ�EC�Ebb8`GaD��C�EbV� ��0,��������C�E������������Ч��Y��͎���D�EC�Ebb8`Ga��C��C�EiE<$�>VEbV������C�EC�EiE<$�><$�>Ebb8`Ga���C�E�����EbV�C�HTI" ����C��s��C�nC��i����������|F�����EC�Ei����������Ebb8`Ga?�C�EbV� ��0,��������C�E������������Ч��Y��͎���?EC�Ebb8`Ga�A��C�EbV� ��0,��������C�E������������Ч��Y��͎����AWC�Ebb8`GaC�C�EbV� ��0,��������C�E������������Ч��Y��͎���CEC�Ebb8`Ga�à@�T��3��E���VE�]VEbV�����à@ET��3��E����E�]�Ebb8`Ga��������;�33���iE;�3tE����;�3tEbV�N�������������;�33��EiE;�3tE����;�3t����;�3tEbV�����;�3t�3<������CB��FN����CB��{`GaT�?�LW��=Eb�T�?�nL=��Īަ��F���T�?E��=E�LWbb��`����T�?E��=ELWbb�GqGa@���<�C����E��=HVE���������]�EbV�@������<EC����E��=E���������������Wbb8`GaP��0���C���EC���EbV� ��i�����C���EC�������P��0��EC���EC���Ebb8`Ga���^��E�������,?��EbV������E^��Ei����������Ebb8`Ga����C�E �E)�EbV�������EC�E �E)�)�Ebb8`Ga�2��9�O��C�30�頦��CL�E���L�ED��VE�����V��:�ͥ@����Ϩ�30�頦Q���֟ʟ����2��9�O�E�CL�E���L�ED��D��Ei�����������8`Ga�,��9�O��C�30�頦�D��VE�����V��:�ͥ@����Ϩ�30�頦Q���֟ʟ����,��9�O�ED��D��Ei�����������8`Ga�����������W����A�����VE�������,?��EbV�������E�������W����A����1����������Wi����������Ebb8`Ga�2����0�^��E�������,?��E<̭�E�B�­�ED��VEbV�tHʣ���������E<<E�B��B�ED��D��Ebb�qF����2� �� ����0E^��Et8`Ga���:�������W��"�Wb����:���E����:��V�����U�����qF�U���"�����۹��A��ʟ���FU�����:�1%����:�����۹b��کC�5��~`���:"�����zH����7����b��7�/[��7���� ��q`������H�������|`��������HJ������/�B�6B�Ī���:"�����z�`�����í>"��B����:"�����z�F�`F������íbA�����:"��"7�/[�5�q``B���?��U��:�ͥ@�����?����:�B���?��������W�E��������Ï```````````````````����:������:���`F�����í6����B䪸��:"�����zEB���?����`Gq`Gq`��������qF�|F��qGaD�"�Ԯ0��E�EiVE���� ��VE<$�>VEbV����D�"�Ԯ0E�E�EiiE���� ������ ��E<$�><$�>Ebb8`Ga,6���c�&eQ����cX����HłF�� 䶭���%�۟��H��@6�������F���؟�q{`F�L�?���8`Ga�������_�,����������O��;�W4W;�33������ ��EbVE������VE���O����V�l�:�ͥ@�����0٦�X蠠��?���;��n;�V�|F;�U��;��˟}�;�=��Īަ�8qF�:�ͥ@��/[A���bX������_�,�����EL�;�1՟�4��2��b�F��H;�)�q`4U��:�ͥ@���TI" ����4Wb�4��Fn���Y���۟����O����/ %����4^���)��¯�`���Vq`F�:�ͥ@���A,�?��*�;�����2q``N�������:�ͥ@����?à��;�����E4Wbb�E4W�������`FN�����O������0��N���J���O����q`{q`Fs���:�ͥ@���4:3���N����F�`F��+"4U��:�ͥ@���Nä���4W��!�`��C0�C���H�:�ͥ@����>��:�ͥ@���)頪�+"4��8q`F��)��<#U�Vq`F����4U�V|`FJ;�33�����-� �~``��)��<#U��+"41埨�q``����4U��,������+"4W���`.)&;�33�����Y���~``l�����������~`F�``�l�:�ͥ@�����0٦�Xܨ@A���頣�;�33�������՟;�33�����q`{q`F��)��<#U��:�ͥ@��������)��<#W�C��Ɏ`�?à��4U��:�ͥ@�����������;�33�������4W��)��<#W���`�C���H�:�ͥ@�����������;�33�����C0�C���E��)��<#W���`;�33�����N��ł`F�̭�/����������`F�4U��?à��4�Ŭ�``N��Vq``�:�ͥ@���A,�?��*�;��Ŭ�2q``FN���:�ͥ@����?à��;��Ŭ�E�4��``J���O����q```���&���O�����=�����4��ES�����������@��B�q```��S����O�����:�����A�,�?����͠�.��q```��O�S�A9�;�J���O�����=��������B��q```N�����O������0������N���E�4W��������``Gq``Gq``;�33�����N���؟N���q`{``F@�:�ͥ@����������3���C���E;�33�����N���Ebb8q`FJ���O����/ �`F.�<#ä�U�;����˭^���­��!q``;���­��!����ʟ����.�<#ä�U�.�<#ä�<�>���*���^���­��!�q`F�``�.�<#ä�U�@��^���­��!qF�F�G|`F���ө��S�������.�<#�^���q`F.�<#ä��HJ.�<#ä�������B�C���``````�.�<#ä��q``````.)&���O����/ �``````��ϥ�1��� #�*?��A��;����˭^����S�����B����q``````F�� ����4?�� 3���q``````F�:�ͥ@���A,�?��*�;�����2q```````;��ä��:�ͥ@���^���;����ˎ``````F;��ä���­��!q``````{```````�``````F��:�ͥ@���^���@���­��!q``````Gq`F@�:�ͥ@���Nä���@�E�:�ͥ@���T�?���:�ͥ@���^���4��E.�<#ä���E̯�`@����@�E4W������}����O����q`F@�q`Gq{`Ga������_�,�����;�W4W;�33������ ��EbVEL4?C�����E������V��������_�,����������O��;�W4W;�33�����;�33�����EbbE������������E���O����V8`Ga���)��0�)��0���@6Q��q`�K ����� �� ��C��<#�ά������)��0�E�0�D��E)��0)��0�GqGaBI�qF<$�>������������L���i�.�<#��Fi�.�<#�����iEt�`�������*=� ����bE����� ���?�b�;���Ǡ��� ����C��K����q`F����������� ����>� �����JB������������D��`������� ���H�K ������ެ��T���� ��������������_�tŹ ���ˎ`����0�tHt�<�>� ���������� ����`���������t���0��iE����0�t�{`{`GaL4?t�qFs�����}�D����+$�t���|F<$�>������������L���<$�>����F<$�>���������<$�>�i�`N��D����+$�t�����0��<$�>�i�+�`���JN����������|`Fl�K ������٦����ϨL4����B����>�t٦�EN��������q`Gq{`GaL4?���>�qF@�=@�� ���U�D����+$� ���������bE ����F ���� �í<�>�q`F���>�A9�<$�>���������b�ۭA9����`�G|F�D�� ���U�<$�>���������������bE���>�F ���HD����+$� �����b˟�������B�������Q��bE@�=@��]��F ���� �í<�>䪮��>�A9����>�A9��G|FN���K ���������������B�ܡ�>��0��q`@�=@�� ����@�=@�� �����F�D�� �����D�� ����qF8qFs�nN����������|Fl�K ������٦����ϨL4����B�ܡ�>٦�EN��������qGa,�r�� ��,�r�s��Vn,�r/ �,�r��q`�����q`2������q`�����������E�ί��q`�����������9��Ǫ������E�ί��q`�����ǟ��EΟί��q`�����dz�Ť���ѯ�E����8`Ga@6�L�����E����s������n���/ %����Y�|F����������ǯ�@�������2�����E��F}����/ �`J����������`F��Ϩ�30��9q``���H����ŷ�`F�``n���������Ī��``���H���ŷ�``�``F���ͩ<�C�<��?���������=�q``Fs��Vq``Gq`{``�`F���ͩ<�C�<��?����s�����������Lq`F����=�C���?����0O<��:���q`Fs��Vq`Gq{`Ga���:���E���H�E���H����E���8qF���H�]�qF�� �����q`���Cq`FT�H�9��Q���é-֟T�������Ԭ�é��`````����֟T�������Ԭ�����`````���D�b-֟T�������Ԭ��D�b��`````��;$��-֟T�������Ԭ�;$����`T�� �|`FFT�����.q`FB����Q�D�3����@���� �7T�������Ԭ��@�����~`F��@����A��������Ԭ��@�����`B����Q�T� 3��� �7T�������Ԭ�é���������B��|`F�H� ����T�������Ԭ���>�E����֟���````�����B-֟�]��`�H����E����֟���`ԭ�C���E���_����-֟���8q`Fԭ��������������-֟���````���0����-֟��2��BI��C(E����3E����|``J���Y����O�q``F��������>�BI��C(�BI�� ��`FG|``���Cq``F�����0������`F:��q``FJ��������O�q```��������>�BI��C(�BI�� ��``Gq``Gq`{q`N���9�������ө�� 3��Ȥ ��-֟�q`F� �ө�� 3��� �7T�������Ԭ�é����� ����ݠ���_�C�ŸD�~`F����ŽFN���9�����$����:3�rȤ �٦�-֟�q`F� �ө������h:3�?�7T���D�b�~`N���9�����ȩ9�E�9����ޫ��ݠ��D�E�9�����@T��3��Ȥ ��-֟�q`F� ����.����7����ݠ���_�C�ŸD�~`F����ŽFN���#������֟�q`F���H��q`N��� �� �٦�-֟�q`Fl�q`Gq{qF��,Z}�/ �T���,Z}�T�/ �|GaL4?�qFJtŹT����/ �F}��e���=��T��������5�`Ц��,������詟T����c�C�����,�r��7𢦭��������Y��q`````����� ��� ����S�7�T�����;<���ݠ6�Sq`````2��<#r����é�� �����T���������c�~`GqF�`�Ц��,����������C��c�7tŹT��������q`F}�e���=�ĪtŹT���ˎG|F}��tŹ�D��/ �FJ��ᦩ��4Y��`FЦ��,�������3����ҮD���Ү���������� �����������~`Gq`F���Cq``٥��>��������tŹ�D�ˎ`N��ަ��<#٦�q``Ц��,������詟����D�7�tŹ�D���~`{`{`Ga������tqFA���HD��qF�tHЦ��,���t�A���� ��2|`A�����@;@�t�D��8q`������������ �� ��t�q`���|`�T���E�T���������c�,�r�E����֟ΫΏ`F�B�����֟�T���������q`�I��DE�I��Z B�E����֟μ�q`�6��E��៊� ��ZO����O�_�@���E����֟ΤΏ`F�����֟�xq`� �:E��箵���ß �:Ώ`F�����֟�xE����֟Υ�q`�@ԧ���E�讱�����@�1 ������������4�����A9�C�@ԡ�é�Ώ`F�����֟�#�>�E����֟ΰ�q`�9��E�ܨ���b�O�*=�A������ ������ �C�PΏ`F�����֟�xE����֟ή�q{`Ga@�����B����"��������E@��E@�N�H�]��@�������H@�����@��������E@��E@�NÎs��Vn@�������/ �|F�����Hα��qFJ@���������B����"����/ �F�����@#������@���:��������:������OSq`������"�����.����6B�� �S�����q`@�������H@�����@��������E@��E���Fs��Vn@�������/ �GqF�����H@���������B����"���˟}�@�������/ ������qGa@���������������������E@��E��E;@#������E;@#�@��E;@#������FH@�����B����"��������E@��J��/ �;@#���H@�����B����"���;@#������E;@#�@��J;@#���/ �s��Vn��/ %�;@#���/ �|F�����H�å�����Ǥ�����*���A��@����7;@#��������7;@#�@����A�;@�7;@#�������7�������7���~F����������8`Ga>"@�����:��������E@����H���@����7�������7@���Ǡ�:�����H;>��������8qF���������F}�>"��:�����4�˯�������`B���ݠ��) �����:7�������7@�����֟7��Υ�������7���4����0@6����=��~`�`F����)��������:�W��`C(ޣB����:O�@��) ���7�������7@�����֟7��Υ�������7���4���~`Gq{qF���)����C�����:�W��@��/[�-�7�������7@�����8qGa@������?����D�E@��E�?���@�����9������D�E@��E�?��E��?����````Ŵ@����7�D���7@���� ��頦���````���@���-֟@��EΩ�����-֟�D���````�PC�EB�H�B��8`Ga@������?�����D�E@���@�����9�������D�E@��E��?����````�Ŵ@����7�D���7@���� ��頦���````F��@���-֟@��EΩ�����-֟�D���````��PC�E��HVE@�N�H�]�EB�H�B��8`Ga@���������D���H����D���7�D�����~F�U�;>�������������ʾ���@����������PC�˯�qGa@�����A������@��E^E�D�E;>U���8qF�HJ^/ �``���@����7�D���7@����A�����~``�``F����@����7�D���7@����A������^�7^�~``G|FA����U�N������;>���E;>�8qFA������������F@�����A�����@��E���^��E�D��G�D��ʾ������/ ��qGa@�����A�����@��E^E�D��A������)����C���A����W��^�-�7^���8qFJA�����������F�H���@����7�D���7@����A������7^�~`�H������8q`J�/ %���������`s�q`G|`��A���;�� ��������0���1CN3��q`JT�����A���"�����Υ����q`F���c��˭���ʟ�c��c�B��;���q`Gq`���)������A����W��FC(ޣB��A���7�D���7@�����֟7^�~`�qF�`����ө���7�D���7@�����֟7^����=��~`A��������q{`GaT� ��6���ED�3�������IH���������6����C���F���IQ��D�3���8`Ga? � �������ͩ�����C��L�q`��+$��؟D���;�D���;�G��C��L�q`F0��<*������C0�:E�:|`Fw����Y��������q``j��­��E�­�9�q``FB�C<*����:2��T���ET�����``F��C0�:�T���ET����E���``Gq``�``F��C<*����:2��T���ET����E,�0�éE,�0����``F��C0�:�T���ET����E����,�0����``Gq`{``Gq{qFN�����Cq`��.�qFN��� �� �٦�-֟�q`l�qF:��q`���ͩ�����C��L�q`F��+$��؟D���;�D���;�G��C��L�q``0��<*����:E���C0�:q``@ �<*������C0�:q`{``Gq{qFN���qGa����@�����E<���������8qF���Cq` "3�1�&������@���q``F��ɟS����ܨ������:3��q``� ��@�����������E��`Fs��Vq`Fj���Ÿ��ܨh�頣q``� ��@�����������E��`F� �ܨh=���@����*� �:7� �:�~``l�q`Fj���Ÿ�����ޟ ��2��q``� ��@�����������E��`F� �ݠ����� �:��������ޯ~``s��Vq`F.Z��͠�I����������T��t�*?��*������@��q``� ��@�����������E��`Fl�q`GqFN��� �� �٦�-֟�q`� �����������E��Fl�qF:��q`����������=������:O���������S������N��q`��詟4���é�����@�1 ��� ����*=���������n�ä��9��q`J�@����_�؟�@ԧ���q`F ��H�N�ҟТ�����H:���������;>���iH����@�����8qFJi/ %?��< / %?��< ������/ �Fs���q{qF��U�;�D�����i�< ������8qFJ��V%������+��/ �Fs���q{qF;�U���Ϲ�;�D���Ϲ�;�D������+�˯�����;����;>����˭ ��qGa+����?����E� �����Cq`�U�Т��E�E� ��`l�q`Gq{qFs��Т<�;�D�N���D�< ��+� ��������}�N���D�< ��+� ��������/ �s��Т<�?������8`Ga;>��������E;>U�T�����������= ���;>��������`````+HV8qF�H:���������;>���iH����@�����8qFs����ni/ �|F}?��< ������/ �F��U�;�D�����i�< �����ˎF+H�����+��n+/ �|`J;>1֟�`F;>U�;>1ҟ�q`FJ;>U�``s��;�D�@��N����i�`Gq`G|`J����Ψ�����/���`;�D�@��N����i�F�`F�;�D�@��N����i��;>�����������Ψ�����E;>W+�{`F�`�;�D�@��N����i�GqGaP��.E���8qFw�.q`j���?0�S�q`FP>����?0��@������0��՟����Fj������S�q`FP>��������@������0��՟����Fj��� ��S�q`FP>���� �F�@������0��՟����Fj��C(�S�q`FP>���C(F�@������0��՟����Fj��B����S�q`FP>���B�����@������0��՟����F�`F�P>���B�����@������0��՟����GqGaA������E@��E�D��A����U�ŹA������FA���A���������^-֟���^��8qFJA����/ �FhHA���"�D�����h��E���A��������h�ˎFA����HA���"�D�����A�������E���A��������A�������8q`@��) ��H:�@����D�E@��8q`J@��) ��/ �`� �ө�������C��@���7�D���7@����O�_�A���7���^���~`G|`A����CD����^-֟���^Ζ````F�h�4-֟hŹ4�````F�A������4-֟A����Ź4�````F����� "4-�n@��) ��/ %S��V�.Z@��) ��Ź4˟G��````�����?-�?�����A��������h���Σ?��ˎF�FC(ޣB��A���7�D���7@�����֟7���^���q`A���������^-֟���^�ˎ�`����ө���7�D���7@�����֟7���^������=��~`A����q{`Ga�����3��������qF���)��|FN��VqF "3���S��@���������A���"4΂``````j�,D���S��@���������A���"4΂``````.ZVq`````{q`J@��������Π�:���Y��)�����|`Fa���?)����������E@��E=�E�� ��`F��Ź=��˭�����4-֟=�Ź4˯����?���)���4-֟�� �Ź4ˎ`FC(ܬ�?���7�������7@�����֟7=�Ź����E)����֟7�� �Ź4��~`{q`FJ=�Ź)���4�/ %S�q``���?)����������E@��E=�E�� ��`�``���=3��H��Ź=����:��˭�q`````� ���=��4-֟=�Ź4˳���3��-֟�)����ί��q`````B��͠���B�������?������q``J��=3��/ �``���?)����������E@��E=�E�� ��`F.)&�?����=3��Ź���?��?��@��������΄��?��8F```���?)����������E@��E=�E�� ��`{``{``G|`��Ź=����:��˭CD���q``���:"4-֟��:"4�`F�=��4-֟=�Ź4�`F���� ��4-֟}��� �/ %S���� �Ź4˟G�`F���3��-֟@��������Π�:�Ζ`F����3��� ����-֟��3��� �����`F����?-�?��@��������΄��?�˯8q`C(ޣB��=����:7�������7@�����֟7=��4��7=����:"��~`��Ź=����:��˭�����=��4-֟=�Ź4�```````���:"4-֟��:"4��`�����$���:7�������7@�����֟7=��4��7=����:"�����=��~`���:�q{`Ga:�=����:��������E@��E=��4��@��H:�@��������E@��8qFJ�@��/ �F� �ө�������C��@��) ���7�������7@����O�@�����_���:�1O�=��7=��4�~`s�q{qF=�H:�=�������E@��E=��p�]�E�]�E�]��J=�/ �F� �ө�������C��=��7�������7@�����֟7=��4��O�@�����_���:��~`s�q{qF@�����=����:��������E@��E=��4��@�������2�����E��|`J��Ź=����:��˭�����=��4-֟=�Ź4�```````F����:"4-֟���4�˯/ �`�����؟�q`�`F����q`GqFG�����ʟ���F�����:�=����:�������E@��E=��p���4�˯�qF��D��ʾ����/ ��qGa:�=�������E@��E=��p��:�U����```F�A�<#U���E+�.U���8qF=�U�Ź=���F@��) ��H:�@��������E@��8qFJ@��) ��/ �F� �ө�������C��@���7�������7@����O�@�����_�=��7=��4�~`s�q{qF��=�H=������=��4-֟=��4�``````��@���4-֟@��) ��Ź4�8qF@�������H@�����=�������E@��E=��48qFJ@�������/ �F� �ө������@�����=��7�������7@�����֟7=��4�~`s�q{qF��᮰��@�1��=�1^@�S��[�=��4qF�����@�H}�@��������ά����@���/ %q`F@��������ά����@�����;�����/ �```�����$�7�������7@�����7=��4��=��������@�~```F�:������������E@��E=��p�]�E�]�E�]��``F�G|FJ��=�/ �|`@��H:��D��@��������ήD�����PC��E�]�E�]��F)���}�@���������)������/ �```F�:��D��@���������)��������PC��E�]�E�]��```�G|`=�CD����@���4-֟@��) ��Ź4�````�)���4-֟}�)����/ %S��)����Ź4˟G�```F��@���4-֟@��Ź4�````�=��4-֟=��4�```F�������@�-�n�����@�/ %S���].Z���G��F�````F������@��4-֟}������@�/ %S�������@�Ź4˟G�```F�����?-�?��@��������΄��?�˯8q`C(ޣB��=��7�������7@�����֟7=��4�~F�`�����$�7�������7@�����7=��4����=��~`J��=�Ź�����@��Y��]���������@�/ �`C(ܬ�?���=��7�������7@�����7=��4��������@�~`F=�� ���=��4-֟=��p�@���4-֟@��) ��Ź4˯����?���F�``F�������@�-֟���``������@��4-֟�����@�Ź4ˎ{`{`F:�=����:��������E@��E=��4J��:��qF:�=��A�<#�������E@��E=��4JA�<#�qF:�=��+�.�������E@��E=��4J+�.�qF=������=��4-֟=��4�```��@���4-֟@��) ��Ź4�8`Ga:�=��������E@����@��H:�@��������E@���J�@��/ �F� �ө�������C��@���7�������7@����O�@�����_�=��~`s�q{qF=�U�Ź=��˭� ���@���4-֟�@��Ź4˯�0�qF��=�U�@�����=��������E@����@�������2�����E��```Fn=��C��ʟ�����Ź=��4�Y���Ψ������˟�/ �````������؟�q````��`````F���q```FF�Gq```F�G|F��=�����ʟ�������ʟ:�=�������E@��E��Ψ�����������D�ʟ�����/ %�qGa:�O�������E@��EO��4�O�H@�����O�������E@��EO��48qFJO�/ �F� �ө������@�����O��7�������7@�����֟7O��4�~`s�q{qFO�zHJO��ζ���z��/ %S��O�����˭�������ǯ�ﭭ�˭کC����.ZO��ζ���z�˟GqFO�������HO�z��������ǯ�̂FO�zHO�z��������ǯ�!|F�H:�@���O�������EO�zE��8qFJ�/ �F� �ө������6��7O���������7O�z���O���&7�������7@���~F�`�C(ޣB��O��7O���������7O�z���&7�������7@���~{`F�qGa:�O��������E@����@��H:�@��������E@��8qFJ�@��/ �F� �ө�������C��@���7�������7@����O�@�����_�O��~`s�q{qF��=3���O�U������������ �W��D�����q`F�à@�͠���Ԯ0����ήD���E�4��֟͠���Ԯ0����ά��� ���EΩ�����4ί����q`F�à@�͠���Ԯ0����ά��� ���E�O����������֟�@��Ź4˯��q`FD���͠���Ԯ0����ά��� ���E�bίE�PC��0�|F@�����O��������E@����@�������2�����E��FJ��=3���O��C������`O����@��������H�����˭�������ǯ��`FO����@��zH�����˭�������ǯ�߂`F�ŹPC�Y�O����@����������۟�Źb�Y�O����@��zq`G/ �`�����؟�q`�`F����q`GqFG�����ʟ���������:�O�������E@��E���4�����D��ʾ����/ ��qGa���=�C�����@Ԏs���]}������à6�@���@�8qFJ@���à6����@�����Ω��������PC��Yq`F@��ε�����@�����Ω��������PC�˟�q`F@���à6����@�����ζ���z��Y�@��ε�����@�����ζ���z΂`��qF�`��]�q{`Ga:������@���= ���p�W���E�� ���D�H}��� �/ �``�:��D���� �E�]�E�]��`F�GqF�����@ԧ�= ��H��Ź�����@���= ���|F:���Hn��:���E�<�>��˭C���B%���q```F�����@ԧ�= �������������@��4-֟4�````````F����3��-֟����``��```F�����@ԧ�= �������������@��4-֟4�````````F����?-֟��1ҟ������1՟���````````F���3��-֟����``�G|FJ:���/ �F�����@ԧ�= ���CD���������@��4-֟4�``````F����?-֟���``````F���3��-֟����``````F��� ��4-֟}��D�/ %S���D�Ź4˟G�FC(ޣB������@ԧ��:�74��֟�7��������7�� ��3<����7���~F�`����᮰��@���74���:�7��������7����3<����7������=��~`J:���Ź�� ��4�/ %�����D�/ �`�����@ԧ�= ����à@�������@��4-֟4�``````�����?-֟��1ҟ������1՟���``````����3��-֟�����q`````F����?����� ��4-֟�D�Ź4ˎ`C(ܬ�?��������@���74���:�7����3<����7���E�� ���֟7�D�ŹPC��~`Gq{`Ga:������@��������E@��E@�N�H�]���@��H:�@��������E@���J�@��/ �F� �ө�������C��@���7�������7@����O�@�����_������@��~`s�q{qF�������@�Un@�N�q`````@����������@��������E@��E@�N�H���````�`````������@�U�Ź�����@��˭� ����@���4-֟�@��Ź4˯�0�q`````@����������@����������@����@�������2�����E��`````J�����@��C��ʟ�����Ź����@ԧ4�Y���Ψ������˟�/ �`````F�����؟�q`````F�``````����q`````{``````Gq````{qF�������@�����ʟ�������ʟ:������������E@��E��Ψ�����������D�ʟ�����/ %�qGa:��?���������E@����@��H:�@��������E@��8qFJ�@��/ �F� �ө�������C��@���7�������7@����O�@�����_��?���~`s�q{qF�?��U���������?��W��D�����q`F�à@�͠���Ԯ0����λ?����EήD��4��֟͠���Ԯ0����ήD���E�4ί���q`F�à@�͠���Ԯ0����λ?����E�@���4��֟�@��Ź4˯�D����PC��0�|F@������?���������E@����@�������2�����E��FJ�?���C��ʟ���`�ŹPC�Y����PC΂`�/ �`�����؟�q`�`F����q`GqFG�����ʟ���������:��?��������E@��E���PC�����D��ʾ����/ ��qGa:�A���"A�<#���D�E@��E^�A���"4H��ŹA�����˭�����^-֟^�Ź4�F���A�<#U�ŹA���"A�<#�˭� ���A���"4-֟A���"4�A���"A�<#U�@�����A���"A�<#���D�E@��E^8qF�����HA���"A�<#@�������2�����E��FJ���A�<#�C�ʾ����ŹA�<#�4�Y����4���/ �`�����؟�q`�`F����q`Gq{qF���������ʾ��������:�A���"A�<#��D�E@��E^E���4�˯���D��ʾ����/ ��qGa:������rE�U�����H��Ź�D��˭�����PC-֟���rE�����֟���8qFJ�/ �F�H:��D�����rE�]�E�]�8q`��������rE2������à6q`J�Ź����˟������q`F� ��D��7���r��=�������r~`Fs��Vq`Gq{`FJ��q`@�������������r����������`:�;�3��;3���:��D�����PC��E�]�E�]��Ź���C�``````F���rE�]��{`{`F�qGa:�;�3��;3����D�E���rE�U�����H:������rE��8qFJ�/ �F� �ө�������C�����r�7���r�~`s�q{qF���H:��D���D�E�]�E�]�8qF���U�Ź���r����F;�3��;U����������D��4-֟���Ź4�E���4-֟�Ź4�8qFJ;�3��;V�F���CD�����D��4-֟���Ź4�`````F���4-֟�Ź4�8F`FC(ޣB��;�3��;3���7���r���֟7�D��~`���������D��4-֟���Ź4�E���4-֟�Ź4ˎ�`����� 3��;3���7���r���֟7�D�����=��~`;�3��;�q{qGa:�����D��@���������D������ʾ��������:�;�3��;3����D�E���PC�˯���D��ʾ����/ ��qGa:�O����C�������E@��8qFO�H:�@��������E@��E�]�8qFJO�ŹO���������/ �F� �ݠ���7�������7@����=�����O�~`s��Vq{qF��ݠ���A���J0@6���� �����qF}�O�ŹO����A���"4�/ �FA�����ŹA�����˭�à@��4-֟O�ŹO����A���"4˯����q`s��A���}�A����/ �G|F;@#H������������� �W��D�����q```�à@�͠���Ԯ0����ά��� ���EΩ�����4ί-֟͠���Ԯ0����ήD���E�4ί���q```�à@�͠���Ԯ0����ά��� ���E�4��֟O�ŹO��������˯��q```D���͠���Ԯ0����ήD���E�PCίE͠���Ԯ0����ά��� ��γ�bί�����|FJ;@#/ �F� �ܨ������;@#�O�@���7�������7@���~`s��Vq{qFB����"��H@�����B����"���;@#ŹPC�E;@#Źb�8qF��ݠ��������&�����:�;@#���O�������qF���&@���������������������E����EB����"��E;@#ŹPC�E;@#Źb�EB����"��8qFJ����/ %����������F��Ц������� B�����@�N�_�S�������q`B����"��H@�����B����"���;@#ŹPC�E;@#Źb�E���F���&@���������������������E@��EB����"��E;@#ŹPC�E;@#Źb�EB����"���G|FJ����/ %����������F����=�<1*?�S� ���A� ��� �1�����:�S�@���q`����=�����;@�����ä��:�j�S�;@#�@�����@b���O��Ҭ��à�q`�������å�����Ǹ�*���A��:颬�C�颬�C�A�;@DZ������»����q`� �詟A� ��� �������:�7;@#ŹPC���7;@#Źb�����7�������7@���~`s��VqF�`�������7�������7@����=�7�����Τà6�������A����1�à6���7�����ε��C��������A����1���C��7;@#ŹPC���7;@#Źb��~{qFJ�����Τà6����˭ ���֟�`����=�<1*?�S�O����I>�E�������� �D �*����ßS�O�q`��A�����ßO�S�� A���*?�=�^@����*�S�;@#���箵Ρq`���&T C1����&��I>#�A������ �3���*�Z��?�q`����D�S�� ������2?�C�6��&��ß�0�_��*=q`������������â��3�.���,�nS�A����1O�S�;@#4�����=��q`� "��I�_H������A������˭�"��ʾ������A��������h���Σ?��������|`J� "��I�C���;@#���/ �`��*=�<1*?�S�@�����O���������S������S�;@#�@���1C�30�A������*�WS���ß^@��C�30�A�����q`F�������å�����Ǥ�����*���A��@���ǵ �� �;CҬ�C��A�;@DZ������:����q`F�.��O����C:�A�����;@#Źb�E� "��I�_��^��E;@#��PC�ˎF�`F���줽�*?�0���.��O����C�1��=O�S�;@#����� �q`F����D�S�+��&S��q`F��å�����Ǹ�*���A�Ǹ��)���Ǹ�*��ұ����A�;@DZ��������@������q`F�.��O����C� "��I�_��;@#��˭�q``F���ʟ����:�A�����;@#Źb�E���^��E;@#ŹPC˯���q``FD��ʾ����/ ����q``F�"���ʟ�����Ź���?����q``F+q`Gq`O���äF�.��O����C�Ź^�F�`�����=�<1*?�S�O������I>��q`O���äH������<�>��A��������^΂{qFO����A���:�A�����@��EO���äE�������;|FB������A���O�7�������7@����=�7O���ä��|F}�O����A����/ �F��Ź���� ��˭� ���4-֟O�Ź4˯����?���O����A���"4-֟O����A����Ź4ˎFC(ݠ���7�������7@������O����?�7;@#ŹPC���7;@#Źb���7O���ä�~{qF��ŹA�����˭�à@��^-֟O���ä�����qGa:�O��A�����������E@��E;@#������E;@#�@��8qF�@��H:�@��������E@��8qFJ�@��/ �F� �ө�������C��@���7�������7@���~`s�q{qF;@#H:�@���;@#������E;@#�@��8qFJ;@#/ �F� �ө�������C��@���7;@#��������7;@#�@���E;@#��&7�������7@���~`s�q{qF��H��q```F�j�T�����O��A��������?��0�Ǣ�```F��0��````F�j�T�����O��A��������?��O����C�Ǣ�```F��O����C�q```F�j�T�����O��A��������?�Ǩ���Ǣ�```F������q```F��````F�O����C�q```�G|FO��A���:�O����C�������E@��8qFJO��A����/ %�O��A�����������F� �ө�������C��O��A���O�@���7�������7@�����ݠ�����_�0��A����~`s��:�A�����������E@��EO��0����G|FB���ݠ�����_�A����1O�O��7�������7@������=�7���~Fs�n��Y������|FJ��Y��O����C�q`��ݠ�����A����1��� �O����C�O��A������FC(ݠ�����_�A����1O�7�������7@����93��O��A���7O��A����Ź^��~`�����H@�����B����"���;@#������E;@#�@���Fs�n�����/ �|`^FH�����q`(9�H�]�q`�� ��(9�q`FA����U�@�����A������@��E^E�����E�8q`F����=�<1*?��@�����������A�����q`FJA����)���``�@��q`{q`F����=�<1�@��������S�+�;>����Cq`FJA����)��Ÿ��A����������^��Y�^q``�@��q`{q`FO���C�A�����q``:�A�����@��E���^��E������`F^H���^΂``J���^��Y�O��A����Ź^�``F(9�H���F```�@��q``Gq`{``Gq{qFJ��Y��0�|`^@��A�����ŹA�����˭�����^-֟O��A�����FA����``�` �A��H������������� "A����W�A��������q```F�à@�͠���Ԯ0����ά��� "A������E�A���"4��֟͠���Ԯ0�����A������E�4ί���q```F�à@�͠���Ԯ0����ά��� "A������Eά��� "4��֟;@#Ź4˯��q```F�à@��A�������?�؟��E^@��A����Ź�@?���?˯��q```FD���͠���Ԯ0�����A�����γ�4ί8q` �A����������`A�������q`F���Cq``��Ź���� "A�����˭CD���q```����� "4-֟�@��Ź4�``F��A���"4F�֟�Ź4�``�`FB��������A���7�Ź^���7;@#��������7;@#�@�����֟7�������7@�����7A������ ��~`FN��� �� �٦�-֟�q``� �ө������A���A���7�Ź^���7;@#��������7;@#�@�����֟7�������7@����7��<$�>�~`{``Gq`C(�C=à��A��_�A����1�����7;@#��������7;@#�@�����֟7�������7@���7A������ �~{qGa:�+����>�������E@����@��H:�@��������E@���+��U�@�����+����>�������E@��8qFJ+��V%�+��������F� �ө�������C��+����>1O�@���7�������7@���~`s�q{qF�U�Т�˭CD���q`F����� "4-֟�@��Ź4�`��+����>F-֟+���2�����`���1`-֟+����+���`�����?-֟��q`�FC(ޣB������ "+����>�7�������7@�����֟7+�����7+����+���������~{`F��Ź���� "+����>�˭�à@������ "4-֟�@��Ź4˯��à@�����?-֟����0�qGa:�@����D�E@��E@�)��]�8qF@��U�Ź���� ���F��D�H:��D���D�E�]�E�]�8qFJ��D�/ �F� �ө�������C���D��7�D��~`s�q{qF�@��H@�������������4-֟��D�Ź4�E�b-֟@��8qF}��@��/ �FB���ݠ���7�D���7@������=��~`s��@�Nç@����D�E@��E�@���G|F�H@�����@����D�E@��E��8qFJ�/ �F� �ө������@�����@���7�D���7@���~`s�q{qFJ��Ω��������PC�˟���D�ŹPC�`C(ݠ���>�������������7��D�ŹPC��� �7��Ω��������PC���~`��D�H:��D����Ω��������PC��E�]�E�]��G|F@��CD�����-֟����Ζ```F�������4-֟��D�Ź4�```F�b-֟���bΖ```F�B�����3��-֟}����B�����3����/ %S�����B�����3�����̭����˟.ZV�G�```��+������֟���+����>Ζ```F����?-�?����΄��?�˯�```�����?���?-�?��Т�H>�,�?��,�r���,�r�ˎ`JC���/ �`F�D�CD����PC-֟���PCΖ`````�b-֟���bΖ`````�A�;��-֟���A�;��Ζ`````���� -֟��Π�� Ζ`F�```��,��-֟>�Ź,���`````�+�֟>�Ź+��`````�A9����AB-֟>�ŹA9����AB�`````�?�֟>�Ź?��`````�����-֟>�Ź�����`````�����֟�]��````F��B�-֟�]��````F�����?-�?����΄��?�˯�`FC(ޣB���D��7���PC�����7��� �*����ßD ���ϟ���~`F�``�C�������?���b-֟���bΖ`````�A�;��-֟���A�;��Ζ`````���� -֟��Π�� Ζ`````�,��-֟>�Ź,���`````�+�֟>�Ź+��`````�A9����AB-֟>�ŹA9����AB�`````�?�֟>�Ź?��`````�����-֟>�Ź�����`````�����֟�]��````F��B�-֟�]��````F�����?-�?����΄��?�˯�F`B����D��7���PC������*���� �7��� ����=��~`{``F�D������PC-֟���PC�ˎ{`F�`�����D����*���� �7��� ����=��~`���q{`Ga:��D��(�,����(�,���E(�,���E�?6B�HV�(�,�����D�H:��D��(�,���E�]�E�]��(�,�����D�H:��D��(�,���E�]�E�]�8qFJ(�,�����D�/ %�(�,�����D�/ �F� �ө�������C��(�,����7(�,�������D��7(�,����~`s�q{qF(�,���U�Ź(�,�����F(�,����4H(�,�����D�Ź4�F(�,����4H(�,�����D�Ź4�|F(�,������=�U�(�,���������D��4-֟(�,����4��````````��(�,����4-֟(�,����4�J(�,������=�V�F6B�HJ�?6B�/ �```����(�,�����D�Ź���?�E(�,�����D�Ź���?ˎ``F�```F?6B�q```Gq`@�������H@������D��(�,����(�,���E(�,���8q`J@�������/ �`� �ө������@�����(�,����7(�,�����O�7(�,����~`Fs�q`G|`(�,���CD�����D��4-֟(�,����4�````F��(�,����4-֟(�,����4�````F�����?-֟6B��FC(ޣB��(�,����7(�,����� �7(�,����~F�`����ȩ�,����7(�,�����O��D��7(�,�������=��~{qF}?6B�/ �F(�,���� ����D��4-֟(�,����p�(�,����4-֟(�,����4�``F�����?������?-�?���?6B���FC(ܬ�?���(�,����7(�,������֟7(�,����E���?��֟7�?���?6B����q{qF(�,���������D��4-֟(�,����p�(�,����4-֟(�,����48`Ga:��D��(�,�����(�,������D�H:��D��(�,���E�]�E�]��(�,���U��������(�,���W��D�����q`F�à@�͠���Ԯ0�����(�,�����E�(�,����4��֟͠���Ԯ0����ήD���E�4ί���q`F�à@�͠���Ԯ0�����(�,�����EήD��4��֟��D�Ź4˯�D����PC��0�|F@������D��(�,�����(�,�����@�������2�����E��FJ(�,����C��ʾ����ŹPC�Y����PC���/ �`�����؟�q`�`F����q`GqFG�����ʟ���������:��D��(�,����(�,���E���PC�����D��ʾ����/ ��qGa:�;@#��A�����A����U�ŹA������F;@#U�ŹA���";@#��FA������;@#��˭��������F���2q`F�H�����˭�������ǎ`*=HA���������^-֟A������^�ˎ`;@#HA���������^-֟���7�8q`FJ;@#/ �`F�H@�����A���������E���7�E���ˎ`FJ�/ �``� �ө������@�����A���";@#�7������7�������֟7���7��� �7*=Ź^��~``F������``F�Gq``;@#HA������E����E���ˎ`G|`FJ;@#/ �`F� �ө�������C��7������7�������֟7���7��E;@#� �A���7*=Ź^��~``����q`{q`FJ;@#�����A���"4-֟*=Ź4�`````F�;@#�4-֟;@#Ź4˯/ �|``;@#CD����A���"4-֟*=Ź4�`````F�;@#�4-֟;@#Ź4ˎ`FC(ޣB��A���";@#�7;@#Ź^��� �A���7*=Ź^��~`F�``����� :7;@#Ź^���O�A���7*=Ź^�����=��~`{``F;@#�����A���"4-֟*=Ź4�E�;@#�4-֟;@#Ź4ˎ{`FG�D��ʾ����/ ��qGa:�A�����@��E^E�D�EA�<#U����:�@����D�E@����H@�����A�����@��E^E�D�8qFJ�/ �F� �ө���7�D���7@�����֟7^�������=�~`s�q{qF��HA������E@��E�D��:�;@#����J�����A��������A�<#�A9���/ %�q`������A��������A�<#�A9��˟֟�`:�A���"A�<#���D�E@��E^JA�<#�q{`F:�@���A������D�E@��E^���qGa��qFs������}����/ �|F͠���)���*@6��H��qF���H͠���T� ��T������԰���E�:A�_-֟���Ύ�����P>�1�؟ש�>�Q�������ЎJ���� �������FKHe�کC�e�Kb������٧��Eα��tΎF�1��?�������E�9�_����t������7K�~`͠������f�����3��q`͠����좸 �����������EK�G|F���qGaà6���>��dEABU������E;�U������ �>H��d�à6�;�U��;��Źà6˟�������<�>�à6��>";��8qFà6�NH�͹�榩�D��O>���� �>�Eà6�;�����9|FABC���BĪà6�N�AB%�͹�榩�D��>���� �>�E;��Ź>�˟�����à6�NqGa����ĪdHV��͹�榩�D��>����d���AB/��頦�%%����]�qGa����*@6�ƪ������������*@6U�������� �����)3��%�۟*���頦�%%������� ����|Fú������T�@���H�����*@6�qGa ���t������� x���������FӤ�������������Q�����``````������4*�t��``````�����à��å�t�2��������`@�B�������Et�{`{`Ga �����t������� x���������FӤ�������������Q�����``````������4*�t��``````�����à��å�t�2��������`@�B�������Et�{`{`Ga ����t������� x���������FӤ������������Q�����`````F�������4*�t��`````F������à��å�t�2��������`��������U�tŹ����n������N����� Ī����Ǝ`@�B�������Et�{`{`Ga �����t������� x���������FӤ�����ϱ�>�����Q��tŹO�?�``````F�������4*�t��``````F�����à��å�t�2��������`@�B�������Et�`���������� ��������{`{`Ga@�B�� �������T���T��Et����JT���N����� Ī�ä��@#���C���q`FT���ä��@#���C��F�@#��E�@#��HT����@#���C�qF�`��@#��H��t���� �C�t�F�@#��H��t���� �C�t�G|F�����H�����t��à���à��å�t���C0��@#��H�@#��qFT������2q`T���D"���A,������F�T���� ��q`FJ� AB�������<�f0�`F���������������������``����������� �� 9��``F�@#��4*H������џ� 9�q```J� q```FT���@� ����@#��E�@#��E�@#��4*E������``{````�@#�����@#��4*q``{```F�@#��H��C0��@#��q``F�@#���������q``Gq`F�``���������������� �� 9��F�`��@#��4*H������џ� 9�q``FJ� q```T���@� ����@#��E�@#��E�@#��4*E�à��å�``Gq``F�@#�����@#��4*q``Gq`{``Gq{qFT��qGa:A�_�O�� ��ѵ ���4�E� ���E�;��4:A�_E� ����:A�_E�;�:A�_qF� �+���C� �����:��� �F:��՟�� Y����ٟ%�4� ���՟�;��q{`Ga ����qF��U��F��������ՠ������������C� �� "���2�������������F��1��q`����՟��������џ����G�����qGa ����qF U?�������Ǩ8qFJ�������q`N��ł`A9�`�� A9؟ )�q`FJ ��A9��-�~������q``��&:A9�_������E��� ǵ��ѱ�џ�DT����C�;����ϭ��n ��A9�˟=�ߏ`F� ��A9��!����������9��Eà��l���1��L4q``N����7 ��A9���7 ��A9��!�~``A9��q`F�``�N���؟ ��A9��``A9�²F``Gq`Gq`N���qF�`� �q{`Ga ����qF U��� ����qF���B��% ���ʾ��������������������ū˭���������+��� �qGa�?�������Et������*�t�t�|`���W���U��E�q`������U�����|`J� AB�������<�f0�`���������@ID�������������`F����������� �� 9��``J� q```���� � ����W������q```F� ����W����շ�����q```F� �����ժ����Ѥ 9��E����շ�����q```F� �����ժ����Ѥ 9��E������q```F� ����W������q```F� �q``{```F���1������Ѥ 9��`{```���U��������q``���1�����q`{``�`F���������������� �� 9��`FJ� q``F���� � ����W������q```� ����W�����à��å��q```� �����ժ����Ѥ 9��E�����à��å��q```� �����ժ����Ѥ 9��E������q```� ����W������q```� �q``Gq``���1������Ѥ 9��`Gq`G|{qF���qGa�� ����qF���H�F �����L����*��� ����������*�CB����LECB��F�������CB�����՟�џLq{`F�������7qGa�� ����qF���H�F �����L�����*�CB����LECB��F�������CB�����՟�џLq{`F�������7qGa�GqFdH�dqF��.��D��qF�� ��H��:[�d��FdEzH�q`�@��nd�������F��.��D����+$Q��B��� _�; ��d��GqGaB��GqF�U�łF�G�ʟ�����1�؟����@ID����ʟ������.�����VqGa���cb������.�cbqFs�� �:�����<*����}��������:���@���EbU���"b���d�b���ʟ�cb����.��cb��VqGa���=)���cqFl٦�����������Ed� ne�K ��Ī�d8qFs�ne���=�Ī�d��ܨ� � �� �E�������qFKbHݠ0e�Kb��d|F}��bY�έ�q`KHeͺ����C���b|`l٦�����������Ed� �}���=��%Ȥ���q{qF�cHeͺ���6��dEȤ��eQ�8`Ga@�"������3��E���� ����@ID�D�2�����F�����;�B����tH��;�����t������t�F���@��%��3��E���� �q{`Ga0��O���3�����3���N���U�Ť�3���F0������t������0������3��E��t�FN���1�0��O���3���0������3��J��t�C���B%��3��q{`FN����qGa��;�����t���t���t���������3���F0������tŤ�3��˟%Ť�3��EѠ�;�����t�0������tŤ�3��˯˟��3��qFG��+��qGa0����3���� ��� �> ��Ź �FL4? �>�� �>��0������t� �>�˟��łF0������t� �>�˟� ��qGa�?�T��tĪ��3��E���� �E���� ���J��?�0�q`�0��������*�0����3��E���� �E���� ���.)&������۟䡮�� "�+$Ī���� ��F������0������ �EѠ��� ���.)&�T��t��C����Ī���۟���� ���+$Y���q`����� "�?�T��tĪ���� ��.)&�T��t��C����Ī���۟䡮�� "�+$Ī���� ��F�?�T��t���Ī���� ���`������?�����C�t�j�S@� T��t�q`�T��t������%%�������ä��q{`Ga������;@#���E��ڎJ��ڭ=��Ī�ÎF������H;@#���������q`����H���蹹����Q�����E������E;@#����L4?�FJ�����4΂`FD����+$�6����������{``�� ���������GqGa�� ����;@#��������H;@#��������|F��� ��@&���nS����=�qFJ����Ŵ�@���`,6�@�����;@#���E����Ŵ�@��ˎG|Fw����Ŵ�������Fj��xq`,6�@�����;@#���E����Ŵ������ˎj�ަ�q`�����Π�����˭����������`������;@#���E�����{`{qF���� ��O�����C�9�������qFŴ�����X�=0,��˭���������FJ����Ž��˭=��Īަ��`����Ž��˭����������`FJ�����=��Ī�Î``������;@#���E�����`{``{``Gq{qF�����������3��éZL1 ��� �WS�L1�&�âqF�� S�D�������qF��B�C�t�����3�;������3˭���������F���}�LH����Ž���`L�������EC�������`������;@#���EC������8``Gq{qF�����������3��éZL1 S�D�������qF��6��3��0���3�6��3��0��1B�G:��������˭���������F���}�����Ž��˭=��Ī�ÎF������;@#���E����Ž��ˎG|F�����������3��éZL1������ ���&����qF��0��&��&����&�˭���������F���}�LH����Ž���`ަ��L�������C�������`������;@#���EC�������{`{qF����1 0���1���qFJ����Ŵ�����`��U�����Ŵ����˭�,��q`��U�Ţ��˟}���=��Īަ�8q`����������`������;@#���E���{`{qF��ө�I:��� ���ަ�͠�qFJ����Ŵ:���˭=��Īަ��F����Ŵ:����Hަ�͠�Q������Ŵ:���ˎG|Ga3<�@��C_�3<��s��}�3<�qFlͩ���������#���0٦�X���6�D���}��B6��|F@��C_H�B6�ҟ��3"å�;����T����t�s�nt/ �|Få�;���H�+�����Ϲ��.��������,6�t�lަ��<#٦�E����� ���T�����é��������íΟ}�å�;����=��%��|F�+�����Ϲ��.������������1å�;���qGaN��qFD���G��C`F�������������ϧ��������΂FD�������? �:F�������������ϧ������٧���K���˟����������������ϧ�������K��΂FD���å�;���`FH>"å�;����T�����������������ϧ��������Y���������ˎD�����2``FHVqFD����D���>#`H������Ч���ݧ�����qGatqF�����������ͧ�K��YͭC� ����2��3��E����F3���<�>䪽��-֟D��������GqGa@��B���������2HV�D����+$�B����";�1��2��2qFl٦����=)���@B#�]E��D�G��C ����Ο}��G��C�|FD����+$�B����";�B����2J��2/ �qGaCK "T��t���� �� .� �qF��BH ���B���� ���� 1��wD�)3��?_�qFJޫ3��� ���������蹹����ݟ��q`�������A����˭�?7��B� ���������EVE����`��������A����˭�?7��B� ��������唟GqGa@�� ��B�*�����qFlި������ި����ٷ���3��Q����@�� ���*���O� B����*���*���_�5�}�N����� %�B�*���A����|FD����������+$������3���q`9�A�����à@����A���`�A����C���������B�`F��B����??����B�*���A����E��B�B�*q`{``Gq{`Ga�� ������������;@#�4��;@#�4HVE����HVqF9�A�����à@����A���F�A����à@��;@#�4-֟;@#�4���C���������B�`��B���*��������0�����12q``��B����??���������A����E����q`{``F�� ������������;@#�4�䟨�B�pJ����/ %S�7��B�4���.Z�7������7��B�4���Gq`Gq{`Ga �>���0��t���E��B��VE����qF��BU� �>�tJ��BV���B������;@#E �@��FJ�������:�`��.��;@#E �>���0����tE �@�E����F��`F�;@#�D��0���í<�>�� �@��-֟ �>���0����tE �@��{`{`Ga �>�tH��qFJ�B�Ht�B��B���F �>���B1D����������+$�B��B����à@�t��`� �>���B1D����������+$��à@�t�GqGa����������qF���� ��L��&�����E����������E6�EN���������=�0,���qFJŹ�����E�6�E�N�����E�B���˭C���B%�����q`�+$�� ��D�'�����E�����qF�`�lި������ި����ٷ���3��Q�ϨL4������EL4���� ��������6�E�N�������B������GqGa�A�B�*��*�tEB�*qFB�*�t�C� ��D����������+$2���A��E3���F�A�bE@+3�B�*H3��q`JŹ��OB�*E� �B�*E�?�B�*E������B�*E�����B�*˭C���B%�A�bq`F�A���D����A�bEB�*�՟@+3�B�*q`�`F�lި������ި����ٷ���3��Q�ܨ�������*�3��7�A�b���F�Gq{`Ga ���B���� �qFJ��� ��=��ĪD����������+$S����� .Z9�A�����à@ʾ�A�����A����C����� ���GqGaԮç>��>�����A��Cà@�O������ ��A�;3� ���qF��蠻����:�1�é����@����K���d�D;��qF>U�>����ʟ�>EKEd���>EK�՟d˟�|F��tH>���������۹+��������dE��3����FŧP��0���3���O�dE��3��������۹�����Ed� �{qFT����B���:��>�7��t�C�� ��5|Fʟ ��������E6B���E@ ����˟�� �����Ԯà��F��t����������Ed�`�Ԯà�ť���˟�؟d�}�����/ �{``T����B���:�C0�>�7�Ԯà��C�� ����GqGa���If����T��3��H�@A���;����� �tŹ���F}�T��3��H�@A���;����� �tŹ}�F����T��3����%������T��3����0���@A����۟�}�T��3���������0�E�@A��8`Ga ���N:�����������A�����t�s��}�t����Ī�����s�nIf��+$��������A������N:��lO�?�٧����ק����Ч���Q����ͧ���������Y��E� B���+$/[8`Ga��� �qF� B���+$����� ��ʟ���F��;����� �@A������?��q`FO�����`C������0��������`=� ���q`��qGa������?�qF� B���+$���O���ʟ���F��;����� �N�"3<����?����O����?������B�q�F� B���+$��������?ʟ���FJ��;����� ����If�`��;����� �@A������?��q``O���]��`FC������0��������`F=� ��]�q`F�{`�F� B���+$��������?ʟ���F��;����� �� �If�C��q�Fs�n� B���+$�;����� �tŹ��˭C���BĪ����?��� B���+$�;����� �tŹ��˟�؟����?�qGa���B����@A��_�B�H���O���}��Ť�����O�˭C���BĪ@A��_�B�� �Flަ��<#٦�E�@A��_�B������������������O���q{qFJ@A��_�B�� Y������۟���@A�������B����Fl٧�����Ч����������ݧ�������Yq{qF� B���+$�D���q`�7@A��_�B���B�����F+���������`s��}���;����� ����If�`��;����� �@A���B����@A��_�����{`F8qFs�n� B���+$�;����� �tŹ��˭C���BĪ�B����� B���+$�;����� �tŹ��˟�؟�B���qGa����qF� B���+$�������ʟ���F��;����� �@A����n��;����� ����If��qFs�n� B���+$�;����� �tŹ��˭C���BĪ���� B���+$�;����� �tŹ��˟�؟��qGaIf����qFJD����+$��������A������N:��F�+$H��������������������T3�q`J�+$ۭ;����� �tۭ���Ī�����`s���+$�;����� �tŹ����`Gq{`F᤬��� �T����If����qGa@����tH���}�D����+$�A����zC���B%���� �~`l�@��������0����*������ A����~{`Fs��Vn��� �/ ���᤬��� ��ݠ������@����D��Et8`Ga�?��?�頹E���������+�q`�������?�頎F������*�CB�q`������� ���F� �:���ʟ�A9"�����C�c� �&ǟ�?�頯��� ��qGa�� ����3�@A���:�< ������?��A��E���E�� ���:��H�� ����3�@A���:�< ��q`�A���F�����F�� ��qF���?qF���D��E:��8`Ga�� ����3�@A���:�< �����@A�����A��E���E�� ���:��H�� ����3�@A���:�< ��q`�A���F�����F�� ��qF��@A���qF���D��E:��8`Ga�� ��,�����:�< ��,����E?� �������}�,�����=��Ī椫����9��Q��ש���Q��ݠ�=�Q��`,�����=��Ī椫����9��Q��ש���Q��ݩ�,ݠ�=�Q�Flަ��<#٦�X� ��<#� ���� ��,�����:�< ��������ש���Q~{`F���D��E椫����9��Q��ש���Q٨�< �Q��,����E?� �����?� ������� �:��8`Ga�� �� ��:�< ��:�<�E����}�:�<��=��Īަ��Flަ��<#٦�X:�<�����ަ�~{`FJ:�<���%ʟ�����C��Īޫ3��� ��۟��=��Īޫ3��� ������q`lަ��<#٦�X �����T C�ޫ3��� ����� ��~{`F��-q`J��/ �`�`�`F����՟�q`G|F���D��E:�<�������*�CB��������� �:���ʟ:�<��)��8`Ga�� ��3<��:�< ��������E����lަ��<#٦�XȢ�� ��<#�������#�>���}��������=��Ī�#�>�����D��E�� �� ��:�< ���������3< ��E�����8`Ga���������L�CB��^H�>�����­��>�CB�� ���������:AB��^�������������Z�����E�ί�̭�߂Ga ��������qF�H;���qF�����������;���ʟ�����EL���H����������EL�qF���Cq`ޣ�N�������ϭ;�D���N��ޣ�N�������Ϲ�ϨL4���٦�q`͢�=��P>��� �٨��������Z�M����������F�l͢�=���ϨL4ܦ��?��٦�q{`GaA����:"�?�A����:�E��A����:"�MHA����:"�M��A����:��Fs�����}�A����:"�M|FA����:"�H������G�A����:��� qF����_U�A����:"�M�������A����:"��s������_1J����_�|F�� �����ޣ�N����1��;�f��&���qF��:����1;�)���S���<#��������?��������;������@���HA����:"�@����A����:��Fs��V�}��@���|FA����:"�M��������@����՟A����:"�8`Ga�?Ī�E��� ������_U��������0�����_U�����_����s���]}�����0�����_�|F��� ������_�����%��F0����� ������_���?Ī��� ������_W����0�����_�8`Ga.�<#�� � �qFJ���� �����q`͢�=��P>��B�����ٷ� ����1����:�D��ΎF����������D�ʟ���z������ ����C���BĪ��z�qF�`������������q{`Ga@A��C ����C�� �W�93<� �Wt�t�<�>䪶C�� ��J�C�� �+�=��%��qFt�<�>䪦93<� ��J�93<� �+�=��%��qFtŹ�����H���"3<�}����"�����N:�Īt8`Ga<�>� ����C�� �W�93<� �W�=�� ���� �U�����C�� �U��C�� ����qF�93<� �U��93<� ����qFtH�=�� ���� ����qF͢�=��P>��B���Ϩ�30� ��7�C�� ���E7�93<� ����5|F@A��C ����C�� �W�93<� �Wt8qFs���ѶC�� �WѦ93<� ���nt�������|F�ѶC�� �WѦ93<� �Wt�Ga=����������EbE�����E�����s��}������|F͢�=��P>��B���к�;$���C7�������͢�=��P>��� ���D�3���ǟ��<����������������Ύ͢�=��P>�����7��ڭ�+$��7b��������������5|Fl͢�=���ܨ������,��٦�qGa,6�L4r��;$�D����+$�,6�L4r0�%2��L4r�F;$��E<$�>HC��L��L4r8q`D���,6����H<$�>n<$�>��۟�;$��q`;$��q{`Gaj�,6��qF�����C0�,6���LEC�w� ��qF��C)B�à��j�,6�������qF�@��������,6��H,6��|F���*C�S����E ��������,6���E �D�àS��SqF��;>���CB���,6�����A��_� �S���1B�C������S��D��qFD���,6��H,6���|F���&S�;>����,6������:���ß��s��S�����<$�>�qF���&��=��B�C��Eڮ�s��S�٦��AB�qFl͢�=���Ȥ ��ש6�04r٦�E,6�����}�,6��|F��ݠ���S���.��L��&S����n�����������qF��.��D�&J�������:�q:��qFD���,6��H�@��������,6��qGa�� ����?�������N����N���Z蠥����繹殶���Q�qFN���D����x?�Ź�:"Ifx�`````F?�ŹD�I�Ifx�`````F?�Ź�:"0��*��;�����`````F?�ŹD�I�0��*��;�����`````F�N���Ź�������FN���D�����,�������������͏`````iŹ����������`````������������qFN���D�����������í��í�E�í��������`````FN���ŹD�I��ç�������`````F�N���Ź^@� @��FN���DqGa>";<��qFA�����������|F��@��S��矽���;<�1O�S����:���������&���qF������H蠥����繹殶������������E�K����������Q����E�,��EiŹ�C������ç�����F��,��EiŹ����������E�,��E����������͎T� 3���D���<$�>�������8qF������HT� 3��Q�"<$�>qFl蠥����繹ٷ���3��X��� ���K������������E��7��������������}�������������K������������|F�H�������@6�������qF�H�������@6�������|FŬE��GaA�����������qF��O�ө�;3� ����:���@Ԯ�N����������1џɟ՟���*��&;<�qF��������U?�Ź��������˟џ�џɟ՟�|FiŹ�C������ç����˟�������������|FJ��������1�?�Ź�C������ç�����`��������U?�Ź�C������ç�����F.)&��������1֟�����������q`��������U������������q{qFiŹ����������H���������qFiŹ���������H��������1ǟ�qGa ��qFJ頦��Fs����˭;��蔟�`���& �ɎFJ����>����̯��7�Y��q`Fs��ŵ�����*�՟�E�E���˭;�����єF��`F�s��ŵ�����*E���˭;����єF�Gq{`GaT C��@�=���Ī@�����H����?�c��7@��������2����YA����~N��ө���Ȥ ��qFP�B����P�����9� ���C�N:��&A���7@������]�qGa�@#�@�=���qF���H���@��;�Z���𔟫���2����qN��ө���Ȥ ��qFP�B����P�����9� ���C�@#�@�=������VqGaO�@������ "K�qFP�� ��P�����ݠ �_���=3���@� ���7���� "K����O�,�_���e�3����������� "K�𢦭�k����� "K8`GaK������ĪK�𢦭:����K��@� ʟ����Ŵ��X���˭C���BĪ���������qGa)�qF�)������Cq`dF�7���� ��C0��K������~` �Heͺ������,��d��C� ���2��)�Ed�`}�e�K ��Īd���e������Īd�`F)��e�)頪d�`G|`F)�q`G|`��ᠦ�å����ǻ���B�����2��B��Ҭ�����T������.�å��ESq`�=���;�=����:��S�C>��L��&S�3�?���C0�q`��)�C���W���4��������������9B�����q` ��ǟ����q{`Ga����T�c��cqFs�n���� ��T����c������|F@�B���M�N��dT�c���5�FBCre�کC�B���KXT�c�5�F� ���`T����c����� ��T����c���F8`Ga�����"����qFe�:��"���"dX�5�����F���1�7b��7�� ��If�~`���1�~`���1౨������ݠ���@����If�����D���GqGa�� "����qFP�C(�P������ �_�If���������H౨����������Q���� ��IfE�� ����"@�=���E�:D������ ����������� ��F��6������� �/[E����� �����":����GqF�qGaB�G:��Ī����� ��bH����� ��=��Īͩ��� �%����� �/[������ �qFB�G:���C���BĪb8`Ga�:D�c�d�dH���׎J����Īd�F��:D�c�d����e�کC�C0��KX������ٔ��`���:D�c�dHe�کC�C0��KEd�GqGa�I�4��bELH���׎J����ĪL�F�I�4�b� ���F�`��I�4�b� ���HLq{`GaA��N��p����n���q`A��N���4˟�؟���qF�`�A��N���4˟�؟ᦩ�Q����q{`Ga��p�����}����q`lϨL4�0Q����Xä��������G|F����4˟�؟���qGa�� ��If�LH����E����n�����۟䨮��ĪL�Fl٦�X�Y�������� ����6��3��0�;<�1 ��q`F���� ��If�j�������=����:�~{qFJ���q`��� ��If����H� �㠦f���Q��������`n����ĪL�`��� ��If������� ��Ifq`�`F���� ��If����H� �㠦f���Q��L�{`{`Ga��=ê�+$E;���Et�JtŹM�O������_��`tŹM�O������_��H��ϧ�Y�ڰ��� D��;�D�e�@6�e���;���d�tŹM�O������_�˯��G|F�+$���=ê;���Et2����F����=à���7�/[�ΟO�7��< iŹM�O����7��< iŹM�O��If���E��@:�GqGa��*�������_������@� ��FH𢦭�����KqFBCrH�7K ����)��Ҧ���|F@�B���M�N��d)��_����5�FBCrBCr�F B��7�̏F� ���`;$��D)��_�;$��D��F8qF���Y�.��S3�r� �S����qF��.��BCr8`:��qF@ �c�BCr�@ �K ���K ��8`Ga�� ��cd�d�cdH������Ǵ�՟d�����7�� ��K�ǴX5�s�nT����cC���B�vd������dH�� ��K�՟cd�������˴X唟��eͺ������,��Ԯ�db1*?�T C��;�E�â�=������������.�7qF�����d�B�δΎ��� ��@� �����*�S��K�@�3� ��@�:����� �������A93���S���T#1������qFs��� ��c�����K ��vdJ�e������Ī�����d�۟e�K ��Ī�����d�cdqGa�:D�LH���׎J����ĪL�F��:Z������� ���:DqF�`�}�L�=��Ī�x�`lϨL4�0Q����:DX����x�F�G|`��:ZLq{`Ga�G�LH���׎J����ĪL�F��G���౨���1ة�������>����A��~F�`�}�L�=��Ī�x�`lϨL4�0Q����GX����x�F�G|`��GHLq{`Ga����qFe�:�dX��5�����F��������ϧ�Y�ڰ��٨AB��:AB� ���E�@�������G|F��qGa�� � �"3H��������������:�����<#�� ��~```````F����<$�>����é�����C��Y�Y�Y�Y��������ұ��$q```````F������<$�>���O�?�~```````Flަ��<#٦�E����<$�>q```````Gq``````F.)&���Ŵ�������```````���Cq```````FТ<���3<����Ŵ��������X��Y���壧�������͔``````F�N��ަ��<#٦�q```````F����<$�>H�������:�����<#�� ��~```````F����<$�>����é�����C��Y�Y�Y�Y��������ұ��$q```````F����<$�>���O�?�~```````Flަ��<#٦�E����<$�>q```````Gq``````F�```````�ТeQ��d�G|F}�e���=�Ī< i�d�Fl�ᤫ��>� ieQ��< i�d�G|F��qGaT#qF�T#�����@6�d8`N��٦�����������qFl�ᤫ��>eQ��d8`Ga��������cqF��.,����7C0��Kb���۟�C��7C0���:[��Ҭ�C֟7��_�K�d��c�ί��|Fe�:���_�K�dc�5X�մ���(�Fe�:���_�K�dc�5����C�`�C�����2�����`FJ������-�~����q``FP�� ��P�����ͽ���_�_��7���Οc� ��â�;�C�cb��`F��``F�(��������`{``{``G�F`G|F��>�����&T�����c�qFe�:���_�K�d����5X�մ�����F�����������ȭ������������X�`������C(q`F����C0�q`F����@ ��q`���q{qF��>���S�������1c�qF��.,����7C0��Kb���۟�������؟7��_�K�d��c�ί��֟7��_�K�d�������c�ί��|F���������S��D����������C�S�c�� ���qF��.,������ʟ��H���;���H���;���C�Ο؟7��_�K�d�������c�ί���֟7��_�K�d������ί�~GaA��"�:D��O������ ��s��Vn����� ���:Z������ "�:D|F����� bH����� �/[qF�:D�iH�:D����š���� b�F�:D�cU��:D�iŹ�:D�c��|F�:D�c������:D�c�FJ�:D�cq`F���cH�:D�,�r������ bE�:D�c8q`FJ,�0Ī�:D�c�`FC��cHe���;���d��:D�cE�:D�iŹ���� "Kˎ`FJ� ����=�ĪC��c�``e�3����C��cE���c�``e� ������E���c�}��C2���`F�``F��:)���� �_ע�:Zc��7C��c��������=O������ �7����� b�έ�``����&���à@E������ ��� ���������2�� ������q``F����������E�.ZS������ �� ��A�����N @�q``F�����������*�����_�S��:Z=��q``F=���� �_���?0�q``Gq`F�``����Cq``F2��,6�c��:D�cE���cE:�����N��� �]��``e� ������E���c�}��C2���`FN��ͩ����٦��```�٦������������������```�٦��������������Џ```�٦����������������```�Т<���٦��```��:��Ϲ�����٦��```��:��׹���׹����٦�q``F�:)���� �_������,6��:Zc��7�:D�c�ΟO������ �7����� b�έ�``����&���à@E������ ��� ���������2�� ������q``F����������E�.ZS������ �� ��A�����N @�q``F�����������*�����_�S��:Z=��q``F=���� �_���?0�q``Gq`{``Gq{`Ga��������)3�B�G:����:)���C(qF𢦭�,�7��K������B�G:����:Dڡ��5�������:D����"d�F�:D����"iH��ϧ�Y�ڰ��� D��;�D�e�@6��:D����"d��F���� "bH�:D����"iŴ���� "b��`B�G:����:D�KHe�Kb��:D����"d8q`�:D����"iŴB�G:�����>���˭�����B�����zEB�G:���`B���:D�����B�����z˟����|`FB�G:��������B�G:���`F������G:���c�q``B�G:��Ŵ�:D�c��˭�������``�:D�dHe�کC�B�G:����:D�KE��``���dHe�کC����KE��``e�3�����:D�dE���d�`{q``B�zHB�G:��Ŵb��``B��IfHB�G:��ŴIf��|``���&�0@6��ä�*=��G:����2�������� �6������C�q``JB���:D�����B�����z��B�z˟������:D�����B�����z��B�z��B��If�``FB���:D�����B�����z��B�z��B��If�ŴB�G:������˟�؟���� "bq``�``F����:D�����B�����z��B�z˟����q``FB���:D�����B�����z��B�z��B��If�H�``F��:D�-���G:��Ŵ�:D��``F�:D�c��-���G:��Ŵ�:D�c���``FB�G:������-֟ş���� "b��`FF�`F�Gq`{``Gq{qFe�3���������K8`Ga�:D����qF��:D����������Cq`���H��|`���� �����������A����:��`��ͩ<��&S�A����:�12����9��������� ��T Cq`F����<�P���*?���Z�_�S��� �����A����:�1 �q`F��AI���9B��S����� ��1�:Z��S������������ ����q`F���:Zcq`F���JA����:���:Z������ "�:D|`F����A����:�/[�H�`F�:DA����:���:D�`F�:D�c�A����:���:D�c��`FIfA����:��If�`F���� "KA����:������ "K�`�q`G|`���q{`Ga���� "�:D�T#qF���� ���:D�c/ %%�����@6�e�کC�ө��������� "��E���� ���:D�c�8`GaL4?�:D�C(qF��Ȣ�� ��S����� �:)���CO�r|F���� ����=���&�:)���CO�rqFJ���� ���:Z��ܨ�� �����~`�:)���� �_ᦩ� �7���� �/[������T C��:)���CO�r���G|F���� ���:Zc���=��qFJ���� ���:Z��ܨ�� ��������۟���� ���:D�c/ �F�:)���� �_ᦩ� �7���� �/[��������C ����:Zc���G|F���� ���D���:Z�1��� ���:DqFJ���� ���:Z��ܨ�� ��������۟����������������ͭC���BĪ���� ���:D�F�:)���C(ᦩ� �7���� �/[�Ο=��)����7���� ���:D�Ο�â�=������&S�� ���:D14:3�����C�å������:��������:D��0�ä��3�0��ө�)B���)������&S�� ���:D��G|F��詻���1 ��S��:)���C(�O������ A����:��qF�:D��������������� bE�:D�C(�F��Ȣ�� �nS������ ���� ���������:Dq`J�:D�C(Ź�:D�Yܨ�� �����~`F�:)���� �_ͩ��� �7����� b������T C��:)���CO�r��F�G|`���� �nS������ �� �������:Zc�q`J�:D�C(Ź�:D˟��ܨ�� ��������۟�:D�C(Ź�:D�c�˭������`�:)���� �_ͩ��� �7����� b��������C ����:Zc�F�G|`���� �nS������ �:Z=����&S�� ���:D�q`J�:D�C(Ź�:D˟��ܨ�� ��������۟����������������ͭC���BĪ�:D�C(Ź�:Dˎ`�:)���C(ͩ��� �7����� b�Ο�D1�:Z�7�:D�C(Ź�:D��Ο�â�=������&S�� ���:D14:3�����C�å������:��������:D��0�ä��3�0��ө�)B���)������&S�� ���:D�F�Gq{`Ga������E��P�B����P������C�_��7��Ο ��7��δ��e�3�����E�8`Ga��c��dW�����dHe�کC��d��P�B����P������@?_�c��7d�δ��|Fe�3��k���e�Kb�d�8qFJ���q`e�:�dX��5�ʟ������������.��qF�`�e�3� ��d�G|FdqGa@ �c��d��dHe�کC��d��P�B����P�����ݠ �_�c��7d�δ��e�3������d�dqGaA���c�����EBCr�P�B����P�������_��7�����Ο ��7BCr�δ��e�3��������EBCr�BCrqGa@ �K ����d��dHe�کC��d��P�B����P�����ݠ �K ����7d�δ��e�3�������d�dqGa��K ����d��dHe�کC��d��P�B����P������@?_�@� ����7d�δ��e�3��k���d�dqGaA�� ����d�Ѭ� �dHe�کC�Ѭ� �dHd�����������Z���˯����X�����5n���Ŵ���Y���촂FdqGa�C2����d�Ѭ� �dHe�کC�Ѭ� 8qFJe����Ч���������q`d������e�����������Ee����Ч��������ݎ�`�dq{`Ga@��������P�E@�����������tH��E@���H౨������ө�����������@���E�������.�qN��ٷ���3��-֟�qFl}�@�����������t��%ʟ� +$����=��Ī +$�qFJ@������`P�C(�P�����ݠ���_��� ���7P��� �7����7@�����@������������F�@������q`@���qF�`�P�����P�����7P����� ���ҟ7���+$�䴜F�=�q{`Ga��.,�� ������H��.,�� �����������qF���qN��좷�����.������.�ө���Ȥ ��qFlө���Ȥ ��Q�����8`N��좷�����.����ө���Т<�qFlө���Т<�Q�����8`Ga��.,�� ���tH �+��C����Ī��% �����qFtH�������Ч������ͭ<�>�t8qFA���xH �کC�C����U�t�B��C���������۟���Ŵ���Y���촂F��좷��� ��������_� ���1O���������A�������åqF��T C�έ������E��<�*?�����ä��:�� ��Z��������qF���àS��*=�A����=���_� ��M�������������*�����qF��ᦩ���@?��qFA���xH��ßҫ���7A���x��δnC�����|F�����S�P��.qFP��.Ht�B��P��.8qF��͠S��@��n���������:qFtŹ�@��˟��P��@����C��08qF���C�좷�����.��������1�:�����<#����:�E�� qF��� ���à@qFJtŹ:��`tŹ:�����<#�Ht������:�����<#E����<�>�tŹ:�ˎG|F��ש����:�����<#�t����:qF}�tŹ:�����<#˭������q`P�����G�P��.EP�����٨�����<#���F�tŹ:�����<#˭�����������EL�`P�����G�P��.EP�����F7�����7L�C�� ����F�Gq{qF��ש��S�����0�A���qFP�����G�P��.EP������7A���x����|F���H좷�����.��Q��A���xEt�����:�����<#Ŵ���ٴ�H�ǥ����}����Ŵ���ٴ�F�����9�A���qF���qGa�������"cqF@�B���M�N��dެ��������������5�FBCr�7�C2����d����� ��C0��K���ެ������������F� ���`b���� ��b�`���G��z���� �����G��z�`If�C2���If�`��C C������ ����C C���`���3���?���� ����3���?���� �������δ�X�Ԯ�;5��F8`Ga@ ���"K�qFP�C��0�P�����ݠ �_���K �����|F𢦭�,�7C0��K�����ʳ����T���5�@� 2��d�F���Q�������Ч����ͭ�%2��@Ԯ�@��c�`�e���=�Īe�کC�e�Kb�d�E@Ԯ�@��c��{`FG������d�FP�C��0�P�����ݠ �_���K��7d�δ�F�e�3�������e�Kb�d��G|F��qGaC�@<#0qFP�C��0�P�����ᠦO�_�C�@<#0�������|F����dqF@ ���"K�|F��"���6���ޟҶ5|F���Cq`��"������Q�A����ԟұ椫�����&7 �����N��ө���Ȥ ��-֟�q`l}���<$�>�C���B���_� �A������G|F��"������Q� ���&�7 ����8`Ga �qFs��� �n� �|FP�C��0�P������0��+3��� ����|F��ޫ����+�� ���&0��S������ ���� �1*?�A<���O�qF��S�b���If��  ��_��ͩn����ä��qF�qF���� ��B�Hş�E�E�E�Eߟ�F�qF��ި���  ��_��E����������>B��Hş�Eɟ�FB��H����� ������ �������� ��B�� ��� 2��B��FJB�/[Y������ �/[������IfY������ ��Ifq`F�]�q`��Dq`F��q`Gq{qFP�C��0�P�����B��7B�������۹b��C�� �����|F����=�=�S���&0��S�9Ԣ�^���1�&0��S������ �� �qF���G:��EC����_�S�����@#�����_����������qF^���U��B�������۹^����E����� ��^���˭�+��qF������F�>���������à���>�^���کC�5�� �`�7����� �/[��7��������7�����ק��������|FP�C��0�P����� �7� �����|F� ��`Ga����dqFJe�K ��Ī��d�F�]�qF�`���K ���e�Kb���d��F��"���C��ԔF���ਟ�C2�W��=�I������������)����12�Ԯq`��"���T������,�0��D�/[��౨���1�Ӥ�F���"���T������,�0��D����� ��������,�0éF���q{`Ga�������.�CqF���.�C �_�dHe�کC���_�KX���.�C��@�B���M�N��d���.�C����5�FBCr���.�C �_�d�F� ���`C0��K���� ��C0��K��F�e�3� ����7��E���.�C �_�d8`Ga�����0������������J�����=��Ī���۟����Ź��*���`�����������q`����Ź����H�å�����Ǹ�*���A��7����Ź��*��������~`�����B����*���GqF����qGa^���qF�^���������Cq`��>H�>��������Q�|`���?��*x���>E���� ��^����F���?��*x���>E�� B��^����F���?��*x���>Eb�F���?��*x���>EIf�O�����F���?��*x���>E��ϧ�Y�ڰ��٨AB��:AB��I�4�8q`Jcd��۟e���=��vd�`���?��*�c�T#����>Ecd�F�`F����?��*x���>X���Y�����֔F�G|`��>�à���>q{`Ga�����qF����������q`J�����������۟e��:[�����Ź��X��5�G���*Ī�蠥Ƞ�������ק���������͎`Ƞ�����������+$�O���������Q�����":���E����KE�� ��K�F�`F�Ƞ�����������+$�O���������Q�����":���E���� "KE�� ��K�{`GaIf�O����qF�If�O�����J������If�O����q``````F�������If�O����q``````�.)&Ifq``````F�Ifq``````��```````P�� ��P����2q```````詟If����:���=�=�����������6�*_��ϟ�����_� ��q```````��<�S�If��̭̭��E��*?�=� ���� C���������q```````B)@����ä�����&����_�D��1���E*=�=���������ú�~``````F�G|``````F̭̭�~``````�GqGa�I�4qFJ����Ī��I�4�F��+� ��C�30�頣�� ��Z������S��bΟ ��;�D�����q`��I�4H��q`��I�4H���� ���I�4�b� ��˭���n���� ���I�4�b� ���{qF��I�4qGa�@�G�d��d��d�LU�ަ��d��d�L1�؟����d�����|FD; �He��������������ݟ���~Fd�LکC�D; �8`Ga���� "cqFJ�������۟������=��Ī蠥Ƞ����FP�B�@�?���P����2q`F����� "c����ׯ����=�=�����������&S�蠥Ƞ������� ���q`F��������0�������D��C�S��������@���Ϩ�>���X��q`F������é��������)���*=�<*���C��������� B�C�t��q`F���=��C��0����<#r� ��&S�蠥Ƞ������&���q`F����=��@��*�*=�?�<#E�����é����:��=�����S��q`F�౨���1@��) �������箵����MC�����Z���������X��q`F�ϟ� ��s��S�d� �S���,6���c���=�E������q`F�@*C��S����������� ���_� ��������~`G|`������2��,6���cqF�`�P�� ��P����2q`F����@������������ "cΟO������ �7b�έ���=��q`F�?����=�����0����C��0�@�N: 3���*?�=�9����q`F� �S�蠥Ƞ�����+$���@Ԯ�N�S��Z�&����������q`F�?����*?�= \����)��������Ο������������ ��Ҵ��q`F�A�; � ���Eϟ� ��s���V�E��*=�=� ��.�����q`F����@����ä���~`G|`Vq{`Ga�â�cv�cHݠ>��Q�v}�c��C����Īݠ>����â�c1�؟cqF�â�c���qGaIf�LH����E������C0�IfH�������I�4��If8qFJ�������:�FJLo0Ī���׎`lϨL4�0Q���If�`F�;$�������j����:���If� ��<#�F��`FnLY��C0�Ifq``�q``��ܨO�9?.�������� �������� �����P���à@�O��:Zcq``����������3���0�1��:D�c����������I�4_�Sq``���:Zc1C)B���If��������������@#�?�àS�q``����:D�c��=���_��0���������If���������ͩ������q``�� � �nS��:Zc1 ��_��I�4B�_�S��0�� q``������q``�q``���&�����ZS�����D�Eà��l�N @�S������:Zcq``�q``�@#��:D�cU���:D�c�q``��:D�cU���|``��.�|``�����:D�cU���:D�c�|``J�����:D�c������``��:D�cU��@#��:D�c�q``Gq`{``Gq{qFs�n�C0�If/ �|F���Cq`�à���ͮ� ��ө�C����㠦fQ���C0�If�N��ަ��<#٦�q`P�� ��P����2q`F�㠦f�7�C0�If��O������ 7b������;�D�����q`F�ө�;�=���<*��1������?=��%� �������� �O�*=�If�~`Gq`�C0�Ifq{`:�a�����LH���׎}�����ĪL�F}�L�=��Ī�Î`lϨL4�0Q��������`F�����C���&����E�����7L��+$�C�� ��ΔF�G|`LH�����0�������L8q`�������U�L����1ҟ�q`F����E�cE�dE��E�����������q`F����E�^�E�^���E�^���E���ß���ҟA� �� �0��������q`F�A����E�� �_E�9����E������E�����zE�h��rE���D�������"�����qF�F��tE���D�����d������q`F���� ��1���D�������"�����q`�`}��������������`lϨL4�0Q��������`F������C���B�L4�����ϨL4�����7�������C�� ���F�G|`����?���U�L����1۟Ź���E�cE�dE���`}���?���)�؟�q`FlϨL4�0Q��������`F���C���B���?������?����7����?���C�� ���F�G|`����������q`������<�>�L�G|F�I�4�����0��������I�4Ź����ˎ�������I�4������E�I�4�8`Ga���":���qF����":������J����q``````P�C(�P������)����D�ҡ���������:����O�7b���`````F������:����O�b�`````�``````�P�C(�P���������_����:����O�7b���`````F� ����":���q`````{`Ga���3���?���� �qFs����7���� ��b���}�)��_�4:3��qF��C�%%�ש�0�C�����@#�D�~F���Hަ�Q�� ���� ��F �����������.�����~` �����ٷ ��������;$~` ������ᦩc~` �����ө����������Ӡ����7���7���"b��7*�����C����ͮ�� �~FG�کC8qF��.,䪫����2����qGa)�����c�����U��]�qF3<�����I��������F����U��������cE���F�@��n�����q{`FlȤ ��Щ͢���C2��ᤫ��>Q�n䡮���qGa)��_�4:3���*�����C����E;�U����׎}�����Ī*�����C��F�)��_�4:3��H��q`}�*�����C��=��Ī�x�`lϨL4�0Q���)��_�4:3��X����x�F�G|`�)��_�4:3��Ź*�����C��H*�����C�|`J䨮��Ī;���`}�;�=��Ī�Î`FlϨL4�0Q���;�W�����Ô`�G|`FL4����U�Ź�E�3<�����IW���C�E�0��*��F�F�CL4����U�;����1ҟL4�����q`F}�CL4����������`FlϨL4�0Q���;�W�T C����1������7L4����کC��Eί�˭�q```````Fȩ9��CL4����1�7CL4����کC��Eί�˔`�G|`FJ�;��Ź��C��/ %�۟�q``�;��Ź��C�˭=��ĪЦ�+$��`F�;��Ź��C�˭=��Ī�]��+$��`FlϨL4�0Q���;�W�T C��������C�&���Ц�+$���]��+$�`�Gq`�`F�;�U���q`G|`�)��_�4:3��Ź��H;��Ź�˟���~`�)��_�4:3��Ź0��*��H;��Ź0��*�˟��������~`D�IU�;��Ź3<�����I�˟���������Ч����������������q`�)��_�4:3��Ź3<�����I��H�D�I�˭�+��q`�)��_�4:3��Ź��C��H;��Ź��C�˟����]�q{qF�)��_�4:3��qGaI���� �����qFP�C(�P�����㠦���_� �������|F��� �H ����qF����0FH��>�2��,6���cE��>�����8qFJ��� �������0q`l�� �����=�?Q��D��E��� �E����0�GqGa��>�����qF������ͭ�������>�Fs��>n��������%��>q{`Fl�� �����=)��Q��D��8`Ga�����qF��ਰ���D����� �qFA��Nf���H�~FA��Nf���H��``J2��,6���c�G���*��锟A��Nf���H��Ұ鱤�Ҵn2��,6���c�G���*��鱤��A��Nf���H�ڴ``J2��,6���c�G���*���ɔ�A��Nf���H���``J2��,6���c�G���*���5|FJ�ä�ŴM�O���Y�C2��~`J2��,6���c�G���*Ī���ݧ�����������۟����Ź�����˟��D�:�颬q`Fs�U��̂`Fs�1�؟�n����Ź������Y��+�� �|`F��.,� ��7A��Nf�����&7���2��,6���c����7������� "K��Es��s���F.)&2��,6���c�G���*Ī�������������ݧ���������͎`𢦭�����K������K�`FP�B����P�����Р�� ������3����7���2��,6���c�Ο ��7���K�δ��|``��.,��7魠���7���2��,6���c��ҩ7�C2����d����K���Ҧ�Һ5|``�bHe��:[�2��,6���cEe����b�2��,6���c��`F�b���� ��n2��,6���c�G���*����X���`F����"cH�C2����d�e�کC����KE�b�8q``P�B����P�����Р�� ������3����7���"c�Ο ��7������� "K�δ�`F���.,��7魠���7���"c��ҩ7������� "K��Ҧ�Һ�`�Gq`�`F���.,��7魠���7���2��,6���c��ҩ7������� "K��Ҧ�Һ�F�GqF.)&2��,�B��c�G���*���7�F���.,��7韷�7���2��,6���c��ҩ7������� "K��Ҧ�Һ��.)&2��,6���c�G���*��颬�F���.,�9颬�7���2��,6���c��ң�7������� "K����`���.,�7 ���7A��Nf�����&7���2��,6���c����7������� "K���GqGaB�,�qFJ2��,6���c�G���*Ī���ק���������͎FP�C(�P�����ٷ��3����7���2��,6���c�Ο ��7������� "K�δ�F������qF�`�P�C(�P������7���2��,6���c�Ο=���� ��ҟA��_� ��7������� "K�δ��|`Je�K ��Ī2��,6���c�`���&S�c���D�&����@� ��EA���S��é�*_��I����=q`F��D��19�.�E� ��Z�����*C���=�����$� ���,6q`F����(�B�E����������*�����q`Fe�3�����72��,6���c�ǭ�E���� "K�F�`F���Ϩ�S� @��.��w*?�����@��\��cE��*?q`F��c� ����C)B�џS����� K �������� "K��é����0@6�q`F����=�� ���@Ԯ�@��K ��q`Fe�3����2��,6���cE���� "K�{`{`Ga�qF�������_He���=�Ī���� "K�J�������_q`P�C(�P������_����� K ����7���� "K�δ�F�e�3����������� "K�GqF��@Ԯ�@��K ��qFB�,�qF�������_qGa ��0�qF �cH�x��Q���򠱹�ᤫ��>��� ⦢�Q�� �c2�� ��FdH�7��_�K��7���b�~`bH���bq` BHe�?�d�� B|` ��6��c�bE B2�����`e�:�dX��5���c�`F������v�@6�`Gq`Gq{qF �c�@�C�qF �cqGa�������qF�����S�T#1�&S��颬���� ��0��O�@6_qFT#U��颬���� ��0�|F��⦢�S�� ����C �S���_�@� ��qFe�:7��_�K��7b��X��5������F�� 9�HT#@6�����`��魻���9�F�Gq{qF�����S�� ����C �S�K ��qFeͺ������,�7��_�K��ѭ ����5���������FA���c����Eө�����K�GqGa���?T�����$� �>����EC0�ŹT�����$E�T�����ˎ�� ��A���1�؟� �ө���Q����?T�����$�� �>�7 �>���C0�7C0��C�� ���5�q`T�����$�KH�7C0��K�Ǡ����B����T�����$~`��T�����$�T����������������`}�e���=�Īe�کC�T�����$�KE���`Fl������C��7����줽�����6�����G:�������T�����$ΟC��������� B�C�3��~`{``G|`BCrHe�کC������ ������ "KE �>��Fe�3��k���BCr8q`e�3�����7T�����$�K��T�����$�EBCrJC0��C���B%�T�����$q`e�3�����7T�����$�K��T��������EBCrJC0��C���B%�T�����q{`GaA�������EBCrEtH���A���H�A����7�����Ο ��7BCr��~F�� ��A���1�؟� �ө���Q��A���2q`𢦭K������ ������ "K2q`FcU�eͺ������,�������`Jc������`FP�� ��P���������?���c1O��,��7A������`��``�c�����c�``e�3�����vEBCrEt�`{``{``Gq{`GaB�dEtH����� ��A���1�؟� �ө���Q�B��7d��5�q`𢦭K������ ������ "K2q`Feͺ������,��d�������c�`Fe�3������vEt�`Gq`Gq{`Ga �vEtH����� ��A���1�؟� �ө���Q� ���7c��5�q`𢦭K������ ������ "K2q`F;@#He�Kbv�`e�3��k���;@#}�e�K ��Ī;@#8q`Fe�3� �vEt�{`{`Ga���A���EtH����� ��A���1�؟� �ө���Q���7A�����5�q`�CH�����B���C���F���.,�7�C��7A�����Et�GqGa����9������� bE,�kVE>�VE��*�VE�����C�c�V�E��t��� ��A���1�؟� �ө���Q�����9���7����� b��5�q`�C�K```�7C0��K�ǵC~`����9����C`H�����B���C����9��5|`,�k����q`F���Cq``������� ���� ������� ��C������``�/[Y������ bq``Gq``J������� �/ �``l�A�������C������� B�C�3���O�7����� b�E6�����G:��� ���E�;$���,�k� ��<#� �����9��A����~``Gq``������� ������ "Kq`{q`A���Hş����9����CX�7,�k�δX�7�C�K�δ��|`����=�3���=�0 �:3@���O������&�à���K���:����)3�>�c�,���T���3���C�B�q`�� ���  ����S���>�1O�0��S����@#�A����:�1�&�à���K�F��K�����Z��)B���q`���à���K�F�Y����é����]������������� ����S�,�k�j���_����*=���6�q`A�����؟��7>��δ��n>�|`�����������9���+��1����O�*=� ��<#�j���]���� ���_�S�>����� ������9����+��1������F���J����@0��������*=����������E*����E�����C�����9��E2�������)���S��� ��If� ����� q`��>��һ�*��������E����� ���.���C�������_�������6�d��q`A�����؟��һ�*��E��*��کC�5�˟}���*�/ �|`A�����؟��Ҡ��ҵC�c��E�����C�cکC�5�˟}������C�cV%��������C�c������|`��٨�S���C��C�����=��q`e�3��k����C�K8q`��.,�A����کC�Et�GqGa������ ���tH �+�=��Ī��% �����|F���t�B���C��F���@��������������һC2�1:�����<#q`J�C2��%�۟౨����â������`�:�Ht�B��:������q`F:�H����Kٴ-����������<�>�:��`tŹ:��H:�q`F������~`�`F����~`G|FtŹC���������H��qF������H�ű���˟՟ ����کC�����qFA����������Et8F��GaA����A���EtH���� ��O�.��A�����A���8qF�� ��A���1�؟� �ө���Q�ٷ ��7A�����5�q`��.,�A���Et�GqGa6��DI���E����bE�����s����n��/ %���DI����؟�.qF<$�>HO�?�<$�>�DI���E����bE��.������񭡺������ʟ�������<$�>�qF��qGaB�@�?�������bE�����< Hᦩ�Q�������������7��.�����6�������ͭCB�����5E����bE�< 8`Ga@�B���M�T#�����E� ��H����MH���Q��e�@6������EVX�5|F����q`J� ���������`ͥ����Q�ٱ����F��`F�ͥ����Q��Ѽ ��������Q��Ѽ ���L��{qF�M�N���������C��L�ʟ�C�_��8`GaT���"�� ��If�If��V�w�������qFj�����q`IfHJIf���q````౨������� �㠦fQ��If�������� "K�```�````�౨������� �㠦fQ�q```{q`��H���<*�������D�Iq`D����� ��IfHIf�D������j��Ifq`JIf���q`FD����� ��IfHIf����Ifq`�`F�=�����<�S���� �>S�If�����~`GqF�`�l����������é�� �T������� ��If��)�������7���������~{`Ga��3<���ĪIf��IE�� ��C(HIf����Ք�s���]J�� ��C(/ ��� ��C(�����5��%2��;���F���Cq`FТ<���3<�;��E౨������� �㠦f����������������Ў`��q`N��ަ��<#٦�q`F�]�q`Gq{`Ga�������G�3<����If�Jө��������G�3<�����۟���3<���ĪIf�F�IfE౨������� �㠦f��� � �"3<˭کCՔ��`�Ifq{`GaN�����B�G:���J�����B�G:��%�۟If�B�G:��Y��G:��/[q`T���"�� ��If�B�G:���FP�C(�P������ ��㠦f�=�D ��7�� ��If�δ��GqGa�����9��cqF@�B���M�N��d�9�������5�FBCr�7��_�K�ǵ9�������F� ���`b���� ��b�`���G��z���� �����G��z�`��C C������ ����C C���`���B�AB���B�AB�`;<��;<���`If�C2���If�`�=M��If�)��=M��If�`�)�C2����d�ө�����KE�)z�����8`Ga�����cqFdU���|F��ݠ �ӹ�qFC0��KH���� ��C0��K�����5�­��!�کC�5|F�����0��;@#�d�qF�?�bQ��C0��K���G���d�Fd1�؟d� q{qF���@?S�â���qFâ���Hd@ID�C� ����2����Ed�F���e��:[�d��Hd���������Ź0�������X5���w���������~`��q{qF����+����C�S�d����П�b��������������������Z�;��qF�����1� �����Z����:����>� ������������� ��qFâ����â�������+�H����������������|F���&S�d�â����=�֟�ES�������C0+3���@� ��qF���é�������� �S�DT�� �+����C�S�â������&SqF��â����=���0��*�*?ES��ڮ��ZS����������qF����C0��KHJâ����)�֟�q`````Fâ���� �������!q`````�`````F�������������~`````G|F@�B���M�N��d����������5�FBCr�7��_�K�ǡ���������F� ���`b���� ��b�`���G��z���� �����G��z�`��C C������ ����C C���`â���â����`���)�"�)�`����C0��K����C0��K��F8`Ga����;<���cqF@�B���M�N��d;<��������5�FBCr�7��_�K��;<������F� ���`b���� ��b�`���G��z���� �����G��z�`��C C������ ����C C���`���B�AB���B�AB�`;<��;<���`If�C2���If�`�=M��If�)��=M��If��F8`Ga����,�0��r�cqF@�B���M�N��d,�0��r�7,�0��r���������5�FBCr�7��_�K��,�0��r�7,�0��r�������F� ���`b���� ��b�`���G��z���� �����G��z�`��C C������ ����C C����F8`Ga����������f����f�}����f�=��Ī�x�FlϨL4�0Q�������������fX���x��G|F����������f1�؟���fqGa������"B+��L4r�LH�]��}�L�=��ĪЦ�+$���L�=��Ī�]��+$�FlϨL4�0Q����������"B+��L4rX�Ц�+$���]��+$��GqF�B+��L4r���LqF}��B+��L4rq`s�~{`F�ҡL~Ga������"���f����f�}����f�=��Ī�x�FlϨL4�0Q���������"���fX���x��G|F������"���f1�؟���fqGa;<���LH���׎J����ĪL�F�;<�1�����qF�`�}�L�=��Ī�Î`lϨL4�0Q���;<�W�����ÔF�G|`�;<�U�Lq{`Ga@ �d�O���e�کC�q`ө����� 3��� ����d�Fө����� 3��� �����=ç;�������< iqF8`Ga< i�����3�O���< iH�F����������� �����?�Źb�F������M�O�����?�ŹM�O��F������M�O��If����?�ŹM�O��If�F������ ��������?�Ź �F������If����?�ŹIf�F�������3������?�Ź�3���F�������:D����?�Ź�:D�F��������ߙ��>�< iŹ��ߖF������^™���?�!�F�������^��홽��?����F������^��ə���?���ɖF��ߙ���?�Ź��ߖF^™���?�!�F�^��홽��?����F^��ə���?���ɖ��� ����ÐFJ�� ��@A���`�Ŵ�� �/[��H��< iŹb�`F�Ŵ�� �/�������H��< iŹIf˲F�`�Gq{qF< iqGa�:�qF��:��ަ3��� �����:�Q��q`G��C�`Fө����� 3��� ���G��C��F�D�b`Fө����� 3��� ����D�b�F;$��`Fө����� 3��� ���;$���F$������cFө����� 3��� ���������c�F$��I���`ө����� 3��� �����I����F�������D�bө����� 3��� ����������D�b�F������;$��ө����� 3��� ���������;$���F��������ө����� 3��� �����������F��������`ө����� 3��� �����������qF8`Ga�� ��O��< iH�����< iqFb`H< iŹb�|F��ޥ�� �,6�S�If����i������S��< iqF���JIf����< iŹIf������```F������������êIf������``F��````����Q��q````�< iŹIf�````���0@6�������S��If�������:����=q````����=)��������������C�S���� ����"@�=����q````�V�```F�< iŹ�:D�```F��``F�G|F��ܬ,6�S�����0��qFP�C(�P�����ͤ�_��� ��C(�O�7b�E� ���7������� ��If����|Fަ3��� ����������� �Q��q`�:��:��FbFb�F������������� ��If�F����@�=���������� ����"@�=����F�� ���>#�`b����������`I)��౨�������������F��F ����q`F�`F��A��>�������D�I��ɭ̭�``4�q``Fө����� 3��� ����d���ǴX�5�``b�``������� ��If�`F˭کC�5�`F 3��������������``�q```�```����e����b���d������5�+�```^���< iŹ^!�```�����< iŹ��ߖ```�b��< iŹ�:[�``F���``F�```����e����b���< i�d������5�+�```^���>���< i�dE�^¯�```�����>���< i�dE���߯�```be��:[���< i�d��``F��``�``G��+���`��F�F8`Ga 3���"O� 3��������F 3�����N����� Ī�< i% 3�����< iŹ���˟��>� 3�����dE���ߎ^�H 3�����N����� Ī�< i% 3�����< iŹ^!���>� 3�����dE�^�8qFަ3��� ����������ަ3����Q��q`,�0�d 3�����d�F�:�`�:��F ������`���ߴ-֟��ߏ`�^´-֟^�F8`Ga�����=��������cqF@�B���M�N��d�=���������������5�FBCr�7��_�K���=���������F B���̏F� ���`���G��z���� �����G��z�`4:3�������4:3�����`If���If�`A����:"���A����:"�����F8`GaqF�������Cq`��=çHަ�Q�q`�� ��FHeͺ������,���;���������ʟ�d��ᤫ��>Q��d�|`J�tŹM�O������_��`F��S�M�O������=���)����ß��*���=ß ��� ��M�O������_�q`F�tŹM�O������_�˭���;������� ��M�O�E��=çM�O���`F��ͬ�1���9����ɭ����C ����9��������ɭ���q``�� ��M�O�E�� ��M�O��IfH�� ��M�O���;�33���5�ҟ�ʟҟ�|``��,�?S�O�S��� ��M�O�q``H�� ���D�2����``��< iŹM�O��Y��� ��M�O����q```��< iŹM�O��If�Y��� ��M�O��Ifq``G|``J�������``P�� ��P����2q```�ө������,�?��O��� ��M�O��7�� ��M�O���7�� ��M�O��If����q```��=�_�� �����������O7����çM�O�کC��Eί�~``{```G|``��=çM�O��������=çM�O��``��=çM�O�E��=çM�O��IfH��=çM�O���;�33���5�ҟ�ʟҟ�|``F��������``F������A����&����O����_���*���1< iq```��=çH�����q```��=ç< iH��< i����� ���|```���I�4S�M�O����M�O��If�C�S�< �?�q```��=ç< iŹM�O��``H��=çM�O�q```��=ç< iŹM�O��If�H��=çM�O��If|```��͠S����?���< i����S���� �q```��=ç��< iH� iQ����=ç�E��=ç< i8q```��=ç��؟��=ç�q``{```Gq`{``�`F���=ç�T�?��� ���{q`J��=ç�������`P�C(�P�����詟�(9�E�����_���=ô�F�G|`��=çq{`Ga���?��*�c�T#����>Ecb�e�:vb2�����F�� �9�H���@6�����џ믎`��>����?��9�F�Gq{`Ga��>�dE������ߎ��>H��>���������������8qF���?��*�c�T#����>Ed���>�à���>qGa ��O��6������6��W�@#����EbE��������V|F�â��U�w�ä�ŴM�O���````F�j ~`````�������������Ч����q````F�j��������~`````���ӧ��������Ч����q````F�j��\=�~`````�������ͧ��������Ч����q````F�j�� �~`````�������ͧ��������Ч����q````F�j�@����~F�````F���������������Ч����q````F�j���~`````������������Ч����q````F��`````F��������Ч����q````F�G|F�â�������@��F�������n@���?�b�G|F�â�c�����@��F�������n@���?��@#�����G|FP�B����P�����F��֟�G:��7b����P�B����P�����F��֟ᦩ�4�����7��������|FJ䡤��۟�������~�ݠ>��Q������ ��C0��K�FP�B����P�����`�֟������7�@#��������9���B�G:����F��6���ū@#����˟����q`�6���ū@#������b˟����q`J�6���ū@#������b˭���Ī�����`�6���ū@#������b������˟��q`�`F��6���ū@#������b�������H�q`GqF�`�P�B����P�����`�֟������7b��=���S���â�������.������4������G|F�6���qGa@6� ������A�������H��.,�A��������2�����2�����F��.����q{`Gaà0*� �����qF@>���GU���՟�������������ͭ����ʟ��������������E�����کC�5����~F@>���;���U���������������ͭ����ʟ����Ѵ�՟�����������E������Ѵ���کC���@>��H@>���G1����՟@>���;����|F�@#����HVqF�6��U���|F@6� ������C��7���� ��C0��K�ǟҥ��&�@>������)�Ҡ��B����@>���7@>���Ο��� �1���5������Fw��q`j���կ���q`F�@#����Hݠ>���+��?�!q`FP�B����P�����ި0��_��G:���O�7�@#�������F�j����ժ�������ժ�կ������q`FbHݠ>���+��?�!q`F����Hݠ>���+��?�ɂ`F�6��U� ��O��6������6��W�@#����EbE�����Fj����ժ������q`F����q`j�����?��0���������q`F����q`j������ڼ�����q`F����q`j������ڤ������q`F����q`�à���������������q`F����q`j����ը����������� ���ǟ��������Ҡ� �c�q`�`F�P�� ��P����2q``��C�4����?�O�7�@#������7���~`{``Gq{qF�6���qGaà0*� �����qF�@#����HVqF�6��U���|F@6� ������C��7���� ��C0��K�ǟҥ��&��� �1c����@������ӟͺ�����������ʬ�C���Ο��� �1Ҩ�Ÿ���5������Fw��q`j������������q`F�@#����Hݠ>���+��?�!q`FP�B����P�����ި0��_��G:���O�7�@#�������F�j����ժ�կ��q`FbHݠ>���+��?�!q`F����Hݠ>���+��?�!q`F�����U� ��O��6������6��W�@#����EbE�����Fj��e�=������ �����ȟcǟ��������Ҡ� �c�q`�`F�P�� ��P������C�4����?�O�7�@#������7�����F�Gq{qF�6���qGaà0*� �����qF�@#����HVqF�6��U���|F@6� ������C��7���� ��C0��K�ǟҥ��&����@��������9���Ο��� �1������5������Fw��q`j���կ���q`F�@#����Hݠ>���+��?�!q`j����ժ������q`F����Hݠ>���+��?�!q`FbHe��:[������`�6��U� ��O��6������6��W�@#����EbE�����{`{qF�6���qGa��������< iqF@�B���M�N��d>������c����5�FBCr����< i�c�F� ���`b����b�`�����b�����b�`B�����3������ ��B�����3���`���� ����� �����G��z�` ��� ������F8qF��ެ�G�S�T#1�&�������cn���=��qFJ�������cq`e�:�����< i�cX�5����������F``����������@�B�������{`{qF���CS������T#1�&S�@�B@���M�c� �>���T#�qFP�B����P������G�@��Р�M��՟e�@6�����< i�c�qGa�������O��cqF@�B���M�N��d2�ҥ��O�����5�FBCr���O��c�F� ���`dK���� ��C0��K�����5�!��F8`GaA���D��� ����qFP�C(�P�������_�D�1C �����|Feͺ������,�7N���K���5������c�Fe�3�����vX�㩰�<��7������B����P����2q`F�� _=���7��=3����=��Ο��O 3�����_�~`G|`��.,�ã� � ��7��=3����=��Δ�GqGa@+3�d�O�dE;@#��?�bQ��d��@+3�d�������?�bQ��;@#��� qGa���������EBCrEtH���}�e�K ��Ī�����Flަ��<#٦�X�����Ο������@� ��E�������q`F��7e����������������&����ڮ�� ��������cE�Z���q`F�S��A��Ο<*���C�6�~{qF���cU�0��c��9B������Et8qF��٨�S3�r�@� �����=��qFe�3��k���BCr}�e�K ��ĪBCr8qF������I�S�� @�����c�qF���c��������c�F@+3�dH@+3�d�O����cE����8q`���@?S�;@#�@� ��q`;@#He�کC�BCrEe�Kb�@+3�d��Fe�3��k���;@#}�e�K ��Ī;@#8q`we����������c�� ��q`j��K ��q`Fe�3��k��7BCr��7@+3�d��F�j����q`F �>e�@6������c8q`F𢦭K�BCr2q``e�3����� �>�X7BCr��7@+3�d��`�Gq`j��cq`F���?He�?����c�`�����c�Ο�â� � ����1���Z���C�6��&��� q`F����?S�E����4���S������=�C�M�0@6�q`FJ� ���%���?q``J��=3��H� ������š��?�B�E���?�C�˂``Fe�3������=3��X7BCr��7@+3�d��EO�����`F�F�``���Cq```e�3�������cX7BCr��7@+3�d��``�N��٦�����������q```e�3���������cX7BCr��7@+3�d��E@ �BCr���``Gq``F� ��������š��?�B�E���?�C��X7BCr��7@+3�d��`F�Gq`F�``���Ȣ��?����@��\�A�����&�2��ä����q``������=f����S�eE:�� ����������� ���*q``�������͟����_��� �� ������c1��*�����=fq``����Ҧ�Ҧ�ү�����*=��������Z����Ρq``���@ �BCr�3���q``���Cq``Fe�3�������cX7BCr��7@+3�d��`F�N��٦�����������q``Fe�3���������cX7BCr��7@+3�d��E@ �BCr���`{``{``�`F�l�ܨ������c������e����������c�Ο?��7���c���~`Gq{qF��ݠ ���c1C�S3�r�*?� ��C�S����c�qFBCr�cU��,�7BCr������5|F���0��+�S�@+3�d1�&c1������A�;@� �SqF�������qF@+3����cU����c������c�F@+3�d�OvE�����GqF@+3�BCr�cU3�r�c������c�F@+3�d�OvEBCr�G|F��ݠ �������c1*?� �N:C�S3�rE�� �qF����C�S����qF����cU�@+3�BCr�c1ҟ@+3����c�qF����c�����c�Fe�3�������e�کC�BCrEc��G|F��qGa�,��;����;���H�?�bQ��;������d� qF𢦭�,��;���Ee������������篭���@� 2��c�F�:[He��:[v�F�����������ͭC���BĪ�:[�GqGa������cqF��� ���_�S�����3���*?���2���=�qF��ܨO9?.�ES��������&S�c�C�S���_�@� ���=���?qF��� ������S� �>��C�E����C0�����������n*?qF��=����6�*_������0���=��qF�����?�=���������������S�,��.��&S����� K�qF����=�����*?n� C�ǥ�����_Ǭ��� ��K�*_������ �����������ά��� �Ο��ES��*�ά��� ��K�E�â���qF������ �����������S��� ���D����â�=�CA�@�����Ȣ��ҟ��1�C�����é�� ��qF��.,���2�������ß̹̟7e�کC���_�KE���� ��C0��K��?�����Ī�կǯ� ����P�C(�P������@?_����&c���|F���C���S������� ����E������ ���2�S���C0��qF��A���Eà��l�� ����ä����1 �S��@�������������qF��@� ���qF��.,���2�Ǯ��ǡ�CDZ�C0���ң�7��_�K���П7e�کC���_�KE�>���Mί�5|F���CS������T#1�&S�C�: ���c�>���������C0��qF���������*C�S���_�K�1�C(�(�B����à@�T�����c1O�SqF��_�����1 ������P�B����P����2q`��*��C�: ���c�����՟e�@67e�کC����_�KEέC(�X7����b��C�: ��������G|F�����S�N��3������ �S�KqFeͺ������,��e�کC���_�KX����ѭ���5������������F`FA���c����Ee�کC�ө�����KE������cz��G|:��qF����������� ���C0��D��1�4Ǹ4����������1A�@����qF��C0��4H��.,�4�Ү5�2����qF��C0��4H��.,�4�Ҹ5�2����|F��.,���2�������ß7��C0��4��7��C0��4��7��_�K�5qGaO��@#����A��N������ �H�ä�ŴM�O����� ���|FJ��� �Y��������~`JA��N�C���BĪ�����`s�����q`G|`JA��N�C���BĪ����`s�����Zq`Gq{qFJA��N�C���BĪ����Fs�����ZqF�`�P�C(�P�����詟A��N���C���O��7��� ��έ��F�s��记�q{`GaT������ڡ������������9��qFD�@�ڡ�������=�������ڡ������� @�qFs��}�D�@�����< i�X�r��E�K����������������Ч�����������������8qF�P>������,�������������� ��Z�� ��N�����q`�� @��7�ڡ��� @�ᦩ�=�������������K��Yͧ�����������������9�����l�ڡ���9��٦�qN���K�� ���������ȩ9�٦�-֟�qF�P>��B���� @��7�ڡ��� @�ᦩ�=�������������K��Yͧ�������������=���7��5qGa�C���6�c���������� �����������B�������T C1��� @����S�(�,�_E������â��������S�c�d����qF��٦�������D�I��к���٦������j��@?_�d� �D�����Ҹ��ߩí����͠����������=�CL4�|F�������ʴ������ı���ѯ���������*���� ����2���?E�6�c��F�?������d�`T#He�@6�dJe�cĪd�`�6�c1�؟ʟcbe��:[�d�E�����ET#T#�F�Gq{`Ga��C"���� ��?���?��xH?� �î��頭����qFJ?�U������q`à6_�����E?��xE��@:�F�.H�C(qF.)&?�U�3<���q`à6_�����E?��xE��.,��F�.H��?0qF�`�à6_�����E?��xE�@��F�.H��?0q{qFJ���t:������ ����t:�����N:���F����G��.E��t:����F���������G|F���� ��;��������;�F�����H;����F����������ʟ���������G��.E���q`������.}�;Y����� ��;���+q{`G�/`�D��!����� @ P �   � �<�"���L�@*h�  @�` ����D P&��� p:���0&@� � P6@@!��@J 0� �0P@0@��H� ���@������@@-`l��� (/�� �4`���j��7���"@ 8��@t �� �0t@`<��� @�)����  � �"�;`l� �(� �#�X@@I`(��"hN�<@�` P�*`���Y� -0�@�� �.P���6 ��@`]��0  �t @(H� l� ��� $`2�@h`����� @k`l��ڀxp ȁ9@�w���@()��<���|��?��� �@=`��!@�`�`�!��� F H$@ �Dx0` FA(�<Hp���H0 (��� �$���  ���L�2��h�6(�D�8A@�x�@> � !0>A@ !P6��`��0 ")8)`�@)��LSN*H@�U0DA ��� �((,� �R0FAx���@` �@ XDA����`�(�<Ԃ @h� ZPX@�`Ђ` x�� r�.h� �]Pr/�� _0`A�� �QPF@+@�`�� ���@�����` �8� @2��(�pZX�D�]�Ah 8�V����`�* �@4h@ XvA�A�� � 56@ �d�P7 ��2@5��dg� �3� �P�A��H� "�.�� 4��6@��`l�m� @!ݠx�o�*@�`��O@d��@� 7@�`��O@d��`� 0�A98����r�D� ���p@�`��� @��`Y0t@� �L0t@@�``� -($� ��@h`����� X� vP��� 0H�; ��x��� � 6��l� ��@h`����� � {P�$���V������ �>�@ �}P"�(� � ��A� �0B��D�P6@�`�@ @A� D�~R�A! � �"@B�$����?@ !,� �"� ( �8��("�@" �@" ��P6��gh�� @ ��� �0 BX X��p0BF8)`h�� � *��� 8G��# �`� ��#����D���#��p ��@ �P2�  #D�� B `l���I�#d��V�F%���H�-P��#p��p:�6@ ܀3���H ��� 8�G��t�l�@�"�t�l�@�����"�E�!��� 8G8 � �0�@H)al� �6@P +���@�@8H$ ��,�\��4�#D��PV0&�@d��  ��HMY���jG�6����!0�܄�L2�"��@ Xa��0H� �@���.���#��p�� �`V@.�!'脏BG0�# �`�  �# �`v� �`$ ��.B0@$�\�>H �'���8O��#p�� 8�G��`L�FA� �2��AH !��"�e�!d� �"�f�!���g��x���g����΀� 7 x����`�����g����΀�  7 x��������&P��i@�`�� ����!����@ P X�3D�ՀDCX`�0�B `- �ր�A8�����`�`�� n�l@�aĆ�f�0؀�p"�m� !�n@��� 40�@H�a��&P��n@�`�� �"�A!�� @o��!��"p)� ��2C�M@8D��C�)�8� `0�8 ���C�!��"� @�`$��CX  ��H� H_!���r@:� �0�C@- �� �`���D�� 6,܀`��r@��4�V@H_!���r@���N�@�� ��W��"�h(�3�0� @D�P"�A<��`@:�D�n�@�!��p ���9H���� :�E��C�A` ��CX�:D��� ;�E��C�A` ��CX�;D�� <�E��C�`< ��P�H� ,l�k��<`���  7 �,�`���D��� 6=܀���r@��Ԇ�X0؀�p"{���n@hX`9 �`�� �� ,l�h��=`��� �7 �,�`���DՀ� 6,܀���r@�����X0��p"}�� n@X�>�`H�����p� 6�5��`�� 8�Pn���a�0�C�� �E��CX`?���C��? �p�C`b�� D X��0 �(S�@ �L0 D8`��6�b$��@A�)P @& "0���H 8����(,�? �1 D� �! �(  &D�B*�@!�@��b� 1D`  �� �(  D��$� 4D>�`l�FA���`��?@"(� ��B�"��!"� ( |�|0�� �� ""@?)� ��:DPA� �>�D�Q~D�A � �@�� !��"���x��"�@��@"��#�@��+�l� $���`H�0 ���� ����@!��B�A� DD�?��2C�D��D0` F�D�+�l��$@�( @I`�%��0Lb$�pi���&�6�Nbd��xX�*@�� � � 4�(��� @�`L��2��J ��P�D� 3 �0�D@�T `%�89p%F �$�d �%��� D�&�% @3���Al� ��\�`�` �D.���0.�@�@�`p �% @�M J �L���BL� �@f@db��� j�c��%@f�S�Ll� 0����L Q��H+����&@&<� @�`/5q@?@�aM �L0�D�kd���(  �~��D�h���&��Hpb� ���`NЉP'��@� ܉�'@�@zb��D�`<1�D�`NЉ�� �J>�'&��8b�� '"@P(��@�D~���f�@O=!���V@�'�A���P�`@O���l�  �@ ����p(@ @b�@A �CqHH@Q�(�U`X �F1Ex� �D1 E)`<��"p+H��( )����G�(2�����P�p�A�8��E@�`X��.EO�"�����"h� �"��!p� �"@�!x RP�   �OQF�8�BT�Q1HE�R������@�b���@�0 SlP*����b� �%6@O86@TD�TT� X��U�`\� `��U��X�~� ��S C0fE�,�S +�~� ��S C0fE�,�S +! : �� W0@E��' C0,E���l� l�� ��� ����d�p+ ��`T �\Q����� ���� ���V@?�P �L0xE����+��(#��j��� W0hA`<��@ @+@�b|�@ �� $��")8)`�A���W�� �/�|�0(@ F �$� �s0>A `l� ���� ��@ @ X�'`1(~�@�`�06��W �/QF@�8�� `0��@()@X�� ,�$���V����`DRP6��`�a1zA@�XP,"���`P�B�2�8` ��,���X+��@� `<4���!�"0�P����`� ���KD�^PZp`�V���x`@,�(�H�-"�(( �X 1`,6��BZL�@-�@aX�p- � ؂��p���,l�$�0 `l�lA@!ڢ 0H� �``��#(`�m�-@�@�`T��-�@\h�d��- � ���. ��CT���0:� ��.��!T�0H� <<��"@�(#�|@.�D���6���\p� ��8<4��% @g��� @ H+� �s0�D��b]�� �`�] wQ�@ ��.V��g��� @ �+��P �(�b^ЋV�����K� `/��h� v�D�`x�/������ �.@�����/�@�b���/��`���0 ��8�� �.��( � ��p��`���@0 V6�`��q0�� � � �(��4�a�ˆ# �P�h�a�M�� ���@()�a�;0 F�� !0�E��9 vQ @���� �.�Ĉ�T�`$@�`8�1 @8@ �4PR��Xv`\��2��l� �.@��؁�1 @`�] ��Q��� ؁�1 ���c|  F � $ x �V� ` � � ��( ��3���H ��02�(�+ v��� @}$ i�����F��K#i���4~@��� KQ��� Hp)6@pOC*0�pi����`�� � pi�������@ �p�C`b�����@�)P @&T#T������?��q����x� "ֈY#h �FC�@>D���5"@׈^#��5"؈aClD��A6�� `W �)P @&T#�������F� �%"@0�X#d����}b'L��2��m� �6�B Xi��� �X�j �a�� (mcP��6 ��a���"����m��1jC`o��7�(S�@ �L0jC� 0��܆ܘt�n؍��7�Fސz�썽ql�  |�� �7�`�@ol� �6`nX g�7���h� � ��(U���@(# p� �66��c|�� @G@�`|��> �#��>U@�a��� V0`@ ��Q�� ��8��X��q8�DZ `� �0�@�#rH��A9*��`�1�‰(����p" �����d��9h�C@$�ˁ ��`�����sp��V�8�� `.�@10��؆ 0܀ �96@��C*0Á<��@��d�̐�@  �:B����cl�`8H�T`]�d �����d�JG@�b�&�. ��@�c���2�puD��Q2��@�c���2�p�KD��Q6��cuHg��h�d�1�B�@u�1�Bx@u�1�B0�u � ��� ��1�@H�clP��(���H�@Wb���A�@�b�`@�`��G(` 0H� g�� @ 0+� �s0x�@�����# }0�G�� ����@ 0A� �B�@!D��FD�A� �F �% ��G�+�l��Z8��C�Z �@��p(�)`���>������p(�!����@ @���`�a�� ��C~̏�q�p��~R�����?n�T8@ ��Q�G�`��@�@ l���� ��1�GH+� I1H� �7�l�H� �7 �3�>�� �@V)��� �N�D� $ p��#���� ��������i���|�8 M� �L0�G �' �b� 8 �`�@n�O@ �'l�`Z8�'��0E� ����*p@�id |� �O(U��4��x   �P6@�  �D rl� ����&��s�N��P*�S � ��D �d0 �)+�L��0�@ �pAV�� !�d�3���H h�06�Fb�� Rt��� � RhD �0x@� �4R2�� x��6H�� C06H�@ �28BM���9l���:`��1�‰(:��`��(gh�� @ !+� W0t@� ���ND�� C0ND8@ �4PR�Y���� ��@ QFA8@ �4PR Y�<� "�((�`�2�‰(:��`��(gh�� @ 0!+� �2t@� ���ND�t����!'���@() ���V�\��� P �<<��"��()���B�DA��� � ��:�l�� ,$��p�i���Zx!��D�R6@�!1D�0��fH�!5dؐ�n�`� ���!�JԐ�C ��! � �b0hV� ;���� ) �0 P6@3�� ���B()<���(���J �����RbJ�)A%�D��U���� 9R���P%���Wrl� x%�$�� Y�x��H� 0Kh�ܨ%,��4���J~� �%��D\r�!ȡl�J�` %?`J�W� �@`�� �D.� ΀`�Kn�3�@K �at� ���TS�K@/�%?����K��)��dT�a�� pYh��9l0�`��*` x�&���^�~�0��l� �%�0A�dl@L��( ������@T P!@" ��b��1Dc�A(�l�pL�8��01�C@&"�d��� �L��2�P&�e� �L�� ̐��( @ �P����`�d��� �L��2�� �e� �L�� 0�� ��8�d�@��K�$T�P�x&@ ��Q��H�`v �0�I�&`�@@M��(� X�0; � <\�M V�� hRf��d� :Q����a���M���`��0 ��(��!p���@ �&A��D�P�IP��8�2FA! �� ��'�DRP)�s��0n��M�� ,2x�� �92H� � 7���� '�DRPF X$@� �q$@� ����s�N@'��U�?�) H"9)'�� sr� ��N� ����� �ސ��8'  �P6��`9 ����(,�NL��2�@' �� �Nl@q�?�Nl��N@q�s�N@'�� (7�Љ �l@q�?�N �L�V��`m ������� ۰���؆ 0܀�6��d�� @�v" x0 DwR2@;9<�"�(`�w2zE0�W �1�I �� �+�� � ��@h`����� �'4�ـ2�� �7D�RL#�� 0O����+��(`�l�@Oxx��D{RF P!$@� �{�OT�'B� �{�@>A�d���6@�'H���L�`�@ ~R"�(<��O"�?)���L��?@�$����?(R��P� � P�� ���#"� ,� �R0t@<\�� ��� <�� ��`���"P8�Y� �pP �&@e��Hp)���8@ �4PR@DYa�2&J� � �R|��R4��R��@Z`���,� x \�Q�� H7d��Q @�(  ��P�FAe$�`:� h ؀�� �, � ��RhI�� ���bK@�el��[)8)`0&VA����2x�@��`%��oi��0&")( 0&VA�%�� \�p)��0�pR\�Kq� �$N�q���l� �[rA�e��\�rI$����� p. �� ���� @ @� �b�� @b`D��\�q�������t��P����u�.7��0]@(S�D��tA �d��]��v�����]"@w$���$�� h.�0�\�wӥl���rA��@�����.@� �b�� ��e�\@xI$����� /+@� ��Hs! �� ��� sA���� �����%4�`^���(`(0^R `.$�� ���� @ @� �b�� @b`���\�q������@zQ.@���\HsA���� �@3��%4�`^�@3(+`��2HA@,� ��0�K@ �� ��2��p/@� �P6@x.���`\l@|����`\l�|�� �" � �/�����|A�eܗ_ ��e��_�K~9���@�K8(@��_"�A :����r� �/�F ���`���� ` @�:$��� �`��@`�� ���p"�� 6��PF 80$�� 0H�W�:��n��,�+ +�� ��� �@��- �� �1�P0`��� �`R X-$`� �S�[V����8��` x`L SF X-�$��0 �L�@a"@��&\���@�Y-�LD��`���S�4� �2��0`l� 6��0�؀��s��-�0����C2B��Pcn�`�D��A�>�Ԙ�p�2`l�@d@�9�� �U��)2A��LA��L@2, Ɍ �U��A�b(��� � ��%�^�H+��a"�!�� @���� �� :�a�� ���a�� ��@�0&@�9Rf`0en@���0&�9Uf)3HA@ � +e��iW� `�e)(S�D-�� ��4�+�� �2Qf.3���2 �)�e���a�h� f ��2M�D�1�4� 3��� f@�3��4� ��83` |�&f"��ad ��33�L@3 �0�3�'�9j&�� ��83 ��33�L3�Ͱ2�f�1jf |�&�f"@�am��$�6���p�ęg@��3 �؀9s���3 �؀9s ��q�ԙ� �p&�Pgn@�n!��;s�$�+��;3�L� `l7�$�!|n@�  ,�\l� �`�3�� �=7�D�� ��@��`|� `.6���`% s���l���� @>7X��s�� @>7���`�� P>����sl���8��|"��) � +��O�A�g�,�vl�ٹ�5`��S�Z� ��P2@�A�g�,�vl�ٹ�5`��S�Z� �`vn@@͇8��t"��)�J���6�`�g�(�3�NX:%D$�6�>H�� ��0r`;6��܀����) L�@}"��)��8�@}"��)��X�@}"��) �� +x� (�� � 4@�@¤� �D� ؇��}n8;@�`�c�� �� `�}"����`� t� �sl@���� �p� 0;7� �3ܝ ���>`�D���O�=�� ��N`�X ��}����� ���O`�X �~��?���2�O@Sap��S�O.@.@�0G?����2�O@Sap��S�O(?���3�OX:��`%��A�%�$�~��K'�� � ��� 0����? ���4�~��x? �D�S�p?�J(��~��xeA����s��X:@�D�B�? � �����d�#�@8Y�$�`�� h�Ehl��,�O�Q:`�Dfa�� �ԧ(��,l@ع �Y؀�s���`���� ���`0���ȏ�9:�h��Z�;X����s�9:���"��)�� �����?`�,�s@��'\�P��<ĝ�"@�)X���s 81��D�c� (�/ �����?�����$�Y�����3�96 ��pv��������`6��܀��O@X ���6@`�3�OX:`�3�OX:�A0�l��J��0�(@,`�t���:@���s��f `�n@@� `�u������S��p� �3x�;�ET��AqgНpi @@'f�w����`�d�� (�/ �����;`���s@�(��P@k`�X ����F� ���@ l�ݹ���p �b@� ��NP@���s"-���DTBV"�0 0�:�g�`wn@�6�5܀� : hP��t"����؝h� p 7 (��BV"�0 0�@(A!����� �� t@m� �Y� ��2�: ���6P ׆\@un� �@7�t��@k`�t�����@ �(�@ l�k�@ـ�s"-�{�� �D�A@ـ�s@8H$�ڐ�3h� p 7 \vn@�6��܀��_H$�ڐ��pm��X`�pmH�������6 : ����J : ���`�� �'�(��t" �ԧ� -��X� BVB���s��f `vn@@ja ,p�l�ٹ �� �sl�ֹ�� ��HP@�a�4�N`A��R hA$���4�NhA6`�܀�V� )�\p� �+`4�NxA�fPb��A�ET@ BV%� $�*�h;��D�D�A@�؀tl��A�5 Ã*� 0;7 � ,�l�ٹ�� `%h8;��`��c�� �7 � `vn@@8�!��0 �<6��܀p��@ �f�� �r� � Ƞ��" :͠Ġ�slܹ�5 ��^P�AX`����A�� �Dx�1�dt� 0=%� $�6�`0� �T@8$�ڐ4���66`�܀� "��(6��܀��"��(`Ġ ��`:`�D�R���96@���������s���96@��x@��@� �@�ӉK'(�P��Byg؀PF �;�ڐ���H$ېlc�� h��\�����;?��d��6@B� ��kC�I 8B��D��K�66��܀�V� )�\p� �+`$4�OX:��3�OX:��`%PBB@ ��`�XB�pb�Aqg0�Pw �9 � �.M(�� ����`B� ,�{l�ٹ��`w �;NhP��t �;�܀0H�މ׆0%�NE ؆``wn@�66`�܀������&� �@8H$�ڐ�b����>`�D�kc�� (+` ��H��!W�� +�6@�B��D����x��3�OX:��`%P�B` ����>`�D�(t�A�U��`�nx<� a�c�� (��P�@}"��) � p � z'\��8)�`�ml� ��؀,tV�z�\� �w6��S��@� (&)@ ��N�66 ݀�V� )�\p� �+`�-4�C� E�.T��`]X��3�Px�A� ���α_����l@�b� 1���h ` a����B x!����!$,0��9(C E ��P�d p��BV� !��3�( �`���B� a�t��X0L���� 8C@ �!�l���J E�t���B�� �1��CH`�D��N��5�# ns9Ng����"@3( �� +��P@�h0� ��>`��s���>`��{��@ � l�Att� D7<�P���f�pw �8D��D��S@�6��@�N�6$� "p*R �6$��Dt���Y��`%���6@�l� `�@8H$�ڐ�b���>`�D�kc�� (+` ��H��!W�� +�6@HD��D��QXD�D��s�A`D��Att� D7��3�OX:�4"`%P�#B��A�Z�@DX@E�B�� 0;7�(����K'(���(!!� �&�`��P���D�Q<6��P�n�Z�i�@}"�҉�(<�� "��(�<"`%.�h;@��Ltl�޹�AD�Q2�`��h���D���h�`�� �"<��8;�a�Fd�� �� ��L��Ă�D6��܀ 8�D6��܀����"�� 0�I��Ăy�l�0�� �D�J,�Id�� � �`�3� �=7�4��2��D �ـNt��8�f!+�@� B�g ",��"@!�����P�Z� 4�0���$�f�� �B��>`�DET�"E��D��Q`Mg ��NPD�0�A�Z�@DX@E�B�� 0;7�l����K'(��{���',��p�(�!� P�@"�',���"���"<��J�(�!� p���K'(�����7���w"��! @��Tt@k� �"`vn@HEX��؀Ks �z�\� �w6�@� ��kC�I PE��D��Q�66��܀�V� )�\p� �+`U4�OX:@E�UTJ�HD��D��Qx�AD�Q@)BV%�"$�Z�pE�����nh a�Rd�� �� ���^�����@}"�҉�(����(!!� �xl�,��J��Y�6@:mg( �n� �;7 <�� -:�@�؀Ztr�-Z0���� nтQ<6`�܀\������d������4�\t��>`�D�R�P�96����������P�Z� t!`vn@@�h0�Rd6� @Vb��@}"�҉�(t�����96��x"�������E���s/����1@VB ��N(E� � y�1����>y����]4�OX:�E�.T6��:������HEX`ED�J� 0;7 �!,��� � ��s6@ CX@�؀Zt"@/��($,y������|�α�� ��0(E6��܀����**@ ��W�6@E��D��QF#�s���>`��{��@ � l�Rt0BV" ��NPD�AD�D�:���Z�CX� �J�(A!� 0���K'(�����7���w"��! @��bt@k� �"`vn@0BX��؀Ks �z�\� �w6�@� ��kC�I (F��D��Q�66��܀� � X�/�pmH�U�6�J�� ���>`�DE�QF#�Rt0BV" ��NPD�AD�D�:���Z�CX� �J�(�!� ��@2RF@��bt@k� �"`vn@0BX�����P<` ��NPD��x��@ � l�s��P<6��wn@x�A�c�� @gg!,`�""����� `LX��tl�ٹ $,y��������α�� ��0(E6��܀`���1*@ 8#e�6@xF��D��Sp�p:��D��S�AV%@#$����96@��x@!�����P�ݙF��D��S@�6��@�N�6$�D#p*R �6$���p������`%���6@�l� ��A ׆�@���K'\�zn@X+��@� � �X��5�',�` �9NgP��t �=�J��j�6�5::�H��Z�(DX���s"�k��0k����9�hP��t"�A( @� +���:�H����(DX���s"�k����l�sl�4��5 �B�p� 0;7 �,` @�F`�Q4�OX:@�Rt��>`�DEDx�AP���@ � l�mtt�)�EiT��<ĝЍ"�7*X�� ��3�Q�4� �3x�;�EpT�@)�f���Aqg|��z @@w' ��NPD�`n@$@�D�kC�6B�"�lC�� p 7�\�zn� @VB���k���� �pmH@1I�hP��t"@)���D�kcP� (+` ��H��!W�� +�6@G��D��Q0��D4�OX:@E�Dx��"`%P�8B�j4�OX:� `���@ � l�rtt� �F7��`���5�f�DD�J� 0;7�0�r���α�� ��3��F6��܀���@)�f�D��Αα�� ��0��F6��܀���@)�f�� ��Q9� �0'�D�9��M���@�@����c�:��(�#,��"�;��(�#,P� �p (Љ P@�@��#s���<���MT���@9Y �́:B�%У)�A=Befl� u��K'0��u�αZ�`��u@k` 0 vn@`XX {t��`6�݀�,lչ6�݀���=����� �:7��P�p:��D��S@#BV%� �u��` 0 vn@�GX���s"?������`�X��2@#�f�l��x����P�`8� �����Q�A�a�,�,l@ع h�u6�g`L��� �-��,���H���\0� @BP`�@�� @. H  !�0R �G P��)��� ҂H@ ��Q� h� ��?*`�4�J8H� �T"@ 8�̕���\)$�(�0W �7��`%XIAu�,���C: i�P'l�B���d� `-X p�vD�8H� ���RHH�! �R6�` �@����C$�d��4HJ i0$�n@8H�� �� )`l���\��8�q�&<�L�0W"�c����TI $X ��Y`<� FE�H`�D�,$R�Y`l$�%<� p�n@`<� p�n�H K �42R�@# ��R��HH`��r��+��`%IAuX��CR@�� � +��`H�! ��� XH7�0���D�aH6�!�`%��@�)�l�&�E@aiXd0$��n@@�� Бn� H7Ԗ �`H�!!�08G( � �� � z'\���A�L��<�G�@��`v� ���p����! 7Q��@V�܀ ���@=�|$`%l� ���P�E�G* �� P'l���� �b0�s���7�� 8>7`0� �6@PH`�D��tKp��d  L���H`�D��T��@� yd��Gh@$M�*0H�!�Y`$�,���6�$�P[J���, �:aL� @��d@� � ��r�rJ�)I%E��Ē"@KrI�%���P�Ls%d��0B.�I4 %Ȥ0W"@((�&M�,� l�MB 2i̕� J�IH#d���d��+ �)�6@@X ��4�J�` dG��xI}�'��P��A�@�Ԗ@�P�O�1(!�L0��He��- ���@J\A l� 0�� H�'��x ��ADil� ��0J�(!�71V�c� � x#)%���l�R��#D����PJ`���� xJ�)E��R��) �TF hJ�)E�� xJ�)E��R�J`l� ���pA� ,��@pG ��0��(hL�� P��HI)E��$�����Ml��s�T�T�T�`�l�TBW�T%� U* <��t"�b�L�`�����Z'������ ( � ��0W@V�J��l�0W `�Jf��\� �Е @�J��|��D@ ��|�(X*+`�#@ �։̢����,2�KX�� �@�K'(��t"�A:�@ ��r�bAV"+�� �����:�, ��R�: ��,H��K'0 vn@`:` ��H��!��� +�6@`A����r��Y:K� ��R�)�� ��@ �{����L',���ӉK',�`�� �)� a��|`:+ ��hF�Q�<�@b�Z* ���t"�҉m����t"�҉m),�`�� �)� a��|`:+ �@b�Z* ��@}"��)s�d�� s9i̕�\�$ ��@���0��\��P�0�"@(h�.m� ����s)������ ( 4�@}"�҉w)$��|"^*w���@}"��) �.!+�����'(����H#0����D��K�J������K`��3�OX: �Q��=��D���P@�(`%���K @���t���K~I��3�OX:�$���AVb���xl_�,@� +�~6@�K=�� �pS �' �CQF@O@�i�� �a*L�)����@b�� ,��Ę"@c�� 8����"d�� D������(L�)L�������� P��T�"�e�: L�����e*L�)d�������� h� ��fb����� <4��� @LM�3y� �S�L����,)���� �� M7X �hBM a�&ЙF�p� �� lh�� ���:�i�`��4PS 5E��tTS�`5�Q�jr���&� �k��e��`@. 6� ��r��Dڄ���M��&Pfl�`M�6i�d�@n�e�P��n�6�6!�4���M �&,� "�o���`�j�)�&,� pB�i\� ���)�  �@��@3�� 4�0H�q�~&�#�RS8N�  �`�@r*�� P_�?*���&�q�l@N�8!��T6��U�55��JXNCi�PZS`NX ���TZSpN�55��ZS�NX ���4��@(U@:a�鴚@3� d�)�6��M�:�ۄ�kBԉ�&`%6@�N�DR�LaX��#@@� � �@8B@yg��PF �;�ڐ�w��`z �wL���d�w�uצ��wl���;!��6@�N� `� �6@�N��$���AV�� �K��8�;E�R�K�&p��X p �#p�Н p �#p��� �� <�1�� O �`"o"� �'�6�x ���P\؍�H`��@�@8$� D�Dx�� ��d � � �'� �A��)<����xBjc�� `��)�M���S`O�� ��S(OA�<$��hOS@=5���Sp>m���@3`c` ���O#��'@��$�>�7q��*@>!��2�h�'07���POM�=5���O`l�p���O#��'���$��DR@�~�O@=5��� �O�? R`�� (�� )o ���@ �/��DU6��@@ �U��#@=!� �0P�@�1TP`l���@ʈ *(� ��"�A!0� � "@� �8��2"@�� *(�`��A� *4��F( 8��2"@�� *,�`�F� *`��F(SB5�$H�J��`R� `) �� �Bj�@�"@�)#؀u � �T��2��HPB! 5T0A�B0*T+ ����� `(�#�@(�M��@�)�$�PF��8j@(��@ʰ �D� B0 $�Р ��8 ԗ�& xP @(����(�C�<�HP���p ��: �������u0��:�(���B��P��B��0�@���T�H�(Q` @�&�"��  j�����!*�����B*j���"@�*+�@(�����!*T���� � al� U�$�/��uR� � 7�M��@�)���PF��8 l��2l�_��E�\ԋ�Qn�<(P_��n"��Р @��E�7�b��P@F �XT0A� ����Q e؀�q��!E��pR� )���D@ �̨0��`( R�97��� 0�@�B��a� �5�F0����Q�A!+��r�Bj� �0n@:�@(��@ʰ �eB�0�l� ��1����"́@� F�<��QB!�0l�Bj$�l� � ��u4��Q AE�UX���Q`l����**��� ��=���`n@Y� *�(�0~�P!H!�KQ���Q H �vP6@R��DlHJ�`H��D�� �P��(R��DlHJ )`H�!�D�� �P6@0R�HE$ BHR@I�P��8R`I1���@8M� '�H��!O�(�Р�@8�� C0�T"J)�p��:G P�*u��BVjD�0���Q�d�)�&��R`d�����B[j�pm"� S*(� �� ��B\jD��� ��Uj0� ���P�K�/�TS@L�1�T�� �PH�H^*x�����b*��@����!�@�@��*�����g*�� �"�� _*� � �i*����ę�j*x�`��A( ��@��F�^*`����B�`��@����d*�������*+�l���  #ĩ "� !x� � �jl d�ЦR�r*�� �0"@� !�� @�"�� ^������t*���#"�A��P�"��e&� �#"�A�l�`���^*|�`�F(Djܩ��"�� ^*� ` �xj���"�A����"��*Dj���"���!��@�~*���"� "� � @��*���"� �*� ` ��a���"�A��0�6��p �H �A�Th� �P2��*���&"�A�l� T� )�PE�B B��M"5 U )�PE�B U0A#�B�, #�� �&l���`�3U@T#D�Du0B0A#"5U8TQE�D B0`�E5�T0A#F5�ThT�H G�T0A� � ��S� �P��S�Q"5 U�S� �P6@�T�NE�0B`T�NE�FU���T�NE� B��D :�T0A#:u,��S �)@���j^�H �I�TPSA�KE� B��R :HJ�A#D�0B R�RE:HJ�A�OD� B��R : B��Q :U R�RE: B0`L5�T0A#F5�ThT�H �L�T0A� � ���S� �P��S�Q"54U�S� �P6@�T�NE�0B`T�NE�FU���T�NE� B��S O>U� ATE�0B R TEO>U� A�2D� B�`C ��DU`PA#D�0B�SA a"5FUH@TET0A� D�?�T� � �6�TH� RU��(U�MD�?�T0A� � L� �T��TH� TUR� �T�S�T�S� �P6@��P�� ��8�(UuH@1�UuH�U�VuH�U�pH�5�Wul� �U�܀C�D� �&0b 4`@ YU^�4�� �b��� 4P_�@�)�H �Y^UPUVE�UVUhUA�UE� B��V ���¡(��0�C�Z�@�C�EH+`�@ ���#4�P���B�j�� "��( �@�"@�:6�$@�@�B�!��\�t�S`@ �P���U�Ns  @�U@G�@���J$�ѐ\5M�U@1����[@�`$��x� @�a�P��-��2�H( �@�"@�B���� �@& %���� � ���"�����<� @3�s�N����*}bW �_U���:nd����()�W�$Ы����*�@' �@Aa��� �U`@ �P|�,�I�@�"�� <�W :~UV�N@���n�`�]5|U��j����V�U`@ �PxF`� ��!���2� � 0��U`@ �P���� �_e�� �S�X1�_�t����$��2��� �N!�1�B�U�NE�a�U� �����t���0�TV`�P�6@0V iD�c0T@V Yeu0�;`Yfu0P �� �P��@/b��p @ ,$4+�B~@�B ,���\��:� (�Y�@(�E �1l�@� �� `!?�Y��Z� @.BY!�2H�_ ���=ql� `V� =QF �V�������� ܖ��ճ:ϊ?@� ���HV �pmH������ju��B�e��y� �V\aZـju��<���P�p�� � 7`؀c�� �O �<�T0A#�<���V OE=U���V OE= B0`l5�T�S#D�0B�VA#DmPT`T OE��U�V�Q �? T�VM�["5�U�S�OE� B�VA [Em�U�� �< B��Q �< T�VM�Q"5�U�S� �P6@W OE�0B`T OE��UhT�H �p�T0A� � ���S� �P��SB5�m�U R@\E�< B0`�q5�T�S� �P�T�S�Z �<�T R�\E�<�T0A� � ���S@OE�0B�S@Ok5�T�S�H s�T�S� �P6@8W OE�?u0B0A#D@D`T�OE��U�V O�,��S �)���B��O�t5�T�S�H u�T�S� �UT`�u50T0A#D/�T�SA aD�8B SA#"5�T�P� ��T�RN8�T�S�L2U6@Q������H�]� BpW�K��U@Q�H �w�L`W�]E� B�RA�KEm�U�^ : B��N 5�T@�j�)����* �N! ����*Щ`��A( ԫ��"�A�0���"�j۪ 4�@����y*� ` ��j�`�F(�j�����j�����"@��!���t*� �"@� (� }5���S _�ू@��!����-�p� H7 � � �W�N! �0T�RA _E��U`�jЩ@����t*� `"@� ��l��@��!`���@��� l�&Ш �+�`��A( ���"�A�0���"�j۪ 4�@����y*� ` �d���"�A������y*�@���y*�`��A( ,���"@�:!�� �"�A!� � �+@�&���@�*y�@(`�@�*H O1�<�0@W�,� �HW OE��U��0X OE�� B0P@U6@8X OE�0B`T OE��UhT�H ��T0A� � ��S� �P��SB5�m�U R@aE�< B0`��5�T4@ D��A0A#7q��hX�NE@V`X� �Pl��� �D7a� � 8���"�� _*� � �+`�ू���!���+H��F ��:<� �"�* P)P�F �X$�b!�L�0��� ��U @�:� h�&��@&�X�c ��$V�X�|,� ��B)� �R XR$`I!�1 TY+,)���Z ���H��B# ���� Y�d�L��d �UR �Re�s�HYe[ c@��*k��V)8)`���T�1@ME ��  ��u TY  �ZV�7 �� @ �B��`XY�e�,����Aj�e! u^�`_ �R ��" #d�����1� �Ѐ����+� �0�H(Y`l��@�*@ �,0�n�TH+(!�ef� �4�Hp��Y6`f�@�n��Y� (8��d� �Y7�Ь���c �Rj��Y�f �lκ�܀� @�B"`���EZ��Y6@g�R �,$`g!��52KX������F`9 $�г"��*<��,� @�BI`��� @Z g!�$0zV�Y�_�urH�gE��FZ6�5܀��l�k�<  �����A+@(@�"��*����px��BEk� � �0Zd!�L0vVhYA�eERr� �Y7H�@ @0Z d��e�� @��h!�pr� p 7�h! u^�B5�����0Z�-���B �+����0Z i ������Yh�`���:F ,-����0Z� �,����b�a+� ��*��� ?q0Bh_�J`��� �� ��g��� ����@za�� �������'�� �+\0�u0�a �m`��&@P( �M �1D��O +�Da�k�� �'"�� �+�� о @��J`7�� +�0?!��� @W"�@C�� �f���& @�^��3 V���A�OD����M�о�@�*| ?�D�^A�MD���W�| ?�D�^A@zE���W� �0�`@�8a��v�WY� ( X �pN��p��G�)�� ��<� P�`( |��� V@a`��0��* C�a���Pha( �� ���g.�`�^ C/ll� `��a@��Q���a`* ��ZC�2,4� �T��� 0l�@�`*؀�p@m� аP� � ��!��&� C�L��� ��aL��@:,��' C� ��hĜ�.=̇݀��b � �f�� (H#0 ��;Al�0@�n@@)`0�!��A;: ��'l�� 1�@3(b��!��H��ņ�h"++��"v��)��PlH��& ���+b �$��Pb`L�%6�Xhb K a2�pb6���� �,#�d 4@�'@�!]%4X�<�'`H�0O �U `�؀)v� R \ �QŬ��b`�,��I�Z�X1��R �b$��ـ.v�[_ � �0��@�I1@+I �1@��+���a���g,`1�R �'$�!10� �b7������Cil�����Cjl`����CdlH���@�@��4�&v�hc���$��pc`LD�&�XHb��!86�D�c��E�5̘ �c7�,��X� X�xѱ:vl��I 81p�n@Hb�2D/�X �c���npR}`�+�`�%1|,��� @aԱ�� � *��pOCl�@�XdA@�EA�XdA��!'5 Y��,x�pȂ@��,D���� Hd@�E�D�� X��pO�"C ���pO@#ƫ� ����l�� @A��@$�,L2,`"%���L�*h�d��@$�,T2,p��A(7`l�`�.8)�L���H&C�"��LF���d� MV� �(;B `�M����76 a܀�V�2fp�� @';��|����F`� �@68Y@AH#�P�b(C$������F`)&�؀Nv6@(b��EbsR� (��Ș�� BĆX�`�l�(�"���D@ �&@ll����!�0�M`�\�h � e�r��s@C� +�����������)C�`X.P�n��`c�� /V )��PlH����6��(6�p��)+`0�Sv,� @e7�p�"�)(h�0�"�) `�� R��@�6�V�`LD��D@�L��U�ZY� �2fqH� xe7 <�,��`�@ ���n�`c���p���bG$�bY�ec����k� вP� @ A�Yf�'�� 5E�[vp@MX��2���.��,�2,p�l�ٹ`\���"�-+`l������eX���[v0BY�e� ��@P `���&̐� @M��݀ ��f��E`��A ��'`V@� ԗp� ��8���`�"�t�~��2p�n� �dv��0f�!21�D8`e6�Y`f ����H ��9� ��H�]<3h��l@�H�`'�� "3��l�Ef�6@�f e�1��� ��\0���<`� �� �#�P3�2�$@�D�B�Hdlpy�4C��� �iv0�� T� c � @� +�V�#�� c��A"`��,@X@@�cX�&p͚6+" ����6cYl3�n@�`0\���A(0�d`n��0�d`n� `0�d`n F؀,� � �Y� #l@@��,�v��Yl3�n��� 4�n#���ld�P2��Y�pl� `0�d`n�0�d`n��0�d`n� `0�d`n F؀,� � @�lT�� @�`l� ��7=�Lp��Y8;B�!&��8$���r��9C�l��H 8g��DtVX�8C�l�� ��9$%ئ��Pg)�ئ�"I!�l���� � `g� ���� @ �)���IA���xF�@;��`�"I!�l�0� �mBԉ��3ۄ�� g�� ��PF �N�g��pv�������6@�BWl$���>[H�l������� �}F@���́���g aP[?k C@�>1���i`*؀��j� ( \��BZ�t��0D� 8N7@*؀P�Fhi �D:Q�@�A�a���Ih�PD�9A' �9%��C�L)����C�Z 8`0�0N�  7��4 )�������p"�� � �p("���@��fV�  ��!���l�� �4,p(V@`o#����l�� �4,`n� (�� `�H� p 7� �X��@�!���q)i'� �vN� 8i�F �p\�8g���V���@�!�1D� "��� �l�J�6����n@.i`@ QD� hi7 �� p~@HC� �fA�E$�!4�� �,V0 �� d��i dEhZ�i6�ܴ @"�L+4 ��@p �iW� ��t��i aD��lZ�i���6H�i��!0H� =m��� ��i ��0�"�)5ͦ��6H�i:m̴�0"�N#@-ش�0 O��� ���i@���f��M������L� #�`�"�@(��m����Fk:� �6���kcM���3�n `M`l�����-е � M;�mG$�АV@���$���Y�Dl�D� ��&��@&`��� ��Pj�0k�� ��Q�m�m��!�0K@�-���z��(�6�6r[0��!�0F�m��� o;�� �r[�m���r��m�E�F�m����p��, � ���|��EhZ�k@�� �[pn �x� ��G�, a����'<�p�`7�R (6$������pC� ��&c�p�z� �d 0n��d��6� jM�5��rɭȘ��@r+S��5��� �12f��6H�i��Pf�`n�D���[� �!�L0<[�i@�D�6hZ�D� ��&� �t=�l�0�����`�0�s� P�P� @O8� d���"�L��H�� @O@�m�6hD #��v��  �E�VX�p   �\ #��v�� ��E�V���q���8��@@� ���f��) � ���[@ 0��T�C �� ��5j\�D� ��&@�@&D� �&��"��+ ܸ c"@��.��")8�̴��)�9.���x\��q?���� �CA�$ s<@n@� c��D� �� ���C�`�4@�"�@�E�%� FPB2 d�� z�0r  �\�p��E�\p�m�P�@ j  (0�x^� P � �� 9��@(�@�!�$�6���@� �H��`��6HAXr����p��=(���"�L�L�l���Ӊ�!��� � jM�5��2�xr�x6�t��gCL�`T��v�� `�E&W`�hr� ��Pz�hr 0��<`:Q�' '7<[�i��DQ2��� `� �fZ`:F� ����L'����L'T�@ F(3�0�@ "���L����@&� �� �fZ`:��� �� #��v�� `�E&Wz�hr �`��g�3�l�p��C,�`9�r��`. �!-��sAV��l� ������fP� s9W�˱���@�e0������`/7������ �Can��&0�"@3( @� 0WH� s7�|9��@�#6��݀pH� s7�؀3w�U�����H� s7���PH� @s7��9�Y�+id�@ �jn���� Xs`@�97w��6��͡ 8w��6� �ɹ0��n�S�@�<�N( @�5��A���9t`��0���s���1��Z`sA��9�m��B p-�9� ���s���1p�\ �s�ڸ�5��M<��!�k#d��ys���!�k#d��6���5�� �C��$� ���C�f0�@��� c�Ĺ@@��q3k`�x�C�F�$����C�FȬ9�m @�;k`:���H �q:����u��9�0皀��w��!�ks�Z�s\ �:W��6�͡�9���s��q:��M�� t`� ��Cmd�����A z\����A z`����;@�!�k��6-��6�2��sh!�!�kS@m��ϡ�<��M@�e?7�\t �9� ��C y\s�����-�9�m�A�Cئ��=��@&�ϙ@gB@ y\��� �9t��A��s������A }���@����n�P� hs  �@�A�Cצp�<��M�.:�m G�s��� ]�9���E�B����`pm�B�+��D�Pl�A �� ��R6@Pt���b����IX�� l#dV(6��� =�� V(6�� =����n���� ht `'  ���� ��<�Fw�`��HwF�;��$� �@�pt@T=����H`@:� � �tB��I:� "�U6@��HwF�;;�H� ��G1a�I7������*����K0��t@��6��������x��0 �;�����"�@(����?����X����.\���@8@�c���� ��;����"F(����?����p����.$�P�@8@�cث� @88���@�"F(��`�~@f+$�1MW�l@���Խ9s0�Ah��!�kF��$��PZ�th��E�8g@8 ��:�m�@�(���ـ�q�A �-����"���}.��06]Hu��P� @� @�����`*]�t `� pm��3 ��p�N�6A a�@06]Hu��ҡ�Rg� @�.$��m@�3 ��p�N�6A a�@06]Pu��ҡ�Rg� @�&$�P�l@��`� �z� �WA���0�Uh�6�^lS"��`�5�T�� ��D����� ���JW"�� �$�V��au���:���\�s�E�X'���C���պ�����u ��5\�Z]�;���\�"�H�ܺ����iu��$�[wp]�u���[wt]�t@ l� p���c���E��0n��u��E� n��u�.D��6@�u ��E��n��u��E��0n��u ����6��nX�p�"�; #`��� `���`�~@f+$����V�u @��� p�@� �.� ����u`X��� �u��D��&ݛ�q.p�0�"�����:P��� <��c�\H������@�Pv`����"@���. ���"����.�� ����+v��E�f8]v��E_�6��� ���h���b��v7@�!�9����`v��H;�0n@�C���@� �6\A�!j7�]@ �N���k����v@G��`�F�v#`�l��K��ڎ@;���6@�v��DlS���6���u��m�A�{s�ڠ�8w� �� ܮ�q�n'���$�r�����`� Kw.]�t aDLw2]�v�$�X�;�����VH��.���0]�v���`�~@f+$`���삀�+�� ���O�CV���R�]w`ҽ��"���.���pv�.0���"���.�����8�n��0,G� �d�@�]�C$ �;ig�� ��.�� �l����@ D�f�]�v6��݀@ "@� ���@�"�����X��] Pv�ܠb�]�t��;����t��T�`�C�- ��vBhv��E�a�]Hw�����V�IC�N�ـjw"@���.H;P�n@ ��E�t�� �v7 �����C�-���"�����D�f� 7h��E�t8�� L�`������$���@�+H��:�����d�@0��C���E�88]v��Ef�����d�@�]�C$ ��7�\`��X�\`��X�\ �u�YD�7�\ �u�YDN��c`X��� �t���;���°sw`�;p[8�C �� �z��� �����Q���qw�ݱ;0��] �6 ��y8]v��Efqm�B�� �ݙ�k�#��;�� �;� ����.4���@���.؀�F�ݙ�kS8°+�^Ev��� (�L�x�M�s�`�EN�] v�Yl� �,��t? �����xs�`�;p[8�C �� �zU�IC���E�8�E�w �Ef�]�s� �Ef�\�s� �Ef8�`ʎY�`�~@f+$ ������ �.]�t`��g���y#�w��`�E��Q:�xv� �B�x��!��1J^�t���g���u a�gw�� 0y7``�0,��l�`��wlAe��n�$�\��L��)o�� �06�x� ��2[ �l���Xy�.\s��"�1/p�p�"@ˆ!���Xy�.\��m�ANj�.���0"�@�!p�����y\a'x����CzI�\7P��Pz�����^�;� � ���n��a�������{zP������9�n��]7��� � ��w�(z@���p����`l�0��+��P=P�X��z����w @�BP ���6�zB��!����� @��6�?:��`� ��E�� B`��� �W�D�C:�z!( ���  �R`�� 8d��=R`�� 8f��=R`�� 8h��=R`�� 8j�!��7�^{6��� �wl�@���ERP6@�y@O���Hoo0�� �{� ����kr�̽�� uod`��Hwol�����^ � �6@x�,g��C�`��P�@�{�!�L0�^�^ � �@�_�0�W�@@�{��m[�r�؉�����2��;�/�P���0|  �P�r������ć2��;�/T/���m���X��� �O�d �E�+� �ƷX��^ =� � �(;"aT/�"��|@ ɗH@B�z�$����(+`�!�$_ �*� Ь��z��@�@�C�z!��d�.���h�,����|@����� �Y|�@�K�V$�z!����XsAJ�0���Ш^ u� �� �s @�a��\��s����W�}�`���P�́@(�� ��QF �,$� �w�� �,7� 9�#� �s���>շ�~����Ohl� ���`.@�m�q� Pz�l>0X_�B(��e9��R `.$`�!10�KX���> ��$ �E=Ab�y@O�7�h� �7��' �}6@O܀ P��H$�Y��f�t�`l�P�l��7���> F �$�d����� Y���l��@�m� ��|��~ ����w���;�`��G��#�0�@�;�����;� ���V~r�$�&�����/�P�"��+ �+ȹ �v�;r�# ���9�y`0�g� h�(�����_�;��`��w0��C�*�P���8~;�0��6�� e���p#�d��p~ ������~�o�!0H��!H�� ���<��m���Dd!X�p��Dd!X����Dd!X�0�_ �~�����_ �~����*_ �}� ���_@���@� hV@" ��_��l��7�_ ��` �_.�� ��v�� ��� �_�����2�����~��n��!�L0�_(����0��P  ��W @.X�� ��v�� ��� ������2����7�~��n�!�L0�_(� �m�0���  ��W @.��� ��v�� ��� ������2������~��n�!�L0�_(���0���  ��W @.�,`�!������H+�����n#����l� � ��r@�Cb`����u;p���(W�� ��v��@F��_(�؀� �u;p��� ����߆2��d�p�r�<�?`\��@&��\�i���(@� @�+ ,@���u; d�� @���`� p�6@�y���Hp�X�@@���"��7�9��`���B��}�"��g2� (��ľ P�@@��pl� ��� �+D���H+���@@&_!��� @k/�`�ڋ��l�po�0� :QX@Db``�04�X{`"�L0�D���N 8�^� `8&VA��@� � �L ��W}a�ex��< x�NB`@�`l���}�`6�J���@�� ,"��  � ��1�� P�� �� � +0�#l� D �21V`� ��� h��l����� ��"  @ d`(! 7� � �@�\@ � 5О �Bx��Y�``� ��@ @ X���p�D9P���� \:���pH� p 7���n��<�R`z� `�����m���؀x)�?�AG��,�n�!�)�D�`hv� � ���m���� #t` 6�5܀ ��  ��@ l�k�R"�H l�R! *���`h�rR`\� XJ���pH� ��7���o��K�R`�� `�� �`Ϙ`P������@����PH� p 7@*�@�I� @�7@*$A'xR@ � X� @ l�k�+� �x)�?�0R`~� p�6` ހ@ l� ��$x��N���p6@x���� )8�@A ))(H (0R��A87p��� ��Ap�� �R`�� � DA)8[��� �*�A`<4��\@,�P��\��͠0��rAV� "�(� �`��xh�`� ��<6�Ȭ�˂�2\� p�:q�� �Y� �p��Z@�:����Y@f!�/����  0X@�`0 "�L0H �`�D�1�  � �A� � `0��@`l@�`�܀�6@0�� 4��`P�` ڀ3x��h�#a��6hBp�� �5X�CG��ɼ��0��@6��FSA���0���@����0��xw�<�>���F>x�`�,�� ���`���� W��y��A=���@�D>X�U��Xa �2����d  L������'� �� �P#<!� :Q��(A�"v��``��C�2� ��B F H�$`>X!  � ��Fh0�@ :Q��!�@- RpR� (�b� F 0�?���g��(B��"���l� �6@�8H��A��Bl +\�0��@)a4�&��#,�@�Hx !��`L�0&a� J8"a(�K�.����<�D� �0�P @%D.ad�� �Є`�JX$�Є�:x�&u�� �U%��l�� $� P�� ?����6��T(���B����@  �9��`P�F�!(&`P�F�!� �����@��6G�8�� (0���6@���DRxD@,��BN8��T�6G�N��0R $D�p��� !�@�j��&@*� B$���<��A�3�B�* a��� �#Ѓ`���� V!`�X���!@#l���� ����� ��*d�+�A��0$�h�M�"VD�H��A�3�B�* a��� �#Ѓ`���� ��p�`�30�Dx��O �08,��!t����D�0��� ���l�� �D�0��� ��`?Qd�� J8�D`upG��Yx�9��~�+t'�0 7�����Zl���@��1�� ����0]h0l�.� ^8l@/��$��l�/��! abj!�-�� � ��@X��`�a&7 �a�C��7�l� �@`a2&�.<� 4� �����)` Y�&@�b�p @ X�<�P � � F �$�� " G�4�#$�ch>8��n�P��� ,2x�`�P6�`�͐C� o��0�hH�!��@F�W�aX`�i8�]@ ��0�@ l)���03�?5�/�T�p m����9 �gW"��`f��hH�i�p� ��5DLg��@�Z@�6�lh �� �@nC���*���� #�7\ ��C��@8D�e���(, "+� ��8D�e��� ��J�rX@}c"����!����CP_���j���s����`t8�]@ ����@ l)��p���)�!��� R 4$�4vxMh�+�l���!`:#���X�Z@�6�l8p�� @nC���*���� #�7\ ��C��xAa���( "��2�DP �� �6@���uxR< ����;D�0�� ��<��0�CP#�= ���p��;D�pl����x@���� ��7����\��!��p 6l�� @� @ �0� �9l�@�`��8t@ � �L0t@@��@ "D�"��H��A���A@k��稣�%�0�  aP'�� ��`��x����A@!F��@�@�����b`�a0�Pbp�X�}��о�������Xa�� �UDDb`�0�U V�ODDP[ �� ! � �g � �0 @�~�P�x�*���}���WYs�� @`�a0�0"��OD��@Xa`l� $� )����XH� ) 0��0b�^ �� pfVF�^6 #ހ@R@<@1 ��88b�^A@z� �l���#��L��#��L�U��`�E��G��k�0b`�a0� �@ �A��D�3�� �`#���W�^`�� �G�,%��0�� Ȉ7���F$) ���Q"K�g�l�*PA���N �#N�u"��:1���ID%�$�pFhU%b��JH� �3 �X�* <@��%�$�� �7 `��"@�(W�$"UDh� ����J$1X�pf K<-��`� ����ID>g����L0!&�,�� &���8�8Hb�� �D0K,+� @�&@kb��S�!"�L0nb�81�D,о��ȉ�@?�>�`�` 4D� ���$�о ���#��L`g�O$ ��$� ) ���%�0A�$��rH �\:�$ �8Hb��`��� �� �`'�R�4h<1�l��� Љ @' �BRIA=q��aB�`T�J�� �3 �X��OD�`�Ppb@�X�}����~�|�� �h�  ?,"H�}� �� ��"F�3S��($M��4��2�PDEqE0 �(��(�� �Q<�� �&�@&$1 �p@R<(ţ���h΀��`L<���d��x�&`��3� d� � &�p�L\U4�X��M�d�� ��U'F�B� I8$%b���'@S� � �C,S�!"�L0�D�� D��U6�S��(F�X�PDO�`�&`H�T<� DE�x0�,`*"��#�T<T�HE`%��TD"`��Hx��@45��D�UD�@*n���7@Ȋn�h�&�@&@\qt� �#�W � �� #�� �%��B�� p7���������� ���c�l�@�Ȋ,@,"pX�X,���5�k6�0���EpZ, � cH@ZD�`Ș�6@8�8�r�"`9`-�x( 6 als n�)�-��x���� �� �@&@oq��m[�.� �N\<6��� ��h �."��4�b���.ڀ�x��x�,4�r�"`9`�!���b )�� ��h( 7�\��IA" ��GC��|  ��8 ��`0��0�F81@.��B�@hl� ����i��p�>D�/�E�x��]D{q��p��|1�E@&�],` ���J_tf�PF �o$�."�������!��Zh�\7�@�� ���E�t�l�`��b�14���⡈tbl�@`��P� �#�F�#��1 �Pc`D� � @#��'�5CMk�` @(6`d<1�hZ 0F�P"�)`l�P�a��1 ��#�b< #,��0 c<c0�`#b��1(�� �b<c(�`#�8��@ ��#@b�������bl!4(F�0B 0� (�p�@� ����Th� �`#c��1(��0"�b< � ������0���X8�al�`�!�30�9P��`X�0c V�4F�0��!��c�1 ��#�b< #,��0 @c<@ �X<bt�`�@`��b,ha4Fs  G0��`(�@��Bc,�1n�`b��1$��@ˆ��$��d,����c��>��c� ��� @~d� �0�}D�`��� @��M`?6΂����`l����  ep"� )`��HR"�<r(��2 ��<�p_"@�6�?"I1HJ ) ��X"@���Mi � )�\/p ��(7d�� `$X�y$��$%A"��BhH��5�����1D"��  ep �$)�A�9WH`�����8H@�,�?n��H� )� H� ��� �����, @ȼr �" B y� �����+��+�Bn�@ ��2`��2�@���!h���@:!l���"�� 2�� �2"@qš� 6�P\�B RFȐ�8 YR�� 2� P"�� �+�� �2V�� �&�2��+A`��@:$ �`oـ�u��� q}H�!�T� D�� ���-D"� �D�YL�8�6�@���L�@E�Yl������H�Fn��< 3 ��"m�� 34��"m@��`��2��]A�z!�Ld0�`E�Zh`��Hd � 3��P��1�A� \���(1� ^$p��� ,22A(�E"92A� �E�p��F��( ��.������*� ��fŋD" � ?@� ���H?`� ��f� @Fs "@i3���@#��\ ��`�"���` ��`#Y���7�0:�pdH9rЉ���/`L� �n�� ���E�t�LSl$ �7�F:@'�l #G:Q2�@�e�������`�9�¡�s�N$��ƍ��΀� �#@�ȑ�N� @'@}c�lGp#o���G���#@}c"ȅ ������\��<?r 9�I���0 ��(��I0$@8)���p�2� H�ނ�do��H�d0��H$�&@�`��$��@���$#@�,c���$�$`� IF�dH��I:I�$�@b`���$�A8I�p@*�l�sI���Ox�I@��6@�� J)�d���A0%��18TrH�p 2�<��P%#@�,TH� %�8; aD*Y����J^�0&�D4�� �%���@�`H�8ђ`Kւ��!cp��%#�A(���P ���K� ���D"`��^@��<��I19&@/@d�'�0Y�$O�fL"�3�D� ��8�O��d� X 0H�$` �(�, �J")�>��`L"�3�D� ��8�O��d� X 0H�$c �(�, �J")�>���JpҤ�<6���1��$�� 0H�$m�� �%m�� @ѴI @/@�\��&����@ 6Y2���l�(5���`�`l�1��$#�|p%�$�M���͛Db`|@ �A(`  F ��$L"�`�����PI %�'�c  F ��$`L"�`�����PI %�'�@M"0H��$<�|`@���<�(�7����� �P����M@N�I:�����0���� HF�fP2��DQr|�$#@3(`l� �@�v��8�d�� OF=�� ��@�p=Hh  ������H�Al��'�@�d}�O:�? (�@��{��J�$6����P"�L0 e��PB�%�� QEe� 0�`q�� h�7�`n@H$��D�,@XH �6 ܀�\l��� � �`QR `! �b6� �7`l��(�'(H ��@����H�"ehRR�,0)�'( P�P)#��,��T�9a)���`0�=pO0e���@��)I��C�dS������� pJ�)9�x��SOy����R�b@� ������xD�6Tހ�)m����S�Py��6T�*E%�Djcx��)7@���{B*@�l͠T���@�� �0P@����YF xv@O�SyN�xv�'0S���8US�Dxv`�� R��` ��*�@�+\�V��� :��*7@`��0�) H"@�d�  ��* �$�U2X���(L� b��D"`���D������&P+��U��`+ �„pA� �0!�[�����`+ �„pA�� WN�Yp% (L�V"�+1H��$�l��+ �� ��pP�,��pPlָ�% ��+}��X�@, �v)���t@��F���� � ��:������?��b���� � �X2b���3�Q�G!��z��Y�(�,�eX�X�YF�f��e`�XYV,�6��6�G��Q��, d�, ��<�D�`���D�AZN�gY�e����rl��-�e�D"`�mI�C�Z"n9�� �7 �� ���X���-m�k�@[ڀny����`�i9�ex�@��-I�� ,�["�1D� ��`�����X�0����߲�P t����� ����`r�F���`�P.F�s�N��`.���l� ��&�.���D�`DR�e� ��p0B #D�ry0B�t�]s��e@�M ]6u��%�; ��P.#���]^��.w�x��݄����x�^�n��uCdb�K/ ��J��1�����%���J� /w@�4`^�w��e�n��K�-����]"���������D��VX��D�X� �@�D�`��p�"��r� ���%���J� ��8!���"@�<!� :A "�8�r�@ "�( _�HA�`��V@@�b�� @ �}�2���e� 6�_ހ�/��l� ��&�/���ld��")�� ��0�D@'��0H��H+� I1�e �� }�e��2��/o@�?�\6�s��e��M@]6��2���D�r�D@gl�0w�������`N� Rv���`DR�D��\6�s��e��M@]6���2���D�r�D@g��F���`�P.F�s�N��`.���l� ��&�.�@�D�`�@ "@�,�> :Q���`��")8!���"�������&p.��l�� ��&p0@&; ��P.#�(�l��0w��`N� p���$��0#�@p���p��t�d�v��`a:3 )@ `�A�؀�y"�� �����f��A�؀�y"�� ��L�� �s�H�H+ ���"�������&p.��ld�`1@&; ������`��V@(�`���F���`�P.F�s�N��`.���l� \�&�.��D�`�@ "@��t� ����� �`2� `;�@ @�؀�yX)@V�l��17&�<�ؗ�/#@F,�� }:f�ؗ�1#@�,st��1 ���J��P.�}�2d����З�A �}3���1�� �����D�<�ؗ�/#@F,�� }�P�ؗ�1#*s��2 ��J�̑y�%�/@_F��X�}�2�� H�/�cF�Y>� �`d02����c�0@@3(�6 #ހ�V(�6 #�`%� �p QB�A�" �ri2� @ja`"��`ry #�A8�d�Sh2� 8�eF��T�0���`.���j,d��2#�� &� ��2C� 1s�S/F���`�P.F�s�N��03@&�2��P.#�( h�p0B #D�ry0B�t�f�s��e@�M�f6���e��  �HA(��N�q6@������3 �&@�`��0x�Й`g�Y�U�)6@ �0� O���L��~&� �@hM�Y4���D���@T �� ��THXA@��4�&�, ��BH@�`4��B � �@��BH@+@� C0�fx�@��5�@3X jn�5������4[pRsjn� ���U�� �y5��(@��hH@/8<�M+@���D�^�5�`��� ��Pp,`l��� �9ș p��h @� ���@H $@� �4Y �`��� �8p |� ��' l�N�����@t '  �1t@� ��6 @�8���`���a������܀�,�'H$@�����P!|��� � ��l���¡(g�؀@&zB8g��@�& @���� ��  ���)(Rm���6 @ �'m�m���� ��Dp��@ �qs� 7����M F ��$`G �Y6�us��b�@gq���b�g$@�D��Bd ���0@�� �M$�VЛ`� +a �&X-��-,��V � ��0H���0����@�h"@�!���p�� �����pR� �7`l�\@ ��D�el��7�,}�o�M��N�8p��@� (6� MVV� ���H@����7Pl@k��� ��6@��Sp�`n��Dv4� R �,$ � �9 gX@��hH��A�s ��'� @o"��gЛ�."�F��B ��d@8@�,+��@ x4�p��Y6@�8)���7�D$������M�Z��UX��M�)�8�� i�38� �&6@X��q$� ��D��D��&@3ț@� @"�! �q"��0H� ���`0��8Bhl� �&6@f�����(��g�ɉ� ��0�3sX���rF�3�jK@V"\ք,���X� ����`>�r��x "o60a��ࡍ��HkB�s`��9k*� �9&�t�l��9&<y ��X&40�ALN��F `M$��ք8'���ք:g�al�������PH)��0@H��3 ��>� `�0& x ���9Dg˧���|�k�M�6 a���9�M�6 a���9�M���� �� H���l�@� }�k�M 7�$��� 7+D��� ��9 �D�pm �9 �D��m @�D�lX�@0Y��A ׳ �\ �,۠��Y@�3L�@n���, �&�@uh�z���,�s��Y=�7�3L�0&��, ���~��� �e� ? H`�9�g�6�DrS� ��;"a`���#ƴA��\�0Y@�,�ۘ�@n���,7 �� 0� Z��`h��?�@�D�`���m���&�� 0� Z���l� ��  0���`\ 0��@ԓ+�Y=�7�3PO�A� $|����d���@��@�@@I@E���AE�� � �h P�?(M�XA�"��1(� Dp � �b�������2���_@E��b�Q@~AV�B��_@k@�eD�@�E `� A@~A-ؗA#@E$�� �� �`H� �@��� P�PA#�=Y�PA@E�TP��-�XP`A�E�a\��A���栂P�2��# ����Z�l� �z�A� ꡅ��2[Р``P�0�Z�z� �z�A� ꡅ�W6��#D���=�?D=z0h�:��Y���2�H��xP�AwD�hV?��2� �#F�� �Ym�B@��d  L"�=͠T�PA�e|�pA �=XP`A�g�l�0���栂P� G�z�+z���栂P� �W�`�悄�"�$�Fh �,@��� F�; ���ǒ"�ڂ1��`����`Ph.h6)"�.� Vh�`� f�f�r�NH�o���\�BS� ]004��!C� �44E��cCs� M8t���\�CS�]0<4d��C��?4E�D3�� �@D#�?*���#"��(#�Q`D@}��l� ��o�$��hH�I ��D'J�6�%���@�M��6�$���p�X�!�O`x��!(�D��E� D��%�0A�M`�"���� x��0B� S� �&�DxCTt�*:�hX�  -`E�(��@� �H�CWl,Q��� d�@D �ݢK���(E]��@$ �`��m�%���^T�x� �� �`�"�x��%��� �D� I�؂$� p� 9I$�@F�(�@ �Qq"F��P! (�%���bT���+6�D�S`�n� �D4��`F �=����4JD@�j��"�3�l�)��D� _��Q�n#�� � ��/U d[�r�k4d�\0���Y $q�F7��`7��(=o8�8*G�( ��@ �SEb`��PG����@���H�_\{�b�<�֞�0;`=��(� 6��Q F �^$` ���GY�Eb`L��G��� �Q�i�#DAz0� e�+RBH#�ً6���B������ �`H#@ X,��"��4i��T*���H� 07��@iH�A �FEiX����P6@h���8�G Im@$�`L ��$�8��NRHj(� 86�TR F �����Hj(� ��tX��0�%� 8�7zR� (�@� @"�W o��p2� � 7�dRp��W( �� �F#�& �t��F�'��4TR�"@ X ����Ŧ��d� 8��x���Z� ��4\PV�E�P��Bi�`�"R:�0�� I:E( �RK�H+ �6Q�F) �`L ��� 0���F�CQ ���PD2�N@��p�  7X� �  7��� �h*=���@M(6$��������0�+�Uz8�9H�S�D�U�T)� al��H )x ��0H���@�D��PH�����1��� �Pl� X����P�� @+�� �RPI�u����J���  �CQb��7 ��1�  .���`J�%����R K# G��!��p�j����PN@)�4��Bi�`�"1di@"`�Bb�'��R6����9l��r��8)`�[z(@ (A�P�p(������Cq`)��P�pr�0��0�p�p�8+�P��(���N�$��� �6��t��N��@J��(E����K @,=6���& J�(E�t���D� �<�N@.����h���H �n��@.��J��(E��� @ �,�P`�C��ġ@�ԗ�L0E���"_�05`�0�B���0 ��PHm�A�`�l� ���_ `0@��$�#@°_!�3@@m��t� P[r�Z0$�\0L�A�%�3@@��t� �r�1]0� �0@ @.8{ &�6�؁d�  ��L�@�@�c �� ���� ��@@�d,�� ��A�� ��@@�d4���������F`X 1@@@:�$ [�r�0]0Ԗ\�J�A�%P�3@@��t� p[r1]0$�LsA1]0$� r�1]0 �� @h8�`G �R���go� 0 ��(�!�6�+���   �\`H�Ab(��)� �6�+��� �h�2�  (�3@�� ���,���   �\�L�Ab(�� �"`�� 0@2�� ��Cq(�$@�D�B���0�1�>���L �H�`�h*M$��� �#$��� 0H�.%�� �R0J�4ե�ڀHz�i(m��RPM�.- �6Q�F)��@�P[@��`<1�C����6l�2�`:A`:DL0a@�tm:�i�M#nz�) ئ`* oZ @^9�`��M @^A��S��� � ������8�y�0N7�3h���4r�X��+��J���h����b�� �t��NoV )6��`No@`崜"�p0H@�"�tdp6@� X @u�6��t0��V@`�(!�L0��p�  ff�� (�m8xz��`f6�?݀ O<-U`���z���J�����6;E�4� ���t�������ا������0��?�  � P_�?-U4?�A�#4��A�4@�A� �4A�P�@a �� �&P*A=6 ����<���@ ��� @ՠ�@P���sha�@�y@(��`�i �7 ��P� � �l� X�P���vsƘ@<��@2 X����6T�Y�� <��2 H16 a܀̂ ��, �؀�q�A( � ��D@ �؂\Q�� p��`"*`�@��ZrADE�c8�&@ ���'u�v�� ����fU��@l�!,�@1\�`Qͪ0��ڬ�E���2�Ш�j�S1�@ب�`L���8jG�o � �S�H@f!Y�d`V�o �y��D@ ��ķ�Y��Y�0�̂�p�M��$�X@|CV"�|��@� �� ��l,��E�t������H�Q�G���"~�(7���H�� G�$���H�8BI�Q���T[0&r�Cm5��:~T@�d��R �� ��7���� � ��R3J�   ��Z6@H�,5��S1~T �����Z�Xd��Ь��r����0@�*/ `0O���'�� S�<� �4�@Q@�*2 4� 0Θ@<���X @ 35d�2 ���� �0p�BfA4���� `Sg*W�,� �̂R p�E �RR �� ����w"*�8 �"Mxn��p,�g� �RBN k/�� pSW@ ȩ`l�pX�Nec�p*R �,$ � ��I8GX;���1�R x���@�U�,$���̂~��� ��@�P8����S�Pe�h�f|� ��S �N=d��S @�:�t� Q-��n��D?�գ�TF � ���H@f!H�d���@)�d�� � @� U`%��ReL���1�h�� ���2����Z @ � ���H@f!c��Yn���ڀ�� X��"�1�R� @�7`,2�j�Q���jj�7�<�UQjA�`H��Xk;� (ֆ���Q �� ��x����jj�7�<��R+�@���X�`m@1 ֶU���6�b�H$ ��[�Yr�Cmu�P��Y @.p�M�.��:2K`���#vD��H`�� ����લ�jjx�7+@U�P��C�6��"�p�jVV�@�U �V=P�8�&�Po� ��� ��ZA@&\���������6��6��zl�UE�l���R H�)�d`U@�������R� �,7��z�`U@���� ����* ��6��6��z�T�� |�`�� Ȫ���ZPjA�`����� p�M���Um�Cm_���z6�X `0&M�G �1KH$ �F��B�*W�, � �1KH$�F��Jn*W��㬀���@��U@V�$���0��0�������Y�h�������6`l���ZE �."�b[E"`���J��6`L �:�j(e��pm"�Y-`�� ܪ]Dl��@�* (���1���(� �����pu��E�t�<��F�)`  F �h$�P�\��>DjcP�� ���xvR��<�@�6���?���#�� 6��݀ `n� `tB�:Q6������ c@\E�"�"�`v� �2f�"�L0dL �U� @\E- ���6@�-�p(�$���@��gt��U�l�N�?���� ��*�M��6����� ���WF�s�N$�W@&c"Љ��*�{d�0&"@^-�:Q6@�  ����( ��U� ���y� 0�D�|d�0&"�(`��:�j�@� @"� o"���W#�(+`L ���D �dl� �� < X�D������Ê�� a4�Є�H@�$� �4h�U�"�Q�AX�� 4�*�X+x <� X#��9��:"k����pf�@ i�d�0Y �@�ɺ���� �����'(kh��ha'ʺ����ࢥ�&��0�54���,kX��d  L�����\��Bf@���"����m8�z*+�/�Th�2kd=�uD� Y#��)<� @�&�Y7+g������V�6�F`�u�Yd�5H�pf ��,����z ���@�F�3Sx�����VPZ�iE����� @Z@jE��� �Z�kE�`���6��u��[ @l=�u���P[@l��u��Ppkȭ���@t+ ح#���z�� ��"�� \@�`��z�oE��� @����� �[�@n��� \I@o=�u��[#�k���0�ފ�+� @ ���[q� �0݊�����"�D� Ǖ���\�n����p\@r- �*�V�:�k8� �F��+X�����:tkح�"���+�`d�)�\@&ϵl� �[qE:bG�)�\@&еl� ]�n� �H��[ ����N�@]��oE�+\ߊ�+ ���"���xk୺@�`] �nEPt\��[ص<�@v-� 40�k�`��:�k��F�Zz��7��p����"1 �9x��0"�9`���B����`�F�`� �,7�0���x� h,W^{+� ���@`�"��Z�U �@ 4��+� t��x`t�0^�v��� ���Bw����"�ր�+ � �*tW�pz+ H`M �L0�k0��� q��5����w�5p��\ z=�d�^�v��5�Vp �r=�ul��\ x=�H��^ �?:�@��^ @{E�`�W��^�{ �5,W@^#@r��5���@s+ܥ "�?* b!����5b!(:�k���<"�L0�kp�������S�BPt����+�N�� @_#����� ��x+������K#@ H�"�:�B �4T��6@P�`�F���k`�` ��1H�~%��lP�~-6 a܀���د��� �Я��"��P������D���4NP�H9�`��P( X �D1�k� X`�������AD�Z���5 �,�$@��{x0��FR@>`��@�`���B @+@�`�P �(� �g0l�`l� �@��5L�@ @ X��R`� @� �``s+�� �p (@��\H�����f�*)� �,�܊��`���� #�0�`ms��l� �`s+p�`� F `.$���r@3���N��[�t�@��[#�D�6��", 6 �ހ����5L�0a��5L�Pa� ���b� �[��%L�0H@B!��@6, ��?����J �`�� ����  � [�� �"�:&J ���[#�D���|��@nEPt���N�@����!�!��Pr+а`�Dpn@$ ���{8�H(� C0J8 �l� �a7@����2����R H($����JX`;�T�(�F{R� �����P����0k&� #0k&� (��I!�;&J`%��0L�=%8�@� ���IE��l ��� �bS��]�,��X�Z�`R����J,h ��R��b�p@N*��yB� 8(+��"0H� ! � !0T����&`� A/��X �x�@� P*� A/�� ���� �t@(`l�+c�E~!���BZ,�)���B�@_k$��V��=6��X c��� �I! ;&J��`��Kd,#�$0c�56�`@�� �� �6����@� F H($����8)��0O�Ai e���a���E�`$�`c�r�6������  �[���I!�:&J`� �0Nl�8��ao�089v0�0Q @@�&&J� �X@ l@��������"�D)` ;�T�(`lk&� 8�`�;rk�(`� ;rk�(��pr+а`�D� ��T  ���PF p$`�"0H��%�t�&pc@&6�W�c@�-��>��6�08d�Pa �0@��V ]�D)�`�P0������N�h���&�[@p-#�4+p�@�BAV@8!{�l �KD�`�"{0�K`0L�2�0���%���-S��"�L0�l�w� Y"{���@��${��hV�.��r��hV�.E�$[�UhV��![D��*ܥЬ�tB�q��hV@�F�$[�����"{���@�� �d� �� -0�l�����'l��� P��[�@nR��PeI@�EPtX�PeW�`�,�e�,�����.[�����F?Q�U8U@��e �U6����'��E�Pe@��U@� f �� �*Y0��mV��1[�@��� �e�l� �f�l� ���+��pf� �h��@�, 8��� 5�2��X`�F���lx�l�"{l� 8�@�0OH�@h`���� �O�"�� H�`� ���X`�D�6[��D9 H�0Q �( �� �����h�`�� ���X`���s"(�`����u�` [�� �6@����n�� ͊4+pO�l�B���"0H��� ������D� �&h��E� �"p͠EI5���B� �6 �܀p�� �,7`�Y��@�-��n�@h@���0C; m �u4�ł2�� ��"�:Jx�F�8A@��$�� @�@�b(��h�H�6[m�� ���pP"����0��hm�@�6X 0H@#�v��pP"@+��"0H !���Ph�,�� �X��#l� �l,=P4��Rp (@� iI� ����5 V�6�pZ�fG(H`�n� �6@(��.�Xz���� �"�0P@@"`�IK�@3`����>G(6@ ܀�d7���@���RD��P�ҎK#@ ���Rp)�U�@4l�`\�D������V��Eua� ���v��X� @6@�܀K��`W! l� �6@����@�LK� (� '�H��% @�F�PjG���؀�q2F�+� 4��(�D�ql� ('���X�ش�Bp�N�i?-�- W�D ���6-�}"�n�`)6�8@Wm(*j�8`0l� 4��(�Dp �&@ c��0H@B! �lP@B)6 a�fqx0 �DR[Zh(�YM;&J`�D�Rkj��h� fQN-�M���ڲ�@�̢`� �#�Pҳ�p�(�� �xh�Y�'�Pª�`V dqkȭ ��@� �K�Y!� ���S��"�L0�l�W�.!��5�lp��4+ ]�]*O���j ���v4�  @p� @�k ��S��"�L0�l�`W;�@��@�F�Y[F �'$`� V;�� �Z6��vD�0Q ��� ������(��@� ��6��܀� 6��=6��ىr"��`���0Q�B����Z���D)[�D,Pb�D)�l�#vD� [�� �6��@�`���k �`�D[�b�@��� r-nm�u��0H@�" �*��,@� ��4+E��-#����H�p�  ^[@��Y!(:zm� �n���݌����|���� ��2�G�>���� 21�m �<0 �(����p�� h��Ex4�?�CQ��p ��p*��- �2�`��� `��t�-�O �e�t�-�O` � �h6@(���F�Q��E �p�`l��e�m I1�-h`<��l��0��m��h��@db��l�X���F�GS6���@� ��¡�s�N�l�g�+4��l��+�@' @pf`�f;zKp�A#DOq( �-�3 �g[z )�<�l����68��)EX��Jh;zK����"�L0zK`��S��6BCPѶ�h�6@�f`SD�H�H+�H�0mm��B ��)@m�-W���H[�`�m 6��ހ�H� ��7��"(:�m�@�a[[ +m��� �j��m @ ׆l�pm � �ܶ�b� 0LA�`�o;zA؇� �pr�-8)�4+Ь@��`��N@&� ���@<(`�#n�� �ܺ��@(�M��F?�m8�+��t�X� ���t���  a�t��� ��ڀv{ �`��!�nm���n���p�mx�n���p����@����-��@�� �&6@��@qERpR� (��D� )���HzK l@��R!K a��-)���|�o�����g�6@�F@qE�gw0B  ���o��`������)���R`�� Ф�؀~{�-)@�bߒ�(�-)@���>��o�7<;@_B��B (� ��@(��h2p��}v?��"�;n ���b��[�&uf �`p#��=�0��>�@�����z� ��P60�@G�1��(S`(��p ��o�0\����0���� `p��c��������n( 8��"�W9�8�p.�/�?D�R2�=� �� @h�A���q@Fc�����S`D� q ��@� ]�¡�s�N�1q)nŕH��6���0nȸ  ]E`�$�H�8��M��6��4.�@WF�CQ��D �p��,n��M`�6��2�Е�P�+@�$�#8� :�(8<Ԃ�q��- ��@> 8(� �Z0>A�� !0>A�M`�"�L@r#�(�%�� ����܀��N���� F �$�'0�J���'0��������t� ��"��Nn� w�;j�@� �F�{Vn���F"b2�i`5 �� �=-w���^.��+ ���"�,���`n@��1� �ڂ,� 2���0sˍ27�@s7I�����l�H+ ���r O9���I@`D8���\ F 0`�����r��@����v�� 0"��r7OA=����~.  ��Q�s"��{���(@���;�x�`�`l��w@�-��8^�P��E� ��O@x���x���E@^R �$� !0>AX�|I F �$� �`qz�/�� H@�Eb`|` � ��w�0HJ ) ��BH@ 9�w���&/�=`T^0�xi�X�R�ĥ��wP�� @���l$0&6@H\�F��H�H+�d�0W����l��y@��7d�P6@�\���� �G��7 �0�� �7@@���� ��7 03zo �� ���)�s�� �y��)`L ��;:oX�N �L������zm@���s  � X��� ��*�? ��� @A[P؀ڋl� (7��5j/���x�� �}� X���"@�<�%�� �m�����"���13�^,`0 ��w��'{�3�����@�K`x@��g|�=a.@��H�R+� @�&|���U��6�� |�=!�`��;�b@u ."�p0H��#�w<��� �@�a�b���D�L���� Ȉ7��H0a�� 8Y��� @�7�$_0a�� 8�L��{�D�L؀�{�D�$�V�\���`� p�/@a�`�Dc$��o$@���$�A�t���6@H@��$y�/H@��$����6 I"�{���� Q R�/H I"�[��E�a$I�[2F� H�P}#���@͠DRpR� �s�N�Cp�@#�L0�D `�p("�(`�<&@�=$xL �{J�@����1���8�c�����0� � @e@�@�<& >-xL �s\�@����1�`���c��0�� ��� 0�@ @<&6@����B ����`"�9�����#�<���Ѓ��Ah>+ ��Gq3a �p�H�&P�a�G�!8��.E��@R ����@X ���[ �$`��ނR� �� ܀0���l� R�m��  F 0`��P��A(Fx����$�&��#�nIx� ����`%< B  ��`�A@�` 3�` �0�� 0@6@f�`�@ 0�� 0@��N� �'\F�U� Fx�����Li�0��0 � ���X�`��B��0 �0@6�fJ� �p��� ����>G� a� �A����H� >7 ���n@��)��p�0�� �` �A8��*�D� m�0�6��0�$� @�E)\�` ��H�Al�`��A(�� �0#��Y��,��@ �#\@�E)\�` h� e��p6��S`�&p�#. d�`"�)�� �0#��Y��,��@ �#\@�E)\�` h� e��p���l� ���8�M� G,\6@�`NЉP���$�͒�f�Fb`��f@�@�iЉ�6 h���p`[x p� ���$� �[Ѕs�n_� ��0l�� 8�'x�& �����`*�\����֖� #2\r�n�A[�.�g�nA[�.\2�(�`0���uR @ f��`� � �cbl��u��`[x �� � �ph���@Ђ&Aa����@����5��@�r,�}15�u6@�`d����mx��`�� (mx��`�� (c,��7�i���) �7 P�S`o:|�0Fux���D���`L� � �˜pt��@� �J�o� ��M�j ��5<����kzx3�[��pf��į[��ph��A#T�PĀԗ����(` �� ��%)���V@�t�b� ����E�`���l#)(�p���1xtbRPX)����  �0���\`y"�!6Ĺ@ bD�hSH� <� ��W�">�4�`� � �`����s�#��4 �G��� @�� �$�Ĕ�[�p����I���I&F�xD�0& � @b`<���5�&���*� Љ�'F~!���B2 �1 `L��R ��$�|b@ >1�@� P<"q g�f�V�AK�8��xD�0�@$F��b�R �,$ � ��� � `L ���0� ��&�ʚ�).Xa�b�Q�`�(H�Al�S���*� #10�@)n�� �����@�x1�0 V�x1�0 x@��q����#��H@f!�Ș0&VpR)�|b���'F��#Z�d � �V���X��D 10�A���S`1� `P��M�7�U�Pq��d�X���@�X�)` @&��`�1�:1���/��YH@fA2�� �p2 ��+�3�Y��B ��d�b�G� c ��#�`� �� p�q��#O��B ��d c@�� W!� Z�.F�X \�����#�8r1�G]�L���\�Z/F��� Љ{�/��#��H@f!��`%V@Y�����Y�<����� ^�~q��x#�ϒH@0�z�c�b~.�z��a<��H$���a�>1 �S��"�LP�7� ���1�:1���/��YH@fA2����D@ �� �O�T )�0G��-@*�0�����xD����V� ��`W!#��� �#��n8B@V�l����>, �1���Ї�_�H�H`0`�H��-B&ad��6@P�@���@�x��Ќ#1   �K�<ʎH�Al� ~�'>ctb��� � Љ#�.�cȘ0&@'F���@2 �,�4�1��BfA�x �H�3&�t�0&@'�ş�����/^�x�g<�I`WaL Z �˜@2`P��� p6� 7 � @ �3�l��@8) �*�  cVAU��N �7`؀1q��@*8�@2 �,�pRV��x�`n@�#O��B ��d@ ��� W!� Z��H$ ���h�t`L SDfA�x��h�7cȘP�@3�+@ 10��1`H<"q��#�i|�U��`� ��V��`� ��"d� ��H��� ��7���j�R�4F� �k|V� `WaO�  �����P�1� �`P��M�7�U�Pq@b����>����\c����J$`�n����AN*���B2 ��� ��&�ʚ�).+8�R �,$ � ���Ї`���_H$ ���̲���`hc!3&�A��Db�l5�? Tc,��1(X�t��V� �xo����>,��*� Љ�'F~!���B2 �1 `L��R ��$�#Z�d ��@����x`p<&@'F���@2 �,@�4�1���J$����-� �� c�1��� �� ��@ �&P���*k��|b@ ��A�8|b@ ����8`� �@k�`� Љ�'F~!���B2 �1 `L`���Y-^@�@�I9F*��@�# `W�9"��V� ��b���AXTa @(�M`�5T\�sD2�0G cVAU���JqXeM�$���A�xd$�6� XH#l�P��1h `��0&�8.�J���0���7`L �N�<1)�|b�>1�1 3v�#�9F�a|b�� @������@:f�$� �n� a0�O�dL���`n�Xctb���H$��p����|b@ F��@o���:��`L �N�<1���#��H@f!�Ș0&Vh ��|b@ T����/��YH@fA�+d@ ����Ș�b�gI$�G��B;n� d� �6��xL �N�<1� )�d�Y��icb '�H�'&��#w\6� ��� Љ�'F~!���B2 �1 `L��R ��$�|b���X @�� @2vfXaDb0@@@�A@\�H�H`* ��n8B@V�`���A  ��A�E���"1 ����1�������1&�'F" ���B�1�,� �� ��@ �1��J`7���2 �@� y�V������0���@���I�'F*��@�# �� �9"�� ��@ �1��J`7����#�1�o�����xD� �F(�� �1��-B&#���(���H��� ��7���j�R�4F� �{|V� `WaO� �����\�k�� ��@ �&P���*k��LS�2>���� ���_H$ ���̂dL��X�*d@�W�>f�x1�0�q>�cxb��.��8�b,0& ���� ���_H$ �����Y-^�/��YH@fA2+d@ VpR)�d���,� ��C�X � ��CX+�� @������0&�%FN*�LL01�� G�1QV�A� ��'�� ���G� c �V� ��`�`L �N�c�b�R �$�#��H@f!�Ș�W� @��,�R �$@�r�d 9Fdb r�h �%� cVpR)�d��W8�$�|2� ���� � $P���J�@��I@F��� Љ�� ��AҸd0&@'FVb �� �`WA#���0� ��&�ʚ�).S� �Lp�7BN� �*� ���ҸLS�2�B������#��( � � @Afctb`%��)@�� o����U #��H@&`�!�VY`0LS�2C� �Hc@&�C�c�<�1�:1���/��YH@fA2�Hc�p2 ��+��@�1 �#O��B �@�|"*��X!�"Z��1�X!�"�� ��@ �&P���*k��� R ��$�#�N|���t�0&@'&�@�����V@3� �c$� ���`L \�G� c"� Љ�'F~!���B2 �1 `L� R ��$`L �N�<1� )�DT����Ab`D���H$�9����AXTa @(�M`�5T\�#�#0G@&�`� ����]�@@.`��<&@*FN*���B2 (�+`c<&@'F���@2 �,@�4�1��H$��d����A" ��H�U`�@� ���0� ��&�ʚ�).���b~s�+`4� *�(�-�0'�D��"#����F89y�@ ��@&-#R�Ip@a�:�����  �B�I���;6rp���| �y�� !� �#�\@8�W�"��P@k@Xel��Z��$�0�b@�+R hV$ $�fUVp�X�� D�H� ΀$���NE "��d�^@{Y$Y@�� ��I(9��0'�D 6 %߀ЅJ.����p��J>,�GR�DK^� ���E�t���0h`@ QBá@�"��P^�tB@t�@�! ���| � ( ��0�#���@&ۀ!�p� 82� a� n@ �t�l�0�i2#���iH@M��0�6pH��@�� ��M�/�����L����d F �4$@'��pr�4`l���@�89h��4 �� `'��#N��/h�P4 �� @ ��#N���d�^����4`l��'�,;y ��D� ���d�8@�q"�Г�D>�'ۀ�|�D �'���\��C(�l~� 8�$� �@Ph@�p7#�P&e�t!@&��,Cx3�<�f(3@(� ��M�/��P��H$�(���n��}'���Q� ,���@RF�`�@� �"B"`��L�2 J����R�JЉ P��7C� (�`"ZH`NЉ@ @�@�"��!L�0b0�`")( 4e�|�2��.���I��� �4 ��TFTyT�@�+��>���U�t�*�d�ZH[2`:�%#@V�d�����CZ9X� ����[��F7�2W� ���E�t�teRp0i �m�1���8`0���pR)���@&*���6@X����H� �7���r@�-Fp�!� ���@Yh�PD�9q� )8��4R�����X ��C�H�W�`d�p("�E+f�,#� �@X�%��� `�З�rl@� �*��Z.��؀��r�.7���`�� �/@��iH�Z����W ��`-M�J`��-Ӊ�]F p�$�-�W"�[��X�e��_A�c��` 4M.H�������)�-�\�]�-�� .MS"�[�� x���@ ��X`.�����E�r���i @���.����4�l� 0&@Y�&�e,P!"�]�)��b��"�( �� � ^R� �H�T&y�He��o��� �� ��������^��� ���! H��� �HAX �eq`)�#��� @H�_>0�����_F�� ���60߀�a�xy���`. �0�I�T>� �o@ ��@*#�\6p�Xm�ЅJ. %#�� JFg���� @@�`��<r_��#�|p�� � ����"N. X�P�#����0�Ì2� �9� 0& 3@��N��l�7@H�c`���$`1��|3���H�0&�Dc��yl�����*`(#0H�c&'�1#�.3 �1#ȼ6@��@2��|����� �ɌH� i��Bʌ�����2#o6&s��`2G�Ɍ� XD`��\��H$3�̌�� P �D�@03 �� 3�� 43eF" ���L63�t+`�QfS ��$`3#μ6@���3GRpR� (|�Le@�@g���x��� ICR��� <���� -��2�*@1#МH�d&����D� ������@��0�@�� �i��4o�<�r���4�1Q6@` ��Pf�S �t$`�!�Լ��)`�@`D��$@5�͌�@�B5oԼ� >9���V@Xͬ���&����>�����@& �H� �_3 i���� H�  ���I�@� @H@l>$�8.`�A6�� �#)@�b�P2)���R�� `l?��)�`6�H�H+����s"�m��� ���#@ �4A 7G�h� @�b��P6@���6GRpR� (�y���#�mn�9���4M��@7ڼ����� ������� @�9�y��@ @�A�`�It$��/�0OH�!� :Q���B=OS�3 0��3 ��Rس �, <�`�7�Q#�@{�^@ �����0�  �\�3@���<��6�\)��g`.��x��z!-��� �� d������O�)��{F�e���@}���܀����s�@�  F XC$�>��5��3` ! P6���>#0H�' ��|nx#����@&$%|����@3(`l���. @#��0.R�6�"݀ ��V�h�o@�@� ��6@P�-�l�$� �= B$-� ��9m�������d=t�`l�P��f*�؀�W��֤A#��4) � ����W�L �����"�_��4H�� �`�`A3�̈́4(s�A�4 h�`0T/�R��^ `3����"�_� :@�� ���A#� ���p `o ��B ��Hh �}(+�BK���p � ����6��@�b`$ .�f�� `7`܀ �� ���y�&h��؀�p���:\���3t��  �HA� P��"�A(��l�� �W8��p���B��z�` @� �C��� @� `@ �P�W@b`t�0B4� @ �]<��� � ������ @�!m� 0B4 � ���U @�9^���` M.p H�D�FSr�0�'�4��o(��Dp���n����hl��� ؀=� P�7��P�2�7`l��s����ę���@�F=`���@�nW`�g")(D�d�&�@8.:������Fa�@ l@��`�0t@�3#8g�AXd$��(` �h@�@�)U��4����=���$ ?A�B����F%�P��$ ?A���3 �����@�N GG�����`Ggrt4���u4�����с�G�6@��� }� �@�� � @H��t(@�� H@P�Ho� ���E� #=�t`oI�� "�&A!I#�<>�Q�D�1Q6�Jz̕��F�s�H[�\���v� � ����+`I�\� �J$�!4̕ ��3�+ `�D���@Ps�0��1���@H��Sl��>�'<�Ӧ� ))���\`'���a����B @ pґD� ��2@�*��'-U� � ��F�s�H�����H ��P 4@i���@�@�L)��4(�XH#�R0�4 ��J(]��P #�0 �,-8c�Y }�� �9�6��`��ql�`���Hs�+�� �X� di�E@�A=�TE3���J�1�h��K7�,�6@�9@K�1���@Ko�1�� `L ���4V��@K�1����K��1�����`� @�>Y� ����� @8bd�0��@�B~"�i,оV�e �/� �fzh�0&VA\Z@ -��4V M��4]��� @Mc���H`�.=�t@�� @��n ch�p��˜@��0&@�.bh����˜@���0 ��u���"�>����� @KG6]� �O�5}O�tP`ocL ��4W �Mo� ��=��e�d  L�xq�d  L�A��'r:No�0���u���3@3(��N�:bf��`�;����)`�@�Cx�$�>؀w� � 8�ه����@� I�\DzzpJ�_ ���5(�"�T��4#�d \@�`pJЧ#@6)~��`�D�5d���F�z�� ���5(�"�T��D�zPo�?�5(��SFN��t�� ��{���r�j �A�RA."j �@�`��p�\L� �"E�b@�@."�E�D� �� @@E�:Q�b`�6@�ހ����� $� @#�\����E��-@��I�>��Ї h�6R߀H��@ �:4j�o���`l�0��.{�؀P�� ���؀p��������@ d�0H� !ea���B��.��#lj��T@V�ANT��[?@l�N]T�P!@S �" G�ax�J�T@YP@� M-4� �$�#p�J�T�( *�����P��#|�`�� �`o��� A�>�K},50��TP�E5�� `T3�JI8 ���X� �@���R7R�*u$�A@T�H�>B����Rg�O}*��H���o�����lrx�U��pR5�/`e� �M�� @Uo�U}R� ��U�lRF �$�|�0�M@Sa|� @�T����������px0 �D�OP6�X� ���` ��>c�� ˒^�x�@� ��^��z�����B��G!�X=8¦���Y��@�aVG�Rh��B�G!�Zm����#��YY�� �� ��z �`͚��n�`��0#@�.@� '�Hs$���� ��zȘ@ @�F"`��GC|��1�W#`=�u��@X_�~5�"D�G��]�X�X�� P1�J����F�z�`�o@x4�W�bHA��@X�b]6��A�z���6@8���� �<6��@ l��������o��H?����o��X��0k�`��B� �P��$�ѐ���5?j �@  @@�?�Y���;�DR`�� ��@��h��� �� ��������5@ց`'De�~T0�X�xD�g�H� x�7`� �0@���G dB(a�i�l��QȺD��q&0� ��x��`� @��<0 ��( @� �+�T h`��b@ @�z<�����@:�FQ�h  � @A�F�j�-h��Z/�j� ����ֹ[/��� ���;�@[/�2� �u�� ��n�`�u�� |� ���.H��F�h�Pq}Ƶ�F��\3�p-�d(����Eq��z<���#@�>!��CQ��P��@�u�ҵ�F��\��g�u8 ����"@�>�:��CQ��x��]#I1�5x�0�v�� �\?��#���@^�v}�u@ �����@�F�b�k,� @`��@ �����Pl���@~�����P��ȯ�{=�k��`Q#0H�% �QZ���� �FG=h��l� �@D�:�����������:�� ��>��4���K`WA_#�Z�JA�F�����W� @_#�f��5�&<���� �`WA_#�f�@<@Z ��� � � ���6@�� �FRP����M`#�L0�D���S"�E�D� �P�@�@�.<�Pj�z�ȯ `� @�<Ԃ�[ @h� �j�Э�l@ l����*��,�n-� a9(u�<��[ @a��} � *��p��/M� ���)@.�1v �+ �� (`l�  �A�;���H�� D�}v`��`G��}v��aO���@ X���p 6`f6@�`%������L�0�P `f6@���l��b���@��A�03�3�J�HA�#� $����ab��@�#@[ )���g*v(�b��v��+�l���cf������&v:<) f��6v���b��^l��d�8vH� 4� ��W@:Dj����б#@[ �l�౵t(;���bH�!�pP����;\�а��^`�=~T�Q�G!�1D ?*�(�~T! �� @h�A d#�PD�#{���V@ 6�d���V)�%�H����>&��wP�H�k/�l�#)�$��@��P�k/`�@ l@ɾ L���6@`�;�쉝�ˎm1��4vx�A�eG�.vh�Ac���̎�@cO�t8dvh�A ,� 0�#s ;�� �#��;4� ��W@�`8i��i@͞��p����@ �4A@�D��4v��A�bG��0� ( �lfvR� ��s��l�0�� ��7�03��o@`f Q�l�t��s%p� �� �:���������a03��o`f6 g߀��@����03�3�J�HA�#� x�ʊL'hl�����ʊ!0��\��Ǝ_!�� |�ʊL'hl�����ʊ!0��\��Ǝ_!�� ��ʊL'hl�����ʊ!0��\��Ǝ_!� ��ʊL'h졽���ʊ!0��\��Ǝ_!�� ��ʊL'h졽���ʊ!0��\��Ǝ_!�� ��ʊL'h졽���ʊ!0��\��Ǝ_!� XZ8`N� �r��*���@'��ю<��S@�i1��l�p��C�������#@��)�����v��a�� |:��`�`�� ���$�`� `� ��0���A{�4�p�����tzl�ӾO�L��}�v `9 j�No� �47 h� `�ԎS�iO�}�6�>,gT��ն����s��ځ�j�tzl��� X������;Q�t8�vh�A h� � "��W;(� P"��;0� �#@�{$�(6@��'�t���@ X���� �H@m03�3�v�HA�#� ��W�{b���#@[ )@l���K���b��v��+�l�0��N��;��bH!0��\��Ǝ;\�а��^`��]"�ƞ��p����@ 8�A�8D�4v��A�bG��0� ( �m���H+`b����vh@m���vx�m���vx�b���K���a��HP�,���b `��#�ƞ��p����@ ��A nG�4v��A�b�����������&v�8)@l��vx�b���K���a��RP�,��bH`����#�Ǝ����0�S�Hg;��`���Ŏ�%h�а��^)� f�@ގm1�������@cO�t8�vh�A �� ��#��;0� ��#@�{� �63;)`p���U�g+�#!��������� ���� �7�03�o@������������ 0B7���3�J�HA�#� 73;)`�r 7��off� `���P"�`f6�.���l@]��n�#@]�@�hH3C�Ь�t���f9`�D�8R�q�����؋���ݸ��^�p@���@ (A�8D��w��A�bG��0� ( ��"�x;��bH�!���@�;\�а��^`�ɭ�#3;)`LlRpR� �l I��H��fM@W#,2X����#RP@[,�r�].�H$%؀ZC )6 a���o@��A K ,2H� H7��0n`�6@s߀Z@ )6��`0� ��;d �EI��@ ��bl@¸�9��} @X$��@� ��6 #ހ�8w86s߀P#�@�@Xd�bl@¸�9��} @�GA�8 c� @���i��q@*����� ��7� n@HA�8 c�� @; x� p���e� ��="S@�$�Ѐ��q@*����*��L�$�`>� X \� ���@gH�Ѝ�A I���0W@aAXd� �� �:-� ��&0�@&s�@�@ (�X�t���� >�M�6G���P�Bm��n�pZJ �  ���&d�+���R�h�<�PH��!iPQu���@�c��|�0&VAgF@�n��\�� �3# Z�}@e&���M^7H\` �P*��� �#vD˜Y`�}�.���nٍ>� �;� �f� H7��n�� ��vۍ� ؃@v�=ql�@�`l� ���>�Ā0&@�c������F���$p���H�v#h5x7��`l�л��.���@ B $ � �HXAa����H$� D��D~��`�� 0��-@qE�p("����� ୸"����"Љ1��!�0��"���`x�` �w.P�%<��r�������� !�,#�x��YH�F�e�YvD��*`@ ;QB�WA�%oP_�W)`��=�J0�y%o�r��/yG?R@��ye��� P�7�,����{4��"@x���`�`��wx��{D�m��S���{��`�� @�az�@��@�F� 0"�}�#@���zc���� ��@x ��zg���6��:�$����������/`%x�x�� ���D��{��� ��7�x����{4�� ��n��yo���s@�e���'�@ �X�yG��� (H�l�`����0��>�@�`� 0H@�! �� �2LA(�`d0@}�� �� �6@�� 0��x��f 0�)` "��fe�'06@@��R`� 8�@ lC��J`�2<` 6@S݀� )��� +A l@���0R`�� @Vb�=�w0��;!��`n@0�y%o��"@�6��;p�@� O�����C��z7��2A`D�[�G����$�7�����w���iF`�xh�,�}#+��&��������F"`���  ��z���6��F`�x0`��@}<�� �.<0��o� X�7$� �h�G�P�w���x��������[z���n�d��������;0"��#���zc���<�<P_�~"F�� OA��4�`�� @ `��4�J�  !���H+������ ��?��@@�@���#�o� P�����H� �P���_~�X�p H�J� p�o�������x�� � �D� 4� 4��+��� ���+�x�>6��8) yc��.8�����@}<�� �' h t��W"@<)`�W"��6�}0lp?qR@��y%\p,��@,+�9 ��2R �8)����b A`�����f ��6` ݀�c@ /6���� �@�<����p8 ���J@���Y�GV���z8�5�؀P#�g?X���8 ��J�� �Y�GV�M����A�A@\����8D�Mpȃ  �<`0� �P�A�D���H06�������p�#?  ?p�KoJ���K@� ,q�����)`L �3�x`��� '�H�'Od��� � �L|�0�C���O�(��x�� �8 +�S��@,gD���@&<�l�@�@/S �7)�8���J�0&�W���R ��$ �#�L0�xX h�P @�<[| D�&��#@g�X �r�`9 B�,�2��)`/>�x���O�(��x� ��#+�S��@,gD��S��J$��1�2���`l�0��/S �7.�8���J�0&�e���R 0�$��#�L0�xX ��P @�<i| D�&��#�g�X �r�`9 B�3�2��)`6>�x�Q� H���@GV���1�X�p��� '�H�'pd��� � � ���P"���S �7�9�8(�J�0&���q� O) ��0W @^9�`�P� �?-� �S� @^A2�� �G��p�o� 6���;���($M��4�h�@�>� q����i��  ����xЏ��;��H\@�3��Z����||��r"OAm�d�>>x h�`l���Z��>��x ���H�����qhn��(華�rv��>�)�si�@ ؇ ��`�7�Å��M��!�B>@b@ � ��2"^����C^���#$��pK Xk����� �"?�$�� #o�̩�0"�!/�� ��P6@���G�G�C���D�H~Dp���#���@ `I�G���� 4<� 0�m�#�K�,)@�Y$_R`I��J�"9]D�|8���"�( Ј@ @ X���.9&?�����#@�(;h���#)���s  @�9�3����@���#� 08y��`O> BP!��GQH�H+����B@oAdb|��� �����pl@(�����p@�B��R��o�TH+�؀�xl�ٹ�#EF l@F�6�j܀ H� Ȉ7���pT���GPHy 6 #�`vn@$�u��3>9H��STHx�*�P٧<`�@ 6@��8�r0�3`.�#�T>vN(� `�,��*G�|��.ۂA!�� ��s��+�V^\�h�� �r� `y,?Mu6�W�2,���#Y>vNh���vs\9����r@�@ˆ� V�@-?���@ @& � ��"�N@"`���B~07����R�������#@.'���r`p� ��7��r��o@ �|l[��.�+����@'H$��D�BX� 7��� n� @� ��kC�� H7` ��0,W���_~y�A �Ga�y �A`��b���/G�m��|9�Z��#��6�y`�|�c^�5k�l� �� @YD�{��`� ���_���"���� n� @�7�se^@�u�؀�ql�2�@�#����"���� n� X�7�s��93?e4�1��3ϼ@��@&ϼ�  R 4�ؐhn� 8�f@s@�6@���� | @���x�4��\�T�������F�k��9������x"�5o�d��x @0�dm~H� �G� Q$�@�`����y��M�#�l>�y���� ́@(@��k��y��  I[H� ��7 4H� i�7���@S$�@���pM��M�#�l>M(׼ `�&��@&�� o��8�&�0�9�<�p͛6o�|��M��M�7�l>�M(�f�D1M(6`L�@s�F`�f�#s>�y4��7l���4��)0�y(6 Јq���8���p��@�M��#�L0�y`m#��q���h�@��� �� a��h�; #�s��@�(` ��9�� ���B"@ ���`��Y"@�:�X��`XHh!%&'+39;=ELVW]bglv}���������������������������� $+/38:BCKNms�����������ej|������� (2:>AEHKOV~���Mn��<r���R���E���� H R V Z e p s | � � � � � � �     Y ` h k t w � � � � � � � � � � � � ; W c r � � � � � � �   # ' , 2 6 @ a f l t y ~ � � � �    / 2 5 7 < @ E G L R V h m � � =Z��� IRgj������2@}������2F_s������������):ERVg�������3ETW_o���������v���� )-148GW[]ag����������� &8BXaw����������NRT����������������"*19K�����@FGOXio� 5t����� <Si����������������!'05;DIN�������=E`����������0258AHOX_flt��������,:Taz������  - 7 H U c s z � � � � � � � � � � � � !!! !!!!#!/!:!E!X!a!g!{!�!�!�!�!�!�!�!"""!"5"J"_"v"�"�"�"�"�" #+#7#N#]#p#�#�#�#�#�#�#�#�#�#�#�#�#2$n$r$�$�$%O%^%b%c%g%v%�%�%�%�%�%�%�%�%&&&&)&;&R&~&�&�&�&�&�&�&�&�&�&�&�&�&�&'' '$'/'5'B'I'M'Q'�'�'�'�'�'�'�'( (((&(0(8(9(>(B(F(\(_(e(j(p(x(y(�(�(�(�(�(�(�(�(�(�(�(�(�(&).)3):)=)A)G)L)R)_)g)j)o)x)�)�)�)�)�)�)�)�)�)�)�)****�*�*�*.+�+�+�+r,�,+-6-9-L-l-p-�-�-�-�-�-�-�-�-�-�-�-$.7.>.K.V.�.�.�.�.�.�.�.S/u/�/�/�/�/�/090=0@0m0�0�0�0�0�0�0�0�0�0�0�0�0�0�0101K1Q1`1i1w1�1�1 2R2�2�2�23c3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�34 4 44]4v4~4�4�4555"5'505p5�5�5�5 6&6\6�6�6�6�6�6�6�6�677%7/757F7W7d7o7v7�7�7�7�7�7�7�78Y8]8e8l8�8�8�8�8�8�8�8�8�8�8 99)96999I9b9n9�9�9�9::7:H:O:�:�:�:�:�:�:�:�:�:�:�: ;";*;@;K;`;�;�;�;�;<<< <-<9<?<k<l<�<�<D=�=�=�=">7>E>V>Z>_>j>q>�>???&?-?7?{?�?@D@�@�@A?AA�A�A=BB�B�B�B�B�B�B�B�BC-C?CC�CD DDDD6D?DHDNDUD[DaDsDzD�D�D�D�D�D�D�D�D�D EE$E(E9ECESEZEcE�E�EFFFF!FdF�F�F�F�FG GGGEG�G�G�G�G�GHH!H?HNHYH|H�H�H�H�H�H�HI$I7IMI�I�I�I�I�I�I�IJKJ�J�J�J�J�J�J KK!K*KmKK�K�K�K�K�K�K�K�KLLL*L0L6LALGLYLgLrLxL�L�L�L�L�L�L�L�LM M-M6MHMKMRMpM�M�M�M�M�M�M�MNNNNN9N=NRN�N�N�N�N�NO.O:OwO�O�O�O�P�P�P�PQUQ�Q�Q�QR�RS SS!S*SiS�S�S�S TTDToT�T�T�T�T�T�T�T�T�TUU'U6UBUMUWU_UeUpUyU�U�U�U�U�U�U V!V'V1VmMmTmomym�m�m�m�m�m�m n5n:n>n\ncn�n�n�n�n�n�n�n�n�n�n�n�n�noo&o-o:oVobokovoxo�o�o�o�o�o�o�o�o�o�o�o�o�op p pppHpOpkp�p�p�p�p�p�p�p�p qq(q0qFqMqUq`q�q�q�q�q�q�q�q�q�q�q�q�q�q rr}H}O}T}\}i}{}�}�}�}�}�}�}�}�}�}�}�}�}�}�}�}�}~#~%~1~4~@~D~H~I~J~S~Z~j~x~~~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~I�����������������3�:�N�Q�d�m�v���������������ʀӀـ������� �&�2�7�@�C�G�L�R�\�b�l�w���������������������ǁӁ؁ہ���������#�%�(�.�=�D�L�U�[�}�������ǂтقނ�������F�L�X�f�n�}�������������Ѓكރ����@�����������.�6�=�H�Q�[�a�h�s�������������������ԅ܅����;�F�Q�`�h�t�w�������چ�7�=�A���������������͇� ������ �(�N�S�V�_�g�q�w������������������$�E�N�S�\�y�������������5�A�N�Q�Z�d�o�t�z����������7�H��������� ���(�\�`�r�}�����֌��_�g�t�v�z�����������A�{�ˎ؎���-�Z�]�_�l�r�y�����������ҏ1�>���� �.�R�c�m�w��������6�u�’�c����C���۔*�t����������q���Ɩ�5�?�k�~�������� �-�.�B�N�U�X�b���������˜�#�(�-�R�W�����������ϙ������]�e�n�x������������� �!�*�8�E�P�X�k���������������ț؛ߛ���0�z�ќ����������Z�h�u�����������Ý�����W�����۞����� ���&�,�2�<�������ԟ���'�^�f�l�t�~�������Р��9�L�a�t�̡ѡ�2�?�H�Z�b���Ȣ�����d�k���ϣ֣����� �Q�U�e������]���ȥץ���P�a���������<�I���������§���S���ͨ٨����� ��*�<�����ʩө�\�e�o�x������������������ �� �+�o�y����������� ��"�'�A�T�c�i�n�y������������*�/�I�X�Z�_�h�k�p�v�x�|�������1�7�J�|��������������خۮ����?�B�Q�m������:�D�L������������ưȰѰݰ���� ���+�5�?�L�S�[�a�i�o�w�|������������,�U�t�����ɲͲٲ� �� �'�6�E�d�m����� ��&�,�9�@�����ô�.�=�D�S�Y�_�b�e�l�����������������õ���� ���\�_�d�������������������������$�'�-�4�8�=�B�L�Q�[�d�r�{�������θָ���,�4�@�A�E�Q�Z�`�k�x��������� �6�>�K�]���������������ٺ�(�7�?�B�F�U�f�l�p�{�����������������ϻ׻ݻ������&�2�>�a�i�v����� ���"�(�8�@�M�S�Z�d�{�������������ý������'�9�;�L�Q�V�c�h�n�v�~���������������о������� �2�6�n���ۿ޿����)�8�F���������������������������������-�/�1�4�;�@�C�X������������������������ ����"�%�)�@�C�K�V�Z�c�}��������������������������������'�3�7�?�D�L�S�]�k�}������������������������������������������� ���!�%�,�3�9�?�E�H�P�W�^�g�q�w�~�������������������������� ���"�(�;�E�F�q�x����������������������������������� ��!�$�1�>�E�J�M�Q�W�Z�^�a�e�i�p�y�~��������������������������������������%�+�2�:�=�A�E�K�O�R�V�Z�_�d�j�p�u�{���������������������������.�:�=�F�O�V�_�c�p�t�~������������������������� ���%�+�1�8�>�E�K�U�]�g�p�{�������������������������� ���"�)�.�7�E�Q�V�s������������������������3�B�I�T�_�m�{����������� ��.�:�]�z���������������������"�K�O�Y�`�f�l�w��������������������������3�?�E�l�������"�.�E�S�_�e�����������9�A�I�O�S�`�i�~��������������� ���*�4�A�G�O�V�[������������������� ���(�/�5�B�E�U�Z�k�v�z���������%�.�4�c�o�w�������������������T�\�d�n�u��������������m�t���������"�u����������������� ��=�Z�`�p�y�~�������_��������+�a������������������������������+�0�:�G�R�]�u����������������:�<�I�W�Y�g�k�p�y��������������������������������&�(�.�3�Q�\�c������������������������ ���'�-�2�T�V�\�a�d�k�n�u����������������������������������� �$�=�B�O�W�_�p�x�������������������������������������������&�/�6�=�E�O�V�]�s�w�z�������������������������������������� ���� �2�?�L�X�Z�i�q�t�x������������������(�/�:�A�M�U�e�u�}��������������W�u�y�����������������������$�.�<�L�R�]�~�����������������������������&�1�j�u�~������������������������� ��(�\�e�m�s�|����������������������)�5�>�U�w�����������������E�w�������������� ����F�S�[�f����������� ��)�n�z���������������������������� � �2�8�C�T�[�r�~��������������������$�0�;�H�\�j�l�t�v��������������������������� ��%�)�7�L�i�v������������������������������� ��!�/�6�I�Z�`�e�p��������%�0�@�I�Z�a�n�y���������������������� � �0�7�@�L�i�n������������������ ��F�{��������������������q������������ ��#�+�5�=�C�L�O�R�U�X�b�h�n����������������6�L�c�u���������������������!�L�~���������9�B�L������������;�E�e�n�w����������/�I�S�^�g�p������������������������1�^�j�u�z�����������������������$�N�[�c�}�������������������������������������� ����(�-�2�6�?�J�O�T����������� ��'�<�R�_�i�u�y���������������������������������������������������#�%�'�2�A�F�O�_�e�h�m�r�{��������������������������� ���%�.�2�A�L�R�V�`�i�q�y�������������������������������!�-�0�9�<�>�@�F�P�R�^�j�n�s�{�������������������������  !)/6;<CFHJLNTVXZ\^`jp|���������������� ,;EIQ����������+h��>]iu��=Yb��B��������W{�����DJPW^djouz����<DS�����   A I Z � � � � � � � � � � �   + L ] � � � � � � � ( ` k � � � �  W � � � ( _ � � � �  Bp�� CHK����� 'n��CKT��������#c��� #-36?GTgz���������+:DMUcn{���������"2]mw}�������� 2AIYu~����� .OW\hmy���������08?CH`mx��������������:BIQY`fvx|���������� $/57;BLQY\bgo�������������$)1:AGNV\aenv|���������������)16AGMXcpt|���������� &(*8GXdju����� =�������8`m��������  ! - 6 > J S � � � � � � � � � � � � � � !+!8!A!I!R!Y!a!k!r!~!�!�!�!�!�!�!�!�!�!�!�!�!�!" ""&"t"w"�"�"�"�"�"�"�"�"##(#�#�#/$>$E$R${$�$�$�$�$�$�$�$�$�$�$% %%%#%*%}%�%�%�%�%�%�%�%�%&&&9&K&�&�&''')'2'['g'�'(('(1(;(>(H(Q(Y(b(l(�($)=)H)S)])g)o)�)�)�)�)�)�)�)�)�)�)�)�)�)�)***"*]*b*|*�*�*�*�*�*�*�*�*�*�*�*�*++ +�+�+x,�,�,�,�,�,�,�,�,�,--- ----#-&-*-.-8-<-A-J-N-Y-c-f-n-w--�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-M.�.�.�.�.�.�.�.�.�.�.�.�.�.�./ //7/>/�/�/�/�/0 0-0d0�0�011 111>1B1G1N1U1�1�1.22�2�2�2�2333;3M3Y3d3i3n3s3}3�3�3�3�3�3�3�3�3�34444#4.484E4T4l4y4�4�4�4�4�4�4�45555&5.565G5K5M5W5`5k5x5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�566686G6e6m6r6x6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�677 777"7/7E7P7\7i7m7s7|7�7�7�7�7�7�788(8@8�8�8�8�8�8�8�8�8�89 99>9A9J9Q9`9g9l99�9�9�9�9�9�9�9/:6:e:n:z:�:�:�:�:�:�: ;;&;*;.;3;;;A;H;P;�;�;�;�;�;�;�;�; <<2<<<B<H<V<]<e<v<�<�<�<�<�<�<�<�<=4===M=T=l=y=�=�=�=�=�=�=A>K>]>m>{>�>�>�>�>�>? ?/?4?D?c?l?t?�?�?�?�?�?�?@@@ @@@$@&@+@5@;@@@G@R@Z@b@h@l@t@z@�@�@�@�@�@�@�@�@�@�@�@�@�@ AA(A8ADATAZAfAlAnArAwA�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A BB#B(B0B6B=BGBQB^BcBlBpBvB}B�B�B�B�B�B�B�B�B�B�B�B�B�BCCC(C3C:CACNC]ChCwC�C�C�C�C�C�C DDD.DHDQDZDgDlDtDzD�D�D�D�D�D�D�D�D EE`E�E�E�E�E�E�E�E�E�E�E�E�EFFF F&F,F7F@FZFtFwF�F�F�F�F�F�F�F�F�F�F�F�F�F�F�FGGG!G&G.G2G:GlGqG|G�G�G�G�G�G�G�G�GH HH/H3H�H�H�HI%IhIrIwI�I�I�I�I�I�I�I�I�I"J/JMMM_MnM�M�M�M�M�M�M�M�M�M�M�MNN NNNJN�N�N�N7O�O�O�O�O�O�O�OP1P6PRPmP�P�P�P�P�P�P�P�P�P�PQQQ"Q,Q7Q;QAQLQYQcQrQ�Q�Q�Q�Q�Q RR"R\RdRjRqR�R�R�R�R�R�R�R�R�R�RS8SZSzS�S�S�S�S�S�S�STT T"T$TDTFTHTVTXT\T�T�T�T�T�T�T�T�T�T�T�T&U,U3UAUuU�U�U�U�U�U�U�U�U�U�U�U�U�UVV'V2V7VBVbVpV�V�V�V�V�V�VWW4W:WVW�W�W�W�W�W�W�W XX$X:XCXIXZXlX�X�X�X Y1YJYSYXYkYrY�Y�Y�Y�Y�YZ*ZSZ^ZqZvZ�Z�Z�Z�Z[[,[2[A[O[S[_[p[x[�[�[�[�[�[�[�[�[�[\\5\H\P\U\[\h\z\�\�\�\�\I]V]z]�]�] ^ ^^c^e^q^�^�^�^�^�^�^�^�^�^�^ __ _&_+_2_:_A_E_I_N_a_f_p_{_�_�_�_�_�_�_�_�_�_�_` ```&`)`B`W```}`�`�`�`�`�`�`�`a,a=aGaPa\aaasa�a�a�ab[bdbpb�b�b�b�b�b�b�b�b�b*cTcacdc�c�c'd-d0d�d�dee eeee@eJeQe`eceneze�e�e�e�e�e�e�e�ef6fMfZf_fifnf�f�f�f�f�fBgjgtg~g�g�g�g�g�ghh&h-hghmh�h�h�h�h�h�h�hJipi�i�i�i�i�ij%j)jMjVjej�j�j�j�j�j�j-kk�k�k�k�k6l;l@lmlul�l�l�l�l�l�l�lm"m5mDmVmemsmwm}m�m�m�m�m�m�m�m nnn'n8nCnLnYncnfn�n�noGo]oaofowo|o�o�o�o�o�o�o�opp&p-p3p9p>pDp\p�p�p�p q2qZq�q�q�q�q�q�qrr)r>rJrgr|r�r�r�r�r�r�r�rsss!s%s1s>sCsOsUs^sfsis�s�s�s�s�s�s�s�s�s�s�s t�tu.u6uAuHu\u�u�u�u3vevpv|v�v�v�v�v�v�v�v�v�v�vwww/w@wewqwww�w�w�w�w�w x3x�x�x�x�x�x�xyy$y+y7yuy�y�y�y�y�y�y�y�y�y%zIzsz�z�z�z�z�z�z�z�z{[{�{�{�{�{�{�{| |/|9|B|M|Y|d|�|�|�|�|:}�}�}�}�}�}�}~~&~T~V~^~j~�~�~�~�~�~ KYcit����(�B�`�k�x���������� ��&�6���Ձ�`�������.�A�u�����K�X�f�s�~�����DŽτ������"�)�/�4�9�G�U�d�s����������������…ą݅�7�U�o���dž̆׆��� � ��%�B�I�q���������߇�e���̈Ј��"�E�r����'�*�K�Q�g�u�������ÊҊ�� ��� �(�1�`���ɋ΋ԋ�����]�e�i�|�����������ŒˌҌ����,�2�5�@�K�R�Z�n�t���Ǎٍ�������*�4�B�J�M�S�Z�o�����������������Ž̎������� �$�-�/�8�C�H�K�U�X�d�i�o�x�����̏֏ޏ��>���ǐِ�������� ���(�1�7�A�F�J�_�g�l�q�z�|���������Αݑ������1�;�F�O�Y�a�i���������������ǒΒے�����#�/�6�<�]�t�x�������������̓ԓޓ������&�1�:�F�Y�^�d�i�w�����ܔ�������*�9�G�T�b�i�p���������ĕʕוݕ��� ��"�Z�c��������ÖΖܖ����� ����!�)�7�=�I�L�S�W�]�c�n�u�����������������������������̗Η֗ܗ��������� � ����6�A�\�e�n�{�������������˜����� �#�7�A�U�]�c�v���������������� ����$�.�4�=�J�O�T�X�f�}�����������ϚҚٚݚ�������+�4�>�G�T�b�j�q�{����������ʛ���� ��#�.�=�N�U�^�j�����������Ĝ˜՜ޜ��� ��-�9�D�V�p�y���������Ýҝ�����2�9�A�J�T�[�`�h�z�����������������Ğўڞ ��F�����������G�P�`�m���������ߠ��������)�t�~���������š����1�?�F�Y�}�����������Ƣբ����� ���%�2�A�K�U�_�a�n�w�~�����������̣��T�p�����Фߤ��{���������ȥ֥���E�W�]�Ħ̦Ӧ���5�Z������&�W�e�|���Ш��#�(�l�w�ȩ�� �6�C�j�������ߪ�1�\�u�����īΫ��+�6�>�C�I�X�e���ìѬ��(�5�����­Эݭ���&�/�C�O�c�p�r�y�������������/�?�S�����ȯ���� �B�H�]�d�p�}�°�M�f��������"�/���������Ҳ� ��'�8�O�[�a�f�l�������������߳������&�5�C�J�[�r�u���������մ�����3�A�L�]�g�w�{�������������ҵ׵��������� �'�,�2�:�E�S�^�h�m�q�~�����������ɶѶ߶��;�j�o�t�y���������ķ̷ַ޷��$�,�6�D�O�Y�k�t���������ϸո������ ��*�0�;�I�_�s�|�����������ȹ��������#�6�I�������������ƺۺ�����O�Z�_�e�g���ƻٻ�������*�0�A�K�[�h�q�w����������������Ǽ̼׼��� �5�J�W�c�j�����������ƽԽ߽���.�:�D�O�T�_�m�}���������ܾ���!�$�*�>�e�v�|��������������'�1�O�[�k�������������������1�9�I�o�t�������������������������������/�F�X�a�t����������������������� �9�I�V�_�������������������� ��#�.�;�=�E�S�e�m�x���������������"�?�F�O�Z�f�m�{���������������)�7�C�S�_�a�o�~���������������Z�e�p�|��������������������������� ���'�5�C�N�\�c�x�����������R�_�k�p�u�~�������������������'�F�N�W�Y�g�s�}�����������������������5�>�k�m�����������������������/�1�5�<�B�I�T�X�`�h����������������������������� ���0�<�C�K�o����������������� �9�@�J�u������������������ �v�|�������������������������� ���!�1�;�L�S�]�k�s�u�}���������������������������� ������������������������1�6�F�P�g�q�|����������������������"�.�3�9�A�L�X�a�j�o�}������������������������ �!�6�P�Z�k�}�����������������5�G�P�S�g�u������������������� � �%�/�7�?�J�_�k��������������������������5�8�N�W�f�p�z������������������������ ���2�>�y�����������������������������!�.�@�X�`�d�f�������������0�;�K�U�[�g�p�x�����������������&�@�K�]�g�s��������������"�2�C�R�^�k�����������������"�6�H�V�e�u�������������&�6�D�b���������������������)�=�L�_�n������������������� �6�D�J�W�d�n�z��������������������������!�(�3�8�D�J�X�`�n�v�y�|���������������������������$�/�9�l������������� ���B�w�{�������������#�Z�c���������������&�:�?�G�J�U�s�x���������������������������� �1�w�~������������������������������6�A�K�b�g�q�|������������������ ��!�)�5�=�P�Y�^�g�k�p�s�y�|�������������������������������� ��#�,�3�8�=�B�M�U�Z�_�c�f�q�u�|������������������������������ ���!��������������������������������������������freeget_intget_bytes@pointertcmapiternext:intklentcmapiterinit"failed to remove key '#{k}'"pointer_or_raisetcmapoutpointertcmapputclib[]=as_btreetcbdbget4get4release:nativeListabs_fwmkeyspreblenTokyoRufusas_fixedtcfdbrange2"max""min""tcf"Cabinet@other_dbtarget_pathcompact_copyto_xml@svgstr'fill-opacity'# light drawing # dark backdrop 'fill''#'require_nokogiriOptionalDepsfg_opacity"1.0"bg_opacity'#fff'fg'#000'bgrecolor<=>scorestopngramfreqeach_consfreqschar_freqget_array_of_uint64read_inttcidbsearch2out_list:pointerMemoryPointerout_countexpressionraise_errortcidbecode# if we have 'no record found' then return niltcidbgetlib"autocomplete_nested_content""_item"singularizechild_indexfields_for:item"autocomplete add-item"new_objectassociationautocomplete_to_add_item"Database does not support keys()"NotImplementedError"[min,max]"fwmkeys:prefixpref:fwmkeysaddcondTDBQCNOIDXTDBQCNEGATEOPERATORSFixnumno_indexaffirmativeoperatorcolname# Slice off only the bits we require, convert Bits to Numeric (Bignum)# Get 1's and 0'srandom_num_bin_strrandom_num8.0byte_lengthbitsget_random_number_with_bitlengthrandom_bytesbin2hexRbNaClget_random_number'lget failure'mgethhlgetparse_jsoncheck_response'200'# Response code error checkingrequest_uriGet:timeouthttps"#{BASE_URL}#{url}/""An Audience ID is required to retrieve the audience."NoAudienceID"audiences/#{id}"audienceAudienceaudience_json"projects/#{project_id}/audiences""A Project ID is required to retrieve audiences."audiences"A Variation ID is required to retrieve the variation."NoVariationID"variations/#{id}"variationVariationvariation_json"experiments/#{experiment_id}/variations""An Experiment ID is required to retrieve variations."variationsStat"An Experiment ID is required to retrieve the stats.""experiments/#{experiment_id}/stats"experiment_idstats"An Experiment ID is required to retrieve the experiment."NoExperimentID"experiments/#{id}"experimentExperimentresponse_json"projects/#{project_id}/experiments""A Project ID is required to retrieve experiments."project_idexperiments"A Project ID is required to retrieve the project."NoProjectIDOptimizelyError"projects/#{id}"Projectproject_json"projects"@projectsprojectsConverterGeoUnitsdp:dmsto_lat'T''P'@seconds"#{@seconds}S"@minutes"#{@minutes}M"@hours"#{@hours}H"@days"#{@days}D"@months"#{@months}M"@years"#{@years}Y"phrases_pathredirect_to'idioma.record_not_found'flash:not_foundrespond_toRecordNotFoundPhrase@phraseset_phrasedelete_phraseupdate_phraseRedisBackendi18n_valueredis_backendconfigurationIdiomaupdate_backend:get_channels_response:get_channelsget_channels:channel:get_channel_response:get_channelget_channel:remove_security_tokensremove_security_tokens:add_security_tokens'Security Tokens'add_security_tokens:create_channelsecurity_token_hash'SecurityToken''ChannelDescription''ChannelType'TYPESChannelIsbmAdaptorvalidate_inclusion_incapitalizechannel_type'Channel Type':post_response_response:post_response:RequestMessageIDpost_response:open_provider_request_session_response:open_provider_request_session:NamespaceName:NamespacePrefix:XPathNamespace:XPathExpression:ListenerURL:ChannelURI# Use Builder to generate XML body as we may have multiple Topic elements'XPath Expression'xpath_namespacesxpath_expression:remove_responseremove_response:read_response'RequestMessageID''Request Message Id'request_message_idread_response:expire_requestexpire_request:post_request_response:post_request'Topic'post_request:open_consumer_request_session_response:open_consumer_request_session'ListenerURL'listener_urlextract_message:read_publicationread_publication:pretty_print_xmldefault_savon_options"XML is not well formed: #{xml}""#{name} must not be blank""Values in #{name} must not be blank"'MessageID''SessionID':expire_publication'Message Id'message_idexpire_publication:message_id:post_publication_responsetarget!:post_publication:Expiry:Topic:MessageContent:SessionIDisbmXmlMarkupBuilder# Use Builder to generate XML body as we need to concatenate XML message contentvalidate_xml'Topics''Content''Session Id'expirysession_idpost_publication:session_id:open_publication_session_response'ChannelURI':open_publication_session'Channel URI'validate_presence_ofopen_sessionglue_block# TODO as helper? two block method call #join(collection, &item).with(&glue)itglue__send__remove_instance_variableinstance_variablesset_variables:line_numbersloc# Only show line numbers if its greater than 1clipCodeRaycr_scannerDateTimeexpires"Forever"span@@lifespans@lifespanlifespanhttpssl_timeoutDefaultTimeout# this blocks forever by default, lets be a bit less crazy.open_timeout# set some timeoutsuse_ssllicense_keyMaxmind'application/json''Content-Type'initheaderPost"https://#{hostname}/minfraud/chargeback"SERVERSquery_params'href'href'class'fullnamelast_date'datetime'first_date'data-fullname'processed'.modactionlisting tr'css"/r/#{subreddit}/about/log"get_modlog'/api/remove'spam'/api/distinguish'specialadminnoyeshows"yes"howdistinguish# Make the request# Delete subreddit and page from the hash, they dont belong in the query"%s/%s.json"# Build the basic urlget_listing'/blah/':link_id:subreddit'/r/'"%s/comments/%s%s.json"get_comments'/api/setflairenabled'enabledflair_toggle'/api/selectflair'template_idselect_flair_template'/api/flairtemplate'text_editable'USER_FLAIR'flair_template'/api/flaircsv.json'csvflair_csv'/api/flairconfig'link_flair_self_assign_enabledlink_flair_positionflair_self_assign_enabled'right'flair_positionflair_enabledflair_configflair_template_id'/api/deleteflairtemplate'delete_flair_template'/api/deleteflair'delete_user_flairflair_type'/api/clearflairtemplates'clear_flair_templates"/message/#{where}.json"mark"inbox"get_messagesdelete_messageconfirm'/api/delete_user'"deleted by script command"reasondelete_user"/api/me.json"meinfocookiesmodhash'/api/me.json''t2_'@username'modhash''set-cookie'set_cookies'errors'passwd:body"/api/login"log_inWebserverErrorunban_userremove_contributorunfriend_wrapperremove_moderator"banned"ban_user"contributor"add_contributor"moderator"add_moderator"/reddits/%s.json"get_reddits:condition"/reddits/mine/%s.json"my_reddits'/api/subscribe'"sub"stylesheet_contents'save''/api/subreddit_stylesheet'stylesheetset_stylesheetimg_name'/api/delete_sr_image'image_namedelete_image"No Gotchas Installed"text_field_taglabel_tag"gotcha_response[#{gotcha.class.name.to_s}-#{Digest::MD5.hexdigest(gotcha.class.down_transform(gotcha.answer))}]"randomGotcha:text_field_options:label_optionsgotcha# don't change @answer type@answercorrect?'/api/vote'vote'/api/submit'"link"srsubredditsubmit'json'@modhashuhthing_id'/api/comment'logged_in?comment"/user/%s%s.json"'overview'get_user_listing"friend"api_typeapi_note@useridapi_containerapi_namefriend_wrappernotefriend_idfriendlayout:forcedestination_filefile_localeViewview"Symlink #{to_path} => #{target}"unlink"On page `#{@file_path}`, the parent directories for alias name `#{to_path}` don't exist. Skipping alias."realpathto_pathfrom_pathlink_page_aliases@propsrender_assetsrender_content_files"CCPEVE.requestTrust(#{trust_url.inspect});"javascript_tagrequest_trust"CCPEVE.requestTrust(#{trust_url.inspect})":only_pathurl_for"http://#{request.host}/"trust_urllink_to_trust_request", #{source_id.inspect}""CCPEVE.showRouteTo(#{destination_id.inspect}"source_iddestination_idlink_to_routelink_to_function")"", #{item_id.inspect}""CCPEVE.showInfo(#{type_id.inspect}"functionitem_idlink_to_info"Unknown type: #{which}"3867'station''solarsystem''solar system''region''constellation''corporation'1377'character'16159'alliance'parent_for'%s''%s'anchor:href_base'%s%s''%s
  • ''%s<%s>'" ":indent_str:indentindentto_html:tagul"#{options[:href_base]}##{item.anchor}":hrefadd_child"li"create_elementdocumentlipopulate_nodeinner_textDocumentFragmentHTMLstrip_html_tags# spaces to dashes, preferred separator char everywhere\ # upper case characters in urls are confusingdowncase!# remove non-word characters (using unicode definition of a word char)/u# remove html entititiesgsub!nameizemenulast_menu_at_depth'locale'foreachhshVAR_FILE_MATCH_RESIMPLE_VAR_MATCH_RE@file_path@simple_pagevariable_files/m:markdown:textile# but is also cheap and fast :)# this is stupid, and chokes on nested headings.# pick the first non-heading paragraph.excerpt# grab first two paragraphs# eat empty lines'- '\wgets'UTF-8'type_from_pathfile_typepara2para1content_fileparse_headers"WARNING: page `#{page.path.join('/')}` has alias `#{alias_path_str}`, but this path is already taken by `#{path_hash[alias_path_str].path.join('/')}` (locale = #{locale})."Amberalias_path_stralias_pathaliasespath_hash@pages_by_locale_pathlocalesdefault_localeadd_aliases@pages_by_path@pages_by_nameadd_pagewrite_htaccessApacherender_short_path_symlinksshort_pathsrender_dirAssetRenderdstpages_dir@dir_listputcrender_to_file@page_listcolModelcolumns_hashformat_paragraphspace_numberparagraphessuper_print"Tasks #{self.class} executed in #{end_time} seconds. \n\n"end_time"Running #{self.class}[#{self.status.arguments}](#{self.status.direction})"direction_to_i"\t #{step_message}"status_processed?step_statusstep_messageDOWNstatus_completecurrent_statusUPis_runnable?:error_backtrace:error_class:error_messageMigrationErrorfailurelast_succesful_completiontime_itexecution_timecompleted?rerunnable_safe?# reset the status if the job is rerunnable and has already be completeddirectionDEFAULT_SYSTEMFinitio"schema.fio"data_system@childreninside?"Folder must be a descendant""Folder `#{folder}` does not exists"Path@folderNilClassff"Unable to resolve `#{url}` : no host resolver provided\nSee `Configuration#host=""#{config.host}#{url}"test_caseto_real_urlWebspicyeach_resource_file:each_resourceenum_forbleach_resourcefile_filterto_filter_proc"**/*.yml"folder_each_resource_file"&key=#{key}"MD5api_keyapp_api_keyWxpaycreate_sign_strparams_str"Schema read from #{path} is empty""Encountered an error reading JSON from #{path}"JSONErrorempty_schema?EmptySchemaError# TODO: validate this is legitimate JSON Schema:output_directoryOutputMapperraw_modelsReaderschema_pathclass_name_from_refREF_KEYresolve_reference_stringANY_OF_KEYany_of# handle a nested any of keyresolve_items_arrayITEMS_KEYresolve_array_refsgenerate_top_leve_arrayUnsupportedSchemaErrorgenerate_top_level_arrayARRAY_TYPEgenerate_objectOBJECT_TYPETYPE_KEYget_objectObjCMapperNidyx"objective-c""obj-c""objc"@col_names@csv_headerscolumnscols:light_yellow:cyan"#{prefix} #{'optional columns'.cyan}"optional_columnsoptionalRequiredColumnsMissingmissing"#{prefix} #{'required columns'.magenta}"required_columns@definition"#{filename.yellow}:"@found_columnsfind_columnsinstance_variable_get"@#{name}"define_singleton_method'content-length'head_requestfetch_http_fallback_identifierFileReader@temp_filescheck_columnsfilenamesfeed_definition# Add feed files of zip to the list of files to be processedcheck_optional_filescheck_required_files@found_filescheck_files:closeStandardException"Finished reading #{@source.url.green}"extract_to_tempfiles'gtfs'zip" Reading #{@source.url.green}"download_source@event_handlers"expected block or callable as the event handler"callableon_eventfetch_response_internal:to_symprotocol_timeoutfetch_responsesend_method@connerror_checkchannel_idsend_request'Failed to process file with FileMagic, Original Error: %{e}'":"ProcessingErrorCarrierWave:@content_type:content_type=MAGIC_MIMEFileMagicnew_content_typegeneric_content_type?set_magic_content_typeelement'User-Agent'@access_tokennormalize_date_params"Missing consumer_key or consumer_secret"ClientConfigurationError@consumer_secret@consumer_keyhttp_method'get''series'SleepSeries'/v2/sleep'sleep_series'weighed_at'attrsWeightMeasuremeasuresweight'getmeas''measuregrps'MeasurementGroup'/measure'body_measurementsuserid'getactivity''activities'WithingsSDK'/v2/measure'perform_requestuser_idactivities"#{property_name}="property_name# Clean up and symbolize all the keys then merge that with the existing propertiesmcModelsMetromodel_class# @TODO: this is another path that parallels the ModelFactorydrawer_hashsaveable_to_viewdrawnprepare_transition_fromprepare_transition_to_save_loadcurrent_actornew_actorload_from_previous_scene?find_all"Preparing to transition from scene #{self} to #{new_scene}"_prepare_transitionscene_or_scene_namedraw_completed?drawerbase_drawupdate_completed?updaterbase_updateregister_events_for_targetupdatersdrawersregistering_actoractor_factoryregister_actoron_complete_blockanimationregister_animations!"#{scene_actor.name}="actor_instancescene_actoractorsadd_actors_to_sceneon_completeOnUpdateOperationtickticksUnknownSenderscene_class_namescenes"Metro::MissingScene":missing_scenemissing_scenehash_with_missing_scene_defaultpost_filtersnew_sceneapply_post_filtersscene_namescenes_hashall_scenes_for:cell_html:headingpolymorphic_path# edit, other resource GET actionsconfirmation_message:confirmlink_titleflatten!compound_resourceresource"actions #{action.to_s}_link"html_classaction_link:edit:show:each# empty string; this suppresses unwanted output# Since this will likely be called with <%= %> (aka 'concat'), explicitly return an cellhead:action_prefix:actionsaction_cellsTableFieldorm_fields@table_fields# :yields: tablebodynext_scenetransition_tobluegreen:rectanglefinal_colorstarting_colorfirst_scenegenerateScenesscenecaptionfullscreen?Window@windowstart!define_controlbuttonstarget_eventEventRelayrelayadd_events_for_targetcscurrent_statebuild_animation_stepanimationsfinalafter_initialize'::'name_with_colonsmodel_namename_with_slashesmodels_hashall_models_for_fire_event_for_notificationnotification_actionssenderfire_events_for_notificationbutton_down?execute_block_for_targetheld_actionsfire_events_for_held_buttonscustom_notificationsnotification:do@mouse_movement_actionson_mouse_movementenqueueSceneAnimationanimation_group:context:actoractor_or_actor_nameanimatedefault_writersupported_writerswriter_matching_existing_parser@writerwriterevents_for_targetfound_eventsevents_for_targets# ActiveRecord::Relation:klass:html:tableTableBuilderinitialize_html_optionsdefault_class_fordefault_table_blockTabletastictable_for# remove link any answeres that have questions# Remove the link to any direct questionsquestions# Is a question# Same parent# If any questions existed directly following this question, insert after this answer:build_answer# Answers actually define how they're built off the parent node"Cannot mix answer types on question":remove_answer"Answer not linked to question"# Check if not match existing - throw error# Cannot mix answer types"::ActiveRecordSurvey::Node::Answer not passed""A survey must be passed if ActiveRecordSurvey::Node::Question is not yet added to a survey"# A survey must either be passed or already present in self.node_mapsremove_answerbuild_answerbecomes:mark_for_destructionanswer"No questions can follow when changing the question type"next_questionsupdate_question_typeedges# Build our first node-map# No node_maps exist yet from this questionquestion_node_maps"must inherit from ::ActiveRecordSurvey::Node::Question"build_first_question"MAXIMUM_LENGTH"# Child is one of us as well - include it and check its childrennum_below# Parent is one of us as well - include it and check its parentsnum_abovemax_rankmove_rightmove_downmove_leftmove_upnmsibling_indexmark_for_destructionmove_to_rootself_and_descendantsto_remove# not linked to a question - nothing to remove!remove_linkanswer_node_mapnext_question# Root already# Question is not the next parent - recurse!question# Ensure each parent node to this node (the goal here is to hit a question node) is validvalidate_node"MINIMUM_ANSWER"# Get all children until a childs node isn't an answerquestion_node_maptotal_answered# Go through the node_map of this node# Only makes sense for questions to have minimum answersquestion_node"MINIMUM_VALUE":nodes:baseis_validanswer_node# Detect infinite loopchildren_until_node_not_ancestor_ofancestors_until_node_not_ancestor_ofchild_node# Answered if has text# Answered if not empty and > 0instance_node_for_instanceis_answered_for_instance?# super - all validations on this node pass# Remap all of this nodes children to the parent# All the node_maps from this nodebefore_destroy_rebuild_node_map"Infinite loop detected"has_infinite_loop?# There is a path from Q -> A that is a loop# Ensure no infinite loops were createdfrom_node_map# Link unused node_maps to the new parentsrecursive_clone# We only want node maps that aren't linked somewhere# required due to voodoo - we want to use the same survey with the same object_idto_node_map# Ensure we can through each possible path of getting to this answer:node:surveyto_node_maps# Because we need something to clone - filter this further below"This node has already been linked"# Answer has already got a question - throw errormarked_for_destruction?from_node_maps"A survey is required before calling #build_link""to_node must inherit from ::ActiveRecordSurvey::Node::Question"# build_link only accepts a to_node that inherits from Questionbuild_link# If recursion reports back to have at least one valid path to root# This is the root node - we made it!# There is another level to traverse# Find the parent node ma# Start at each node_map of this nodeanswersQuestion# if ::ActiveRecordSurvey::Node::Question but no answers, so needs at least one vote directly on itselfAnswerActiveRecordSurvey# if ::ActiveRecordSurvey::Node::Answer but no votes, not a valid pathinstance_nodesinstance_node_path_to_root?# Hit top nodevalidate_parent_instance_nodenode_mapnode_mapssurveyparent_validations_passed# This is to validate Node::Question since they don't have instance_nodes directly to validate them# Recureses to the parent node to check# More complex....node_validationnode_validationsvalidations_passed# Check the validations on this node against the instance_node#self.node_validations(true)# Reloading in the spec seems to fix this... but... this could be a booby trap for others# Basically this cache is messed up? Why? TODO.instance_nodevalidate_instance_node:numeric:decimalcolumn_for_attribute@objectdb_type:textareatype_mappings\b:time_zonefield_nameinfer_type:skip_renderingrender_reportQueryReport@report@on_errorprocess_frame!:completeread_payload:maskread_mask_key:payload_lengthread_payload_length:headerpop_transactionpush_transactioneach_keyadapters"Illegal state for within: #{state}"'No block provided':commit:close_adapter:log_fatal_transaction_breakage:commit_adaptereach_adapter"Illegal state for commit without block: #{state}"rollbackbegin?withinrval"Illegal state for commit with block: #{state}"block_args"Unknown argument to #{self.class}#link: #{thing.inspect} (#{thing.class})"repositoriesModelRepository@adaptersAbstractAdapterAdaptersDataMapperthing"Illegal state for link: #{state}"none?thingsset_param"parameter #{name.to_s.dump} was not found in class #{self}"ParamNotFoundincluded_modulesancestors# add the parameter to the class params listnew_param# create the new parameter# define the writter instance methods for the parameter# define the reader instance methods for the parameter"#{name}?"# define the ? method, to determine if the parameter is set# define the writer class method for the parametermeta_def# define the reader class method for the parameterparameterInstanceParamClassParamParametersget_paramhas_param?to_instanceparameach_paramMSG<<-MSGinvalid_fts_filter'search''fts''value''category'values_atcategoryfiltersinvalid_fts_filtersDEFAULT_SUBDOMAINDEFAULT_ADAPTERDEFAULT_CONTENT_LOCALEDEFAULT_AUTO_PAGINATIONauto_paginationDEFAULT_BASIC_AUTHbasic_authDEFAULT_PASSWORDDEFAULT_LOGINDEFAULT_MIME_TYPEmime_typeDEFAULT_CONNECTION_OPTIONSconnection_optionsDEFAULT_SSLDEFAULT_SITEDEFAULT_ENDPOINTDEFAULT_OAUTH_TOKENDEFAULT_CLIENT_SECRETDEFAULT_CLIENT_IDreset!Arguments@argumentsnot_setarguments:basic_authprocess_basic_authcurrent_optionssetup"#{self.object["full_message"]}"full_message"message""field""attribute_human"attribute_human"attribute""model_human"model_human"model"request_manageradapter_finderInvalidRequestFormatExceptionvalid_format?InvalidRequestParamsExceptionSmartAdaptersvalid_params?Mashify:rawRaiseError'DEBUG'Responsecontent_localeContentLocalesubdomainSiteHeaderUserAgentbasic_authed?authenticationBasicAuthoauth_token?oauth_tokenUrlEncodedMultipartJsonRequestuse:with_attachmentsdefault_middleware:verify:ssl'login/oauth/access_token':token_url'login/oauth/authorize':authorize_urlsiteNimbu:siteclient_secretclient_idOAuth2@finalizerreferenceref_keyrkey@lockWeakRefRefError# Jruby implementation uses RefError while MRI uses WeakRef::RefError__getobj__@ref@@finalizerdefine_finalizerObjectSpace@@gc_flag_set@@strong_references@@lock#:nodoc:add_strong_referenceother_hashreferenced_object_id@references_to_keys_mapkeys_to_id@references'w'"sql_tracker-#{Process.pid}-#{Time.now.to_i}.json"root:rails_path:rails_version'1.0':format_version@started_at:started_at:generated_atwrap_textwrap_list"The child process exited!"ChildExited# the process has finishedEIO$stdoutspawnPTY'pty'eager:image:titleUICompatunify_tagtag_mapValuesRational$2REGEXP_RATIONAL'Z''+00:00'$7zone$6secondcapcaptures$~minutehourdaymonthREGEXP_TIMESTAMP'track''partofset'@chars:value:any:lengthanyaccess_tokenhandlehash_to_paramsfull_urlhttp_verb0xffff^@table@crcREVERSE_DATArevert_byteeach_byteadded_filesmodified_files@dangerfilefile_names"Code coverage under minimum of #{threshold}%"failcoverage:minimum_coverage_percentagethreshold# Notify failure if minimum coverage hasn't been reachedmarkdown# Send markdownmarkdown_valuereport_markdown# Create markdownreportoutput_reportReportprocess_report# Map and process reportparse_xccoveragereport_json# Parse .xccoverageManagermanager# Init projectIgnoreHandlerignore_handlerconvert_optionsavailable_optionsXcovConfigurationFastlaneCore# Init Xcov"fastlane_core""xcov""xcov is not available on this machine"xcov_available?# Check xcov availability, install it if neededproduce_reportrightboundsalign' of 'number_pagesb64_bytesb64_contentdraw_base64is_encryptedfont_sizedraw_sixwordstart_new_page# Sixword pagefill_color'000000'stroke_colorqr_modulesdraw_qr_codeadd_newlinedraw_headerdebug_draw_axes'Times-Roman'font# Header & QR code page'qr_code must be RQRCode::QRCode'QRCodeRQRCodebase64_bytesbase64_contentsixword_font_sizepassphrase_lenpassphrase_shasixword_bytessixword_linesqr_codedraw_paperbackuntilgenerate_randomuniqueblkgenerate_uniqueget_text"runReportResponse/reportId"elementspageSizeparamValueparamNamereportParamreportName'runReportRequest'report_paramsreport_name#it's zero indexedget_data_requestpage_num"numberOfPages"get_meta_data_request'report_date''DailyActivityReport'run_report_requestreport_id50page_sizetodaydaily'assets'stylesheets_sass_pathFind@siteStaticFileJekyllfile_nameasset_filesassets_pathENGINEstatic_filesThatOperatorsHasBeMatchersRSpecLebowski# matches to fail.# is a private method on Ruby objects and will cause the Be and Has# Note: Be sure that the symbol does not contain the word "test". test"Error packing #{val.inspect} as type #{self.name.inspect} -- #{e.class} -> #{e}"PackErrorvarray@pack_cbpack_valueclaim_value@unpack_cb"Expected #{self.sizeof} bytes, but only got #{raw.size} bytes"ReadErrorsizeof:readpredecessorsraw"required""*":spancontent_taghtml_safe:h@template# remove special options:required:for:coloncolonbuild_shell"#{object_name}_#{method}_1i":label_foryear:end_year1801:start_yeardate_selectincrperiodEXPIRED_STATUS"max_requests_count""time_period_seconds"@limitsexpireset@storagerequests_countOK_MESSAGESUCCESS_STATUSConstants"request_count:#{client_ip}"@ipclient_iphandles?@selectorslines_selector_for"1 D interpolation of type #{@opts[:type]} not supported"cubic_spline_interpolation:cubiclinear_interpolationfor_each:linearinterpolant@cli_facade:as"--as""Unknown Gem push method #{method.inspect}."PUSH_METHODSpush_commandwrapperpresenter_klass:to_arypresenterpresentview_contextapply_traits# Invoke the factory methodnew_job"TBD":_return_attributeswhatcrank_it"Oops, the #{invalid_item.class} created by the Factory has the following errors: #{errors}":messages:invalid?invalid_item"#{attribute}=":class:skip"git remote update""Remote repository '#{@remote_url}' of module '#{@module_info.local_path}' not found.""git clone --mirror #{@remote_url} #{git_path}""/config"git_path:sha1s:parentrevisionsnon_remote_revs# remote revs are where we stop traversal@module_helpers"uploading"each_module_parallel"git checkout -B #{branch}"get_upload_revisionsupload_modules"Uploading modules..."upload"could not delete temp dir: #{c}"600# this is especially a problem if the machine is at its limits # this could be due to Windows keeping the files locked for some time # retry to delete if it hasn't been deleted yet # mktmpdir returns value return by our block # return contents of yielded block "content""rim""git archive --format tar #{rev} #{path_args} | tar -C #{dir} -xf -"6000# use 6000 to be on the safe side # plus some "glue" characters, plus the last path item with 260 max; # up to 3 paths in execute, 1 path for tar, max path length 260 = 1040 # consider the following extra characters which will be added: # max command line length on Windows XP and higher is 8191 path_argsexport_rev"git show-ref"remote_branch_revs"git log -1 --format=#{value} #{rev} --"desired"git rev-list -n 1 #{rev} --""git ls-remote --heads"$1l"git branch"# can't calc checksum ChecksumAttributesupdate_filesort!# sort to eliminate platform specific glob behavior # order of files makes a difference # ignores defined by user # ignore the info file itself # Dir.glob with FNM_DOTMATCH might return . and .. # all files and directories within dir check_required_attributesmicalc_checksumpmmap_groupedOpenStructosdatumos_list'swap''anonymous''referenced''private_dirty''private_clean''shared_dirty''shared_clean''pss''rss''path''perms''addr'pmmap_ext"rim sync."get_parentis_ancestor?# make sure we deal only with sha1sancestor"Synchronizing #{m.module_info.local_path}..."execute_dirSyncModuleHelpermodule_info@module_infosmodule_helpers"No changes.""Changes have been commited to branch #{rim_branch}. Rebase to apply changes to workspace.""Changes have been commited to branch #{rim_branch} and workspace has been rebased successfully.""git rebase #{rim_branch}""git push #{remote_url} #{rim_branch}:#{rim_branch}"uncommited_changes?get_commit_message"git reset --soft #{branch_sha1}"sync_modules"git checkout -B #{rim_branch} -f remotes/origin/#{rim_branch}"# git checkout will report the file with the new name as untracked and will fail# if a file's name changes case between the current head and the checkout target,# this is a workaround for a name case problem on windows:# this is safe since we removed any untracked files before.# use -f here to prevent git checkout from checking for untracked files which might be overwritten. "git clean -xdf""git reset --hard"tmp_session"Cloning workspace git..."".ws"tmpdir"Folder for temporary git repositories: #{@rim_path}""file://"remote_url"git branch -f #{rim_branch} #{rev}"has_ancestor?has_branch?get_latest_clean_path_revisionget_latest_remote_revisionremote_rev"refs/heads/#{branch}""The current git branch '#{branch}' is a rim integration branch. Please switch to a non rim branch to proceed.""Not on a git branch."changed_modulesbranch_sha1"rim/"rim_branchcurrent_branch# get the name of the current workspace branchrebase# never dirty "#{temp_dir}/#{rel_path}"from_dir"#{d}/#{RimInfo::InfoFileName}"# first "non-relevant", do the full check rev_status_fast# no parents, need to do a full check ModuleStatusbase_modws# check out all modules to be checked at once module_statscheck_dirs# a module needs to be checked if any of the files within were touched :addedkind# build list of modules in this commit changed_filesbase_stat# just make sure to use the same commit when checking for changed files # note that it's not really important, which one we choose # we decide to use the first commit (git primary parent) # if this is a merge commit with multiple parents parent_stats# build status for all parent nodes parent_revsstatus_cachefs_rim_dirsfs_status".riminfo""git ls-tree -r --name-only #{rev}"mod_statgit_revRevStatusbuild_module_statusrel_pathwithin_exported_rev# (e.g. 1.0s instead of 1.5s on linux for a commit with 20 modules) # to exporting each module separately # this makes status calculation significantly faster compared # export all relevant modules at once mod_statsmodule_dirsmod_dirsrev_status:fastbuild_rev_history_status# make sure we deal only with sha1s all_reachable_non_remote_revs# remote revs are where we stop traversal "git rev-list #{rev} --not --all --"# in gerrit mode, stop on all known commits :gerrit"git rev-list #{rev} \"^#{stop_rev}\""relevant_revs:stop_revstop_revrev_history_statussrc_path".git/**/*"prepare_empty_folder# have source files now. Now clear destination folder and copyInfoFileName"/**/*"find_matching_filesFileHelpertmp_module_dir"git archive --format tar #{src_sha1} #{@module_info.local_path} | tar -C #{tmp_dir} -xf -"tmp_dirdest_dirfrom_sRimInfo"git show #{sha1}:#{File.join(@module_info.local_path, RimInfo::InfoFileName)}""git tag rim-#{sha1} refs/heads/#{branch}"# create tag"git commit -F #{msg_file.path}"'message'msg_file"git add --all"# add before commit because the path can be below a not yet added pathdirty?RevisionInfo"git show -s --format=%B #{src_sha1}""rim-#{src_sha1}"rev_module_statusStatusBuildermodule_status:rev_infos:parent_sha1:branchesrevision_sha1get_riminfo_for_revisionunshifttarget_revisiondest_sha1get_revision_infostepdest_parent_sha1dest_sessionsrc_session"No changes to module #{@module_info.local_path}.""Commited changes for module #{@module_info.local_path} to remote branch #{push_branch}.""git branch -D #{local_branch}""git checkout --detach #{local_branch}""git push #{@remote_url} #{local_branch}:#{push_branch}"remote_branch_format@reviewpush_branchrev_sha1# Finally we're done. Push the changes"There are commits for module #{@module_info.local_path} on multiple target revisions (#{infos.branches.join(", ")}).""The target revision '#{@module_info.target_revision}' of module #{@module_info.local_path} is not a branch. No push can be performed."RimExceptioncommit_changesignoresrim_infocopy_revision_filessrc_sha1create_update_branchrev_inforev_infoshas_remote_branch?branchesget_branches_and_revision_infossrc@ws_rootdest_pathsubdir@module_infoinfosremote_branchlocal_branchdestgit_sessionRIM@remote_pathmodule_tmp_git_pathclone_or_fetch_repositorytmp_git_path# search for the first revision that is not fetch_moduleremote_pathsha1sparent_sha1upload_module_changes"unknown process exit status"RuntimeError# should never happenexitstatusexited?# integer exit(2) system call has been called with# process exited using exit(2) system call; return thetermsigsignaled?$?# that signal# process exited due to a signal; return the integer of# WNOHANG was used, pid is still running# can't determine its exit status code.# In both cases we'll eventually return nil as we# - pid never existed in the first place# we keep polling until it's gone# - pid is not a child of Process.pid in which case# This has two meanings:ECHILDEINTRretpid0.0001WNOHANGwaitcall0.04"when waiting for (pid=#{pid})"stop_atdelaycheck_timeoutwait_pid# the given pid is invalid.RangeError# EPERM clearly means there's a process to deny access toEPERM# No such processESRCHkill# a process with id 0.# If we get here it means this UNIX platform *does* have# calling process>> so we don't want to go any further.# it refers to < '#{j.to_s}'"' 'jfind_fieldSegmentX12# Force parsing a segment "#{ind}#{i.name} [#{count}]: #{i.to_s.sub(/^(.{30})(.*?)(.{30})$/, '\1...\3')}"#puts "#{ind}#{i.name} #{i.object_id} #{i.super.object_id} [#{count}]: #{i.parsed_str} #{i.super.class}" indsnooze"Failed to connect: #{ex}. Retrying in #{sleep_seconds.round(1)} seconds."# But never sleep less than base_sleep_seconds# Randomize to a random value in the range sleep_seconds/2 .. sleep_secondsminsleep_seconds# But, it never exceeds max_sleep_seconds.# The sleep time is an exponentially-increasing function of base_sleep_seconds.ETIMEDOUTENETDOWNEHOSTUNREACHattempts# Let's do this thing# 5 minutes300max_sleep_secondsbase_sleep_secondswith_retries:interval'Could not connect to any nsqlookupd instances in discovery loop'# leave our current nsqd connections alone and try again later.# We can't connect to any nsqlookupds. That's okay, we'll justDiscoveryExceptiondrop_and_add_connectionsnsqds_from_lookupdnsqds:nsqlookupdsDiscovery@discovery@discovery_threaddiscover_repeatedly"Error during discovery for #{lookupd}: #{e}""#{producer['broadcast_address']}:#{producer['tcp_port']}"'data'# v1.0.0-compat'producers'producersHTTP'/nodes'"&topic=#{URI.escape(topic)}"'/lookup'"ts=#{Time.now.to_i}""#{uri_scheme}#{lookupd}"%r('http://'uri_schemelookupdget_nsqdsadd_to_keychainAccountManagerFirimscarddel#delete alias with 0 keyssrem#do it only if it is existing object!destroy_aliases!Hashrto_boolvalue_parse"%Y-%m-%d":date"%Y.%m.%d %H:%M:%S":timeYajldumpMarshal:marshal:symbol:bool:float:integervalue_transformvalue_to_redisstore_keysnew_instancesymbolize_keys!hgetallsmembersalias_keynew_by_keyvalid_key?# when argument is integer - search by idget_by_alias_keyget_by_alias\*#is key specified directly? -> no needs of looking for other keys! -> fastersearch_keyoutHashWithIndifferentAccess#normalize input hash of arguments"Unknown dynamic alias: '#{alias_name}', use: #{redis_alias_config.keys.join(", ")} "#check if asked dynamic alias existsfind_by_alias"Sorry, but you cannot use as redis key [nonexisting | array | hash] fields: [#{bad_fields.join(",")}], availible are: #{valid_fields.join(", ")}"bad_fieldsvalid_fields:autoincrementvalid_item_for_redis_key?generate_alias_keyalias_exists?existsredisDatabaseRedisModelExtensionredis_save_fields_with_nil_confreject_nil_values:main_fieldsredis_aliasesredis_key_config@required_configrequiredTYPE_TRANSLATIONSvalid_alias_key?redis_alias_keyalias_nameredis_alias_config:aliases#store alias keysgenerate_key:keyredis_old_keys#store main keyto_argstore_redis_keyscreate_class_alias_method#create alias methods for find and get (find_by_name, get_by_name)args_fieldorder_field#add specification of dynamic alias@redis_alias_config:hashredis_fields_configredis_field#set fields if they are not allready set!name_of_field_for_argsname_of_field_for_ordermain_fieldsredis_aliasVALID_NORMALIZATIONS"Please provide valid normalization: #{VALID_NORMALIZATIONS.join(", ")}"@redis_key_normalize_confmetricsredis_key_normalize:true:presence# then prevent to save it# if any of fields in redis key is nil# automaticaly add all fields from key to validationredis_user_field_configremove_redis_autoincrement_key#own specification of redis key - delete autoincrementvalidate_redis_key@redis_key_configfieldsredis_key"Screen warning: #{e}"ScreenErrorFatalScreenError# default to before post-process screensafter_post_process_screens:after_post_processscreens:before_post_processtimingexecute_screens"Invalid dependency type: #{dependency.class}""Executing dependency: #{f}"'.ctl'"Executing dependencies"execute_dependencies"Post-processing complete"post_processors"Post-processing #{control.file}""Executing post processes"say_on_own_linepost_process"Pre-processing complete"pre_processors"Pre-processing #{control.file}"pre_processsave!'completed''completed with errors'completed_atexecute'executing':batch_filecreate!ExecutionEngine"Processing batch #{batch.file}"BatchETLprocess_batchhandlererror_handlerscontroltrack_error"over #{(distance_in_minutes / 525960).round} years"'about 1 year'1051919525960"#{(distance_in_minutes / 43200).round} months"525959'about 1 month'8639943200"#{(distance_in_minutes / 1440).round} days"431992880'1 day'28791440"about #{(distance_in_minutes.to_f / 60.0).round} hours"143990'about 1 hour'8945"#{distance_in_minutes} minutes"5940'half a minute'39'less than 20 seconds'19'less than 10 seconds''less than 5 seconds''1 minute''less than a minute'include_secondsapproximate_distance_of_time_in_words"#{distance_in_seconds} seconds""#{distance_in_minutes} minutes, ""#{distance_in_hours} hours, ""#{distance_in_days} days,"distance_in_secondsdistance_in_minutesdistance_in_hoursdistance_in_daysseconds:to_timeto_timefrom_timedistance_of_time_in_words_slugs_changed?compare:fetchoriginal# ensure we check for changes only between the same localepersisted?_slugs_changepersisted_with_slug_changes?_slugs_slugs_translationsnew_record?# to a default# We need to check if slugs are present for the locale without falling backnew_with_slugs?apply_slugtarget_localeall_localeslocaleI18norig_localelocalized?build_slug'^FD'# Add the field# Increment the variable field countadd_fieldCode39Barbypdf_dpibounding_boxlabel_widthlabel_heightbar_code_stringdraw_bar_code_39barcode_default_heightbarcode_default_width_ratiobarcode_default_module_width'^BY'reset_barcode_fields_to_default# draw_rectangle(x * pdf_dpi, y * pdf_dpi, height * pdf_dpi, width * pdf_dpi)',1^FS''^GB'draw_border'^LH'home_position# label_width# size: Integer(options[:height] * pdf_dpi) if label_height &&# Integer(options[:height] / 10) * pdf_dpi],# Integer(y * pdf_dpi) -# at: [Integer(x * pdf_dpi), Integer(label_width * pdf_dpi) -# pdf.text_box '{Variable Field ' + variable_fields_count.to_s + '}',# return unless label_height > 0 && label_width > 0'^FS''^FN':width:height'^A0B,''^A0N,':landscape:orientationprinter_dpi'^FO'label_datavariable_fields_count# update the variable field count0.1numeric?variable_text_fieldcontroller_pathrepresents_options:represent_withrepresenter_for# Underscoreize (because Cocaine doesn't like hyphens)key_name# Symbolizesanitize_keys!old_namemanipulate_keys!banned?remove_banned_block:remove_banned@banned_keysbanned_keysOptionsmergedquoted"--#{paramized_key} :#{key}""--no-#{paramized_key}"'false'"--#{paramized_key}"'true'paramized_keyeach_paramized_keysanitize_keysoptions_to_commandsinformationrunner_optionsRunnerYoutubeDLset_information_from_json'url cannot be empty''url cannot be nil'downloadnotify_notification_update:g_object_unrefAutoPointerFFI@notificationicon_pathnotify_notification_newraw_ptr"notify_init failed"app_namenotify_initshow!"#{key}="apply_optionslpushzremunlockreturn_or_yieldepoch_fgrabbed_keyzaddlpopavailable_keyblpop@redisensure_exists_and_release_stale_locks!:changeablescope_optionsupdate_params"You can update only to #{scope_params} on this scope"InvalidOperationDynamicScaffoldvalid_for_scope?permitunderscoremodelpermit_paramsextract_parameters:carrierwave_imagetype?permitting# set the parameters of carrierwave_image at the end for validates.# rubocop:disable Metrics/AbcSizeupdate_values# Convert "key:1,code:foo" to {key: "1", code: "foo"}# Stop support multiple pkey, on this commit.# https://github.com/gomo/dynamic_scaffold/pull/9/commits/ff5de0e38b3544347e82539c45ffd2efaf3410dapkeypkey_string_to_hashdynamic_scaffoldscope_params"pic_#{i}"attribute"//draw:frame[@draw:name]"avoid_duplicate_image_namesfixture_namecreate_fixture_readerreaderload_setupload_pluginSparkEngineexit!"\nspark_engine watcher stopped. Have a nice day!""SIGINT"trap'listen'watchthr@threadsdispatch# Filter out partialsasset_globfind_filesasset_extextadd_files')'convert_to_sass_value'('make_map# Remove temp dir@cwdaction_logpublicRakefileconfig.ruapp"#{@gem_temp}/#{gem}/site"## Copy Rails plugin filessite_pathengine_copysecure'site'@gem'config'database.ymlstorage.ymlcable.yml'app'viewsjobschannelsassetsmodelsmailers%w(remove# light-weight Rails documentation site# Remove files and directories that are unnecessary for the"FAILED: Please be sure you have the rails gem installed with `gem install rails`"abort"rails plugin new #{gem} --mountable --dummy-path=site --skip-test-unit"capture3Open3@gem_tempengine_scaffoldDropdownLinkDropdownsForms@actionsColumn@columnstitlesortable_linksortable?translatetranslate_headers_by_modelInternationalization@nameheader_nametranslate_headers_by_active_recordtranslate_headers_by_defaults_active_recordtranslate_headers_by_defaultsdefaults@column:turbolinksdata_turbolinks# To turbolinksdata_actiondata_controlleradd_html_data:delete:targetdata_target# To stimulusjscomponent_html_data:tapAlertBodyNotificationsNavComponentnav:promptprompt:include_blankinclude_blank:disableddisabled:multiplemultiplecomponent_html_optionscapture"self"htmlCardImageimageCardListGrouplist_groupCardFooter@footerfooterCardBodyBoxes@items:parent_collapseparent_collapse:collapse:[]collapseis_tapinherit_optionsasAs@storeinject_urllink_todate_formatdata_indexcoltd_contentListBody@bodyListHeaderComponentsListsCoreUiUiBibzhtml_optionsheaderpack_file_entitypostpone_dirpostpone_symlink# ignore bad entitiesentitypack_symbolic_link_entity:abs_pathlinked_pathpath_exists?link@lpack_symlinkspack_current_dirnext_dircdhas_dir?pack_entitiesreset_stateentities_fromEntityentities'a*':undef:replace:invalid'Shift_JIS'encode!'?'\uff5e:shift_jis:utf8@estring_to_bytesmtime'/*''\\\\\0'\]\[\\@current_dirsubdir_entitiessym"One of the following options is required: #{opt}, #{opt.required_unless.join(', ')}"fail_msgrequired_unless@resultsrequired?"The option #{opt} is required"NoRequiredOption@optspost_processing@symbols_used"The option #{opt.to_sym} is already used !"OptBase"The option is not an OptBase, #{opt.class} supplied"check_optionwritable?"'#{path}' is not writable"check_writableprint_misspelledmisspelled_on_linemisspelled# spell check each line separately so we can report error locations properly"Checking #{file}..."check_file# override the global values by the local if presentuniq!"dictionary"CUSTOM_SPELL_CONFIG_FILEcustom_configGLOBAL_SPELL_CONFIG_FILE@config" #{duplicate}"duplicate"(#{CUSTOM_SPELL_CONFIG_FILE}):\n""Warning: Found dictionary duplicates in the local dictionary "duplicatesdict2dict1report_duplicatesload_file"yaml"verbose"Loading config file (#{file})..."read_spell_config"ignore""check"files_to_check"html""mode"set_option# ignore the HTML tags in the textNORMALsuggestion_mode"en_US"Aspell# initialize aspell"ERROR: Ruby gem \"raspell\" is not installed."LoadError"raspell"require# raspell is an optional dependency, handle the missing case nicely@spellerspeller".cpp"".swift"".mm"".m"".c"suffixsvalid_source_file?# Treat a file as resource file unless confirm it can be compiled."#{target.name}:#{file.name}"uuid_with_nameXcodeproj".h"seed_namesfile_referencestarget_namesseed_name# name of seeds going to be added to the targetaddings# name of seeds going to be removed from the targetreal_pathfiles_references# remove zombie build filesNoMethodErrorresources_build_phaseresource_phase# support resources phasesources_build_phasephasetargetsconfigure_phase"Seeds"root_pathred"Removing #{name} (#{self.locks[name].version})"seedslocksremovingsremove_seedsPBXBuildFilebuild_fileavoid_duplicatesfile_refadd_file_reference_with_uuidinclude_in_index'.framework'# customize `FileReferencesFactory.configure_defaults_for_file_reference`set_last_known_file_typeset_path_with_source_treeGroupableHelperPBXFileReferenceref# customize `FileReferencesFactory.new_file_reference`:groupsource_treenew_reference_with_uuidinitialize_defaultsconst_getObjectuuidnew_with_uuidsoap_headerssoap_headerauthentication_handlerauthenticate!group!groupinstance_execarity`"no block given"time"}"SEEK_CURseekcreate_id"{"@datareplace"chainIdV1""chainId"chain_idget_meta_datameta_data88block_numbervalid_until_block30_000quotatransfer# make requests with Net::HTTPdefault_adapter# form-encode POST params:url_encoded"application/json"faradayFaradayrpc_paramsDEFAULT_IDDEFAULT_PARAMSDEFAULT_JSONRPCjsonrpcscheme@scheme@porthost@host@urlparse_urlsend_transactionTransaction_output_typesprivate_keysend_funcdecode_abire"H*"remove_hex_prefix"result""latest"call_rpc@rpcrespfunction_data_with_otoutput_types# rubocop:disable Naming/UncommunicativeMethodParamNametxcall_funcbuildEntities@headers# Do we have a collection of objects?response_bodynative_representation_ofload_from_linksErrorResponseCollectionWpApiClient"_embedded"@resourceobjectspositionrelationshipload_relation"unknown temp backing #{temp.inspect}":repack_using_io:memrepack_using_iobinmode'ole-repack'Tempfilerepacksbat_startSmall@sbat:sizefirst_block:first_blockRangesIOResizeable@sb_file# which mode to use here?# hmm. nor do i write it. it means what exactly again?# FIXME i don't currently use @header.num_sbat which i should"#{unused} unused directories":idxunused#Log.warn "root name was #{@root.name.inspect}" unless @root.name == 'Root Entry'# like some kind of UTF16 snafu, but scottwillson also has had some kanji...# fairly common one appears to be "R" (from office OS X?) which smells# silence this warning by default, its not really important (issue #5).type_idreject!@rootprev"directory #{d.inspect} used twice"FormatErrorchildEOTto_tree# was thinking of moving this to Dirent.to_tree instead.# similarly with the blocks of the file.# check that everything is visited at least, and at most once# links are stored in some kind of balanced binary tree# now reorder from flat into a treeDirent:each_chunkdirent_start@dirents# directory entries. semantics changed - used to cut at first dir where dir.type == 0# get block chain for directories, read it, then split it into chunks and load thenum_bat# am i using num_bat in the right way?blocksnum_mbatmbat_startmbat_block'V*'SIZEbbat_chainBigAllocationTable@bbat# create an empty bbat.Header@header512header_block@io# what happens to the 109 fat entries. are there more/less entries?# we always read 512 for the header block. if the block size ends up being different,' : ''...''output'event_context'client''source''notification''check'@eventtrim_atevent_summaryt2t1nlsolveIrrHelperfuncirrcashflowcashflowsdiscountnpvnext_guessnewton_iter1e-6tolerancyguess0.10rate_guessfacttemppmtend_or_beginningfvpvnperperrateipmtarray?name?content?xmlupdate_xmlinheritvalidates# this is usually done in the super-sucky #setup method."#{property}="model_for_property# the class for the finder could either be infered from the record or set in the validator instance itself in the call to ::validates.# the class? it would be way easier to pass #validate a hash of attributes and get back an errors hash.# here is the thing: why does AM::UniquenessValidator require a filled-out record to work properly? also, why do we need to setpropertyform:page@queryfetch_allpagelistto_jsonfrom_json'Resource not found'bodysingular_resource"#{@type.Resource}/#{id}"RestClientTopologyNode'//ZonePlayers/ZonePlayer'xpath"http://#{@first_device_ip}:#{Sonos::PORT}/status/topology"doctopology:address@first_device_ip"ST"@timeoutfirst_only'urn:schemas-upnp-org:device:ZonePlayer:1'servicesearchConsumerSSDPdiscover@topologyrescanslaveparty_overfind_party_masterspeakersnew_masterparty_modeVERIFY_NONEverify_mode# Verify Peer certificate"#connect SSL handshake failure with '#{address.to_s}': #{exception.class}: #{exception.message}""SSL handshake Timed out after #{timeout} seconds trying to connect to #{address.to_s}"sync_closehost_namehostnameSSLSocketssl_socketsslset_paramsSSLContextssl_contextssl_connect"#write Connection failure while writing to '#{address.to_s}': #{exception.class}: #{exception.message}""Timed out after #{timeout} seconds trying to write to #{address}"WriteTimeout"#write Timeout after #{timeout} seconds"bytesliceEWOULDBLOCKwrite_nonblocktotal_count"#connect Connection failure connecting to '#{address.to_s}': #{exception.class}: #{exception.message}"SystemCallError"Timed out after #{timeout} seconds trying to connect to #{address}"NonBlockingTimeout# Connection was successful.EISCONNconnect_nonblocknon_blockingdeadline# Timeout of -1 means wait forever for a connectionip_addresspack_sockaddr_inSocketsocket_addresssocket_connectalive?"IOError when attempting to close socket: #{exception.class}: #{exception.message}"IOError@address@socketclosed?socket# With trace level also log the received datasocket_read'#read'bytesread_timeoutclose_on_errorsocket_write'#write'benchmark_debugtrace?:data# With trace level also log the sent datawrite_timeoutaddressbenchmark_error"#connect Failed to connect to any of #{servers.join(',')} after #{retries} retries. #{exception.class}: #{exception.message}"connect_retry_interval"#connect Failed to connect to any of #{servers.join(',')}. Sleeping:#{connect_retry_interval}s. Retry: #{retries}"connect_retry_countreconnect_on_errors# Retry-able?ConnectionTimeoutConnectionFailure:logger1000"Connected to #{address}"connect_to_server# Number of times to tryCOMMON_SEGMENTSseg# Find the last segment not in common segments, fall back to the last segment.reverse!parse_service_name'TOKEN'bearer_tokenbase_urlStreaming'https''streaming_api''urls'attributesinstancestream_urisetup_streamingaccountmentionssensitive?hide_mediaspoiler_textspoilervisibilityreply_idmentionrun_reply:account:mentions@mention_data"@#{@mention_data[:account].acct} #{text}"postreply@on_follow'follow'@on_fave'favourite'@on_boost'reblog'@on_replystore_mention_data@strip_html:strip:contentmodule_eval# this makes it so .content calls strip instead 'mention'NotificationMastodon@streamerrun_interactactually_post:rulesexpand_and_post'#default#'reply_with_mentionsboton_reply'reply'# if we have a reply rule file# go ahead and makes a default mention-handler"#{dir_path}/#{file}"createGrammar# read the rule file into the files hash# skip our current and parent dir@grammar"Provided path not a directory"dir_pathsetup_tracerylocked_at"id = ? and locked_by = ?""locked_at = ?"# Simply resume and update the locked_at# We already own this job, this may happen if the job queue crashes."id = ? and (locked_at is null or locked_at < ?)""locked_at = ?, locked_by = ?"update_all# We don't own this job so we will update the locked_by name and the locked_atlocked_byaffected_rowsdb_time_nowworker_nameworkermax_run_timelock_exclusively!remaining_widthmessage_length\n\rsanitized_message:stopped:doneshow# reenable cursor if it is turned offclear_lineflush"#{characters_in}#{data}"column# write only to terminaltty?clear_firstuprowslines_upnext_row@row@first_renderCURSOR_LOCKmove_to_rowpadoutpadded":#{token}"tokendecorate@formatterformatteddisplay_columnsinsetline_insetcharacters_in@multibarhideCursorTTYhide_cursor"#{name}="@configurationelemiterEnumeratorprogress_enumcollectioniteratefinishsample:to_hash:progressemitdone?tokensprogressadvance@meter@tokens@start_at@stopped@done@last_render_width@last_render_time@currentfrequency@render_periodno_width@width6wdaycurrent_day_numberDAYS_INTO_WEEKstart_day_numberbeginning_of_weekDatestart_daydays_to_week_start:secondsparts@parts===DurationothersuperclasssignalsMetaQt@klassall_signalsget_signalsversion_filechecksum_validatortmp_save_dirdownload_dirremove_entryremove_instance_dir!stopclean!collection_optionswith_collectiondownconfig_optionsdownconfig'zk':zupconfig_optionszkhost:zkhostupconfig"create"exists?:persist# short-circuit if we're using persisted data with an existing core/collection"Not started yet"retriableRetriable:dir:d:config_name:n:ccreate_optionshexSecureRandomcreate'restart'started?restartafter_startpoll_interval# Wait for solr to startcloudport'start'managed?extract_and_configureattrmail_attributesmail_form_attributesdeliverdeliver_now:deliver_nowcontactNotifierMailFormmailer"The captcha field #{field} was supposed to be blank"ScriptErrordevelopment?Railsmail_captchaspam?AltField"Unknown ref_field: #{ref_field}"@fields_by_nameref_fieldalt_fieldregister_field_by_numberregister_field_by_nameField"the FIT file.""Session references lap #{i} which is not contained in "'num_laps is not set'@num_laps'first_lap_index is not set'@first_lap_indexactivityPersonalRecords'personal_records'HeartRateZones'heart_rate_zones'HRV@hrv'hrv''record''lap'@lap_counter@cur_session_lapscreate_new_lap# Ensure that all previous records have been assigned to a lap.:sport:timestamplap_field_values# Copy selected fields from section to lap.@cur_lap_records'session'EventPhysiologicalMetrics'physiological_metrics'UserProfile'user_profile'UserData'user_data'DataSources'data_sources'SensorSettings'sensor_settings'DeviceInfo'device_info'FileCreator'file_creator'EPO_Data@epo_data'epo_data'DeveloperDataId'developer_data_id'FieldDescription'field_description'FileId'file_id'field_valuesrecord_typenew_fit_data_record@personal_records@physiological_metrics@user_profiles@data_sources@developer_data_ids@field_descriptions@file_creator@file_idid_mapper3.5metmax@user_data# is same value as VO2max.# Then check the user_data entries for a metmax entry. METmax * 3.5'vo2max'# First check the event log for a vo2max reporting event.vo2max# is not added to the total.# last_* values so that the distance covered while being stopped# If a stop event was found for this record timestamp we clear theGeoMathFit4Rubyposition_longlongposition_latlat# neiboring coordinates.# Iterate over all the records and accumlate the distances between thelast_longlast_lat# the total distance purely on the GPS coordinates found in the records.# button was pressed. This introduces a slight inaccurcy when computing# with it. The GPS location of the first record is not where the start# The first record of a FIT file can already have a distance associated'stop_all'event_type'timer'event@events# Generate a list of all timestamps where the timer was stopped.timer_stopstotal_gps_distance@heart_rate_zones# lap# If we have heart rate zone records, there should be one for eachlap@laps# Laps must have a consecutively growing message index.delete_if"Discarding #{invalid_records.length} earlier records"# Delete all the broken records from the @records Array.# All broken records have been found.# criteria. But this workaround works for now.# Maybe the two successive time start events are a better# records to the FIT file for runs that it meant to discard.# This is just an approximation. It looks like the app addsridownto# Index of the list record to be discarded."(#{r.distance}) than an earlier record (#{distance}).""Record #{r.timestamp} has smaller distance "# problem and discard the earlier records.# produces such broken FIT files. So we just warn about this# broken. Unfortunately, the Skiing/Boarding app in the Fenix3# Normally this should be a fatal error as the FIT file is clearly"Record has earlier timestamp than previous record""Record has no timestamp"invalid_records'1989-12-31'# Records must have consecutively growing timestamps and distances."FIT file.""#{@sessions.length} session records were found in the ""Activity record requires #{@num_sessions}, but "@sessions@num_sessions@sensor_settingswith_index"Activity must have at least one device_info section"@device_infos"Activity has no valid total_timer_time"@total_timer_time"Activity has no valid timestamp"'1990-01-01T00:00:00+00:00'@timestamp"Unsupported FIT file type #{type}"Metrics'metrics'44Monitoring_B'monitoring_b'32@typeActivity'activity'"#{@top_level_record.class}""FIT file type has already been set to "@top_level_recordset_type"Cannot open log file: #{e.message}"$stderr@@logger'device info record 0 must have a serial number set'@serial_number'device info record 0 must have a product field set'@product'field set''device info record 0 must have a garman_product '@garmin_product'garmin''device info record 0 must have a manufacturer field set'@manufacturer'device info record must have a device_index'@device_index"_#{@developer_data_index}_#{@field_name}"@field_definition_numberfield@units:unit@array:array@offset:offset@scale:scale"fit_base_type_id #{@fit_base_type_id} is too large"FIT_TYPE_DEFS0x7F@fit_base_type_id"Developer data index #{@developer_data_index} is too large"developer_data_idstop_level_record@developer_data_index"message number #{@native_mesg_num}""Developer field description references unknown global "@native_mesg_numGlobalFitMessagesgfmdeveloper_fit_messagesfit_entitycreate_global_definition# Just save the timestamp of the current record.60# thinking here?# That's just a guess. Who knows what the Garmin engineers were# record is one minute after the previously found timestamp.# timestamp_16 value set. We assume that the timestamp of this# We have a previous timestamp and found the first record with a# We are still looking for the offset.timestamp# to 'offset + timestamp_16'# We have already found the offset. Adjust all timestamps according# In case of a wrap-around we adjust the ts_16_offset accordingly.# Detect timestamp_16 wrap-arounds. timestamp_16 is a 16 bit value.timestamp_16@monitorings# surrounding timestamp values.# to be included in the file. However, it can be approximated using the# value seems to be in seconds, but the 0 value reference does not seem# current_activity_type_intensity values with an activity type of 6. The# the 4 byte timestamp field for monitoring records that have# The timestamp_16 is a 2 byte time stamp value that is used instead oflast_ts_16ts_16_offsetlast_timestampcheckglobal_messageget_localEntrylast_useupto# No more free slots. We have to find the least recently used one.@entriesslotadd_globalwrite_paragraphwrite_paragraph_justified:justifiedwrite_breaking:shadowdraw_markup_rel:border:right:centerrel:text:effect_alpha:effect_size:effect_color:effect:mode:y:xeffect_alphaeffect_sizeeffect_coloreffectwrite_line/=*=b2g2r2b10xff00g116>>r1255visiblewstateb_colorbottom0xccccccover_color@on_changedold@buttonstoggle@max_h@open"#{@value}/#{@max_value}""#{(@value.to_f / @max_value * 100).round}%"'%'@formatrect_r@fg_colorrect@retroretrotileable@fg_pathImageGosu@fg_margin_y@fg_margin_xx0@max_value@valuew2w1@fg@bg_color@bgcursor_color@cursor_img@cursor_visibledraw_quadG@selection_colorselection_colorimg@disabled_img0x808080disabled_colormap!d_yd_xset_position@params@on_text_changedset_cursor_visible@anchor2@anchor1@cur_nodetext_widthchar@nodes@max_lengthtrigger_changedtextdraw_text@text_y@text_xdraw_text_rel@fontrel_yrel_x@center_y@center_x@text@scale_y@scale_x@disabled_text_color@text_color@over_text_color@down_text_colortext_color# :down_outclick:down_out:down:over:up@statebutton_released?mouse_rel:leftbutton_pressed?mouse_press@h@wover?Mousemouse_over@visible@enabled:vert:horizwidthcamdraw_rot@img:map:z_index:flip:angle:color:alpha:scale_y:scale_xz_indexflipangle0xffffffcolor0xffalphascale_yscale_xdraw@index_index@img_index@anim_counter@animate_once_interval@animate_once_indices@animate_once_controlintervalanimate_onceis_in_map@inverse_square_size# divides by the square size to find the position in the matrixget_isometric_position# Gets the position transformed to isometric coordinatesscr_yscr_xget_map_pos@x_offset@cammap_ymap_xget_screen_pos0.5avg@isometric@size@tile_sizeget_absolute_size180PIrads@speedMathdistance@yy_d@xx_dVectorspeedaimmove_freeScriptTag:controller:find_current_company_details:find_current_user_detailspresent?:user_detailsSCRIPT_TAG_HELPER_CALLED_INSTANCE_VARIABLEIntercomRailsinstance_variable_setcontrolleruser_detailsintercom_script_tag# reached the EOF# nil means EOFset_exceptiondeq@records@thread_exceptionnext_recordquery_usersrolesgrant_rolesset_password# Change other user's password by user admin.# Change own password.hash_passwordINVALID_USERchange_passwordAdminCommanddefault_admin_policyAdminPolicydrop_userthread_finishedcancelSCAN_TERMINATED_EXCEPTIONScanCommand:scanrecord_queue_sizeRecordsetrecordsetmax_retriesnew_policy# copy on write for policy# Retry policy must be one-shot for scans.# @cluster.WaitUntillMigrationIsFinished(policy.timeout)# TODO: implement# wait until all migrations are finisheddefault_scan_policyScanPolicybin_namesscan_node"Drop index failed: #{response}"'FAIL:201'# Index did not previously exist. Return without error.";indexname=#{index_name}""sindex-delete:ns=#{namespace}"drop_index"Create index failed: #{response}"INDEX_GENERIC# Index has already been created. Do not need to poll for completion.'FAIL:200'IndexTask# Return task that could optionally be polled for completion.'OK'send_info_command# Send index command to one node. That node will distribute the command to other nodes.";priority=normal"";indexdata=#{bin_name},#{index_type.to_s.upcase}"";indextype=#{collection_type.to_s.upcase}"";indexname=#{index_name};numbins=1"";set=#{set_name}""sindex-create:ns=#{namespace}"collection_typeindex_typeindex_nameset_namenamespacecreate_indexExecuteTaskQueryCommandabort_on_exception# Use a thread per nodeset_aggregate_function# TODO: wait until all migrations are finished"Executing UDF failed because cluster is empty."SERVER_NOT_AVAILABLEdefault_query_policyQueryPolicyfunction_argsfunction_namestatementexecute_udf_on_query'type''hash''filename''='UDFudf','udf_partsstrip!udf_info'udf-list'list_udfSERVER_ERRORResultCodeUdfRemoveTask'ok'# Send command to one node. That node will distribute it to other nodes."udf-remove:filename=#{udf_name};"udf_nameremove_udfUdfRegisterTask"Registration failed: #{res['error']}\nFile: #{res['file']}\nLine: #{res['line']}\nMessage: #{res['message']}"CommandRejected'error'"="pair';'valsresrequest_inforesponse_map# Send UDF to one node. That node will distribute the UDF to other nodes."content-len=#{content.length};udf-type=#{language};""udf-put:filename=#{server_path};content=#{content};"str_cmd'binary'strict_encode64default_info_policylanguageserver_pathudf_bodyregister_udfBatchIndexExistsCommandexecute_batch_index_commandsBatchDirectExistsCommandbatchexecute_batch_direct_commandsgenerate_mapBatchItemkey_mapuse_batch_directdefault_batch_policyBatchPolicybatch_existsrecordReadHeaderCommanddefault_read_policyPolicyget_headerexecute_commandPREPENDhash_to_binsWriteCommanddefault_write_policyWritePolicycreate_policyprependfind_node_by_namenode_nameget_node_by_nameInvalidNodeactive?abs@node_index# Must handle concurrency with other non-tending threads, so node_index is consistent.node_array# Must copy array reference for copy on write semantics to work.random_node@nodeRecordbytes_to_particleparticle_bytes_size'utf-8'force_encodingname_sizeparticle_typeordread_int32op_sizeread_bytesvalid?expirationop_countparse_recordconnected?poll@connectionsloop'DONE''IN PROGRESS'QueryTerminatedExceptions'ABORTED''job_status='# don't return on first check"job_id=#{@task_id}:"put_connectionInforesponseMapget_connectiondone@cluster'query-list''scan-list'@scanall_nodes_done?242322# Initialize timeout. It will be written later.18ttl14write_uint32# clear the result code13# unused12durable_deleteINFO2_DURABLE_DELETECOMMIT_MASTERCommitLevelcommit_levelINFO3_COMMIT_MASTERINFO2_GENERATION_GTEXPECT_GEN_GTINFO2_GENERATIONEXPECT_GEN_EQUALNONEGenerationPolicygeneration_policyINFO2_CREATE_ONLYCREATE_ONLYINFO3_REPLACE_ONLYREPLACE_ONLYINFO3_CREATE_OR_REPLACEREPLACEINFO3_UPDATE_ONLYUPDATE_ONLYUPDATERecordExistsActionrecord_exists_actioninfo_attrgeneration# Set flags.MSG_TOTAL_HEADER_SIZE@data_offset2826write_int16succ11109# Message heade.length.MSG_REMAINING_HEADER_SIZEwrite_byte@data_buffer# Write all header data except total size which must be written last.CONSISTENCY_ALLConsistencyLevelconsistency_levelINFO1_CONSISTENCY_ALLoperation_countwrite_operation_for_operationestimate_operation_size_for_operation# read_attr |= _INFO1_READ | _INFO1_NOBINDATAREAD_HEADERbin_nameINFO1_GET_ALL# Read all bins if no bin is specified.|=op_typeread_headerwrite_attrread_attroperationsset_operateREADwrite_operation_for_bin_name#command.set_read(INFO1_READ | _INFO1_NOBINDATA);# TODO: Fix this on server.# The workaround is to request a non-existent bin.# The server does not currently return record header data with _INFO1_NOBINDATA attribute set.estimate_operation_size_for_bin_nameset_read_headerINFO1_NOBINDATAINFO1_READwrite_headerset_existsTOUCHAerospikewrite_operation_for_operation_typeestimate_operation_sizeset_touchINFO2_DELETEset_deleteend_cmdwrite_operation_for_binwrite_keyINFO2_WRITEwrite_header_with_policysize_bufferestimate_operation_size_for_binestimate_key_sizefield_countbegin_cmdbinspolicyset_write" && ""(#{c})"'default'# Jump back out into the context of the last window.:commands"tab#{tabs.keys.size}":tabstabstabwindow_hash@_windowsextract_options!"window#{@_windows.keys.size}"windowrun_context@_contextcommands"$#{group_nbr}"group_nbr'$'group_idxreplacement# No replacement defined, just return correct match groupinterpolate# Check if there is any replacement specifiedfrom_pattern_matchprocto_proc:to_astargargs_astto_astFunctionNotFoundErrorinstance_of?withalready_wrapped?Functionfetched[]# for compatibility with Rubinius:initializeModuleinstance_methodspublic_methodsimport_allimport_methodsmethodsRegistrytoimport_method100Random'REX_SIMULATE_EXIT'fail_exitcode'REX_SIMULATE_FAIL_CHANCE'fail_chanceexit_coderun_started?'Error initializing command'exec# that the session is inactive# wait for the channel to finish so that we know at the endread_string'exit-signal'# on signal: sending the signal value (such as 'TERM')read_longpublish_exit_status'exit-status'on_request# standard exit of the command'stderr'on_extended_datafilter_password?'stdout'publish_dataon_datarequest_ptychannelopen_channel@user_method@started'Async command already in progress'run_asyncpush'attributes'# JASIG style extra attributeselement_children# There are no child elements'proxies'TextXMLNokogiriparse_user_infoqvquery_valuesremove_paramsmerge_optionsdeep_merge_options'!'super'to_ary'optsmethmethod_missingevalreceiver:methodreceiver_str:args@wait_intervalwait@conn_adapterlock@queues@running"lock_job":job"work":atlog_yieldQClock_jobjobwork@flor_model_cache_datato_blobStorage'consumed''active':status'count'decrementto_procedure_nodeon_error_parentNodendlookup_on_error_parent'cnid'cndomain'vdomain'loaderpnid'vars''nodes'exe:nid@valuesnidreloadROW_PSEUDO_POINTS':'popoints@serierow_waiter?'routed''original_tasker''tasker'@messagedup_and_mergeroute# dump notification above#puts on_do_run_exc(exc)on_do_run_exc80'-'object_id@threadshutdownaliveexid:to_h@trapstrapsconsumedmessagesexecutionto_pretty_s'wb'"(dumping to #{fn})""#{self.class}#do_run()"'.dump''_'counter'r''env''flor'fn# TODO eventually, have a dump dirclear'size'make_end_messagenotifyhookerlog_run_endtstampFlorduconsumeput_executionCLOSING_POINTSclosing_messages@execution@aliveput_messagesstorage# keep track of "out" messages, messages to other executions'omsgs'counter_add# qui est "in", qui est "out"?@exid'exid'mmpartitionomsims@consumedprocessms# handle 'terminated' messages last'terminated''point'@messages@shutdown77'exe_max_messages'conft0'runs'counter_nextlog_run_start@unitdo_runvar_match'nid'vars'exclude_vars'ev'include_vars'expand_filteriv# default behaviour, don't pass variables to taskersexclude_varsinclude_vars# try to return before a potentially costly call to executor.vars(nid)tconfexecutorgather_vars"\n ""\n ""\n\n Did you mean? "correctionsmessage_forCALLER_REGEXPshort_namestackextract_file_and_lineoriginal_exception:original_exceptioncontinued_exception:continued_exceptioncause:causeMAX_EXCEPTIONS_TO_UNWRAPexexceptions# With thanks to https://github.com/bugsnag/bugsnag-ruby/blob/6348306e44323eee347896843d16c690cd7c4362/lib/bugsnag/notification.rb#L81each_exception:merge%i["#{message} -- #{result}"# Add result of block as message or payload if not nil:backtrace# Java::JavaLang::ClassCastException.new.is_a?(Exception) => false# Under JRuby a java exception is not a Ruby Exception# Exception being logged?backtrace_level_index# On exception change the log level"Invalid value:#{log_exception.inspect} for argument :log_exception"# Log the message without the exception that was raised"#{message} -- Exception: #{exception.class}: #{exception.message}""#{message} -- #{payload}"# Except if there is an exception when it will always be logged# Elastic logging: Log when :duration exceeds :min_durationdimensions:fullprocessorcall_subscribersLogger# Compatibility with ::Logger# Ignores filter, silence, payloadmeasure_method:on_exception_levelon_exception_level:partial:log_exceptionlog_exception:metric_amount:min_durationmin_duration# May return false due to elastic logging# Extract options after block completes so that block can modify any of the options'Mandatory block missing when :duration option is not supplied':duration1_000.0duration# Must use ensure block otherwise a `return` in the yield above will skip the log entrysilence# In case someone accidentally sets `silence: true` instead of `silence: :error`:silencesilence_levelCLOCK_MONOTONICclock_gettime# Single parameter is a hashshould_log?# Log level may change during assign due to :on_exception_levelassign_positional:metric:exception:payload:message# Check if someone just logged a hash payload instead of meaning to call semantic loggershould_logexceptionlog_internal@filterpush_tags:empty?:to_snew_tags# Need to flatten and reject empties to support calls from Rails 4fast_tagnamed_tagged# Allow named tags to be passed into the loggertaggedfiltered?assign# Maybe log_backtrace: true# TODO: Keep backtrace instead of transforming into a text message at this point:semantic_logger_named_tagsnamed_tags:semantic_logger_tagstagsthread_nameextract_backtraceUtilsmeets_log_level?Logmetric_amountmetricpayload'Backtrace:'threadbacktracemeasure_internallevel_indexLevelsmeasureProcessorSemanticLogger'All appenders re-opened'"Failed to re-open appender: #{appender.inspect}"exc"Reopening appender: #{appender.name}"trace:reopenappenderreopenextract_nonceciphertextenciphered_message@boxcipher_textgenerate_noncenoncebox"Invalid authenticator provided, message is corrupt"BadAuthenticatorErrorverify_message"Provided authenticator"verifycompute_authenticatortag_bytesauthenticatorauthBINARYEncodingencoding"strings must use BINARY encoding (got #{string.encoding})"EncodingError:to_str"can't convert #{string.class} into String with #to_str"TypeError"#{Description} was #{string.bytesize} bytes (Expected more than 0)"to_str_descriptioncheck_hmac_keycheck_string_validationcheck_string"#{description} was #{string.bytesize} bytes (Expected #{length.to_int})"to_int"#{description} was nil (Expected #{length.to_int})"# nil can't be converted to str with #to_str method# code below is runs only in test casesstringcheck_length"String too long for zero-padding to #{n} bytes"LengthErrorbytesizelennzero_pad"/v1/events""data"@version"create_event""discovery""data must be provided""type must be provided"create_eventaccept_json"POST"methodrequesturl_encodeUtil"/v1/acoustic_customizations/%s/audio/%s"method_url"allow_overwrite""add_audio""V1""speech_to_text"get_sdk_headersCommonsdk_headers"Content-Type""Contained-Content-Type"headers"audio_resource must be provided""audio_name must be provided""customization_id must be provided"content_typeallow_overwritecontained_content_typeaudio_resourceaudio_namecustomization_idadd_audiocoerced_type"Argument must be a dense tensor: #{value}, expected size #{s} got #{value.size}"expected_shapecheck_if_densePlaceholderplaceholderSessionprofile_enabledlog_device_placementImmediateExecutorConcurrentthread_pool_classevaluator__v_scope_nameregister_name"#{default_name}_#{index}"new_namestart_with?used_namessame_names# uniquenifierVariableScope:tensor_stream_variable_scopereusedefault_namevariable_scopeset_inputFloat:stringi_varcommon_optionsadd_optrainableinitializervariableadd_nodegiven_nameinfer_constis_constset_data_typeinfer_shapeInferShapenew_opadd_variableget_variable_scopepreparevar_optionsvar_shape:data_typeVariable:container:attrsnew_var@graph:inputsop_defSymbolsafe_loadYAMLserialized_ops:default_device"ts_graph_#{object_id}"currentdevice_namedeviceTensorShape:constinputsconst_opcontainer:variable_v2get_tensor_by_namenode_keyget_stringYamloutput_bufferuniqconsumers:assignoperationOperationSetremove_nodes# collect all assign ops and remove them from the graphrestoreSaverTrainsaverload_from_stringYamlLoadercurrent_graphas_default"model.yaml"model_filecheckpoint_foldersessionconvert:zeroszeros:top_ksortedtop_k:tanhtanh:tantan:sumaxis_p:sub:sinsin:sigmoidsigmoid:shapeshape_full_specified"Shape/#{input.name}_c""Shape/#{name}"shape_evalconstantout_type:rsqrtrsqrt:roundround:rankknown?ndimsconsrank:range"range"deltalimitrandom_uniform:prodcast_axisscalar?prod:powpow:modmod:floor:coscos:ceil:argmaxINTEGER_TYPESNUMERIC_TYPESOpsoutput_typedimensionargmax:addapply_data_type_coercionidxptr2remaped# remap based on permfloordivptrmultiplierssdivisors:*arr_sizepermnew_shapenew_arrtranspose_with_permcompact"incompatible tensor shapes used during op"zduplicated# upgrade rank of Aswitchvector2vectorvector_oprow_to_dupget_rankshiftdimsbroadcast_dimensionsadd_op!get_default_graphGraphi_op:caseTensor"Invalid argment or option #{k}"functionspredicates:strictstrict:exclusiveexclusivedefaultunstack"unpack"numunpack:stack"pack":gatherindices:pad"CONSTANT"paddingstensorpad:expexp:log:sqrtsqrt:secsec:printprint:cast:atanatan:acosacos:asinFLOATING_POINT_TYPEScheck_allowed_typesasin:wherefalse_ttrue_tcondition:dynamic_partitionnum_partitionspartitions:concat"concat":meankeepdimsaxisinput_tensorreduce_mean:logical_andcheck_data_typesinput_binput_alogical_and:onesones:sliceinputslice:random_uniformmaxvalminvalrandom_uniform_initializer:glorot_uniform->Initializerglorot_uniform_initializerdata_type:eyenum_columnsnum_rowseye:random_standard_normalseed1.0stddev0.0mean:float32dtyperandom_normaladd_node!derivativeMathGradientsderivative_ops"gradient_wrt_#{x.name}"get_nodenode_added?tensor_programgraphtensor_graph"grad_#{tensor_ys.name}_#{x.name}_#{stops}"gradient_program_name"_"stopscollect:opgsopstop_gradients"gradients"wrt_xstensor_ysgradients:assert_equal_opsummarizeassert_equalevaluate_linesreadlinestreof?"r"pbfileloadparams_shape# to avoid data motion.# It's important that we compute params[0].shape on the right devicefully_defined?element_shape_d# Compute the dynamic element shape.merge_withelement_shape_sdynamic_stitchret# for the counterpart if transform_fn is not proveded.# the transform and hence must be co-located. See below# If transform_fn is provided, the clip_by_norm precedespidspartitioned_resultpindicesdynamic_partitiongather_ids:int32cast"Unrecognized partition strategy: ""not yet supported!""div"floor_divnew_idsp_assignmentsrangeoriginal_indicesreshapeflat_idsidentitygather_clipcolocate_withshape"ids"convert_to_tensornp"embedding_lookup"name_scope"Need at least one param"ValueErrorTensorStreamtransform_fn_embedding_lookup_and_transformmax_normvalidate_indices"mod"partition_strategyidsembedding_lookupcaller'process.notice_signal'instrumentmonitorsignalnotice_signalproducerexternal_options:topicoutgoingtopic_mapperAppmapped_topic# @note By default will not change topic (if default mapper used)# We map this topic name, so it will match namespaced/etc topic in Kafkadata_elementsdeliver!InvalidResponderMessageOptionsErrormessage_datamessages_seteach_valueoptions_schemavalidate_options!errorsInvalidResponderUsageErrorErrorssuccess?ResponderUsageSchemasKarafkaregisteredTopicRespondersusageused_topicsmessages_bufferusage_countto_htopicsregistered_topicsvalidate_usage!'\1'' ''#"<>[]'location_filter# This indicates a malformed entry# Some intermediate key returned a null value# Some intermediate key does not existhas_key?# Initial runread_valueclose_Interrupt"Channel error: #{e}. Retrying in 1 sec"PreconditionFailedAccessRefusedNotFound"Could not authenticate as #{conn.username}"PossibleAuthenticationFailureError"Connection to #{config(:amqp_host)} failed. Retrying in 1 sec"TCPConnectionFaileddelivery_tagacknowledge:beforedelivery_info:manual_ack:blocksubscribe:routing_keybindq:auto_delete:durable:amqp_exchangetopic"Queue connection to #{config(:amqp_host)} succeeded":amqp_prefetchprefetch"Queue setting prefetch to #{config(:amqp_prefetch)}"create_channelch:amqp_password:password:amqp_username:username:amqp_port:port:amqp_host:hostBunnyconnstopped:afterackqueuequeue_client"No such user: #{@options[:user]}"getpwnamEtc"Option --user (-u) can only be specified by root"uidProcess:user"Cannot find file #{options[:config]}""No config file in default location (#{Dir.pwd}). You need to specify the #{:config} parameter. Read the documentation on how to create a config.yaml file."die"config.yaml"validate'u''Unique name for this command. Will appear in logs.':uniq'l''Number or requests to leave on any provided account (in reqs/hour)':req_limit't''GitHub OAuth token':token'a''IP address to use for performing requests':addr'v''verbose mode':verbose'config.yaml':default'c':short'config.yaml file location':configoptEND<<-ENDbannerprepare_optionsTrollopprocess_options# default_branch field was added to the schema# The currently stored repo entry has been created before the'default_branch''master'"https://api.github.com/repos/#{parent_owner}/#{parent_repo}/compare/#{parent_branch}...#{owner}:#{branch}"cmp_urlparent_branchbranch"#{owner}/#{repo}"'repo.name'"Added event for repository #{owner}/#{repo} -> #{e['type']}-#{e['id']}":events"Repository event #{owner}/#{repo} -> #{e['type']}-#{e['id']} already exists"get_event"repos/#{owner}/#{repo}/events"get_repo_eventsrepo_bound_itemwatcherretrieve_watcher:desc"repos/#{user}/#{repo}/stargazers"repo_bound_itemsretrieve_orgorgs"users/#{user}/orgs"restricted_page_request"repos/#{user}/#{repo}/commits?sha=#{sha}""repos/#{user}/#{repo}/commits""Commit #{user}/#{repo} -> #{sha} exists""Added commit #{user}/#{repo} -> #{sha}"'patch''files''trim':commit_handling# commit patches are big and not always interestingapi_request"repos/#{user}/#{repo}/commits/#{sha}"ghurl"#{sha}"internADAPTERSdriversettingsadapterremove_methodlocal_portlocal_hostoriginal_openconn_portconn_addressdefine_methodRUBY_VERSION:open:original_openalias_methodTCPSocketipattach_toexitsleep"Sleeping for #{to_sleep - slept} seconds"sleptThread"Request limit reached, reset in: #{to_sleep} secs"to_sleep@req_limit# No idea how many requests are available on this key. Sleep if we have run out# The exact limit is only enforced upon the first @reseterror_msg# Server error or HTTP conditions that Github does not report"Repo was taken down (DMCA)"# DMCA takedown451"Unauthorised request with token: #{@token}"# Unauthorized401request_error_msg# Unprocessable entity422# Conflict -- returned on gets of empty repos409# Not found404# Forbidden403# Bad request400# The following indicate valid Github return codes'x-ratelimit-reset'@reset'x-ratelimit-remaining'@remaining"Successful request. URL: #{url}, Remaining: #{@remaining}, Total: #{total} ms"media_type# Add the etag to the response only for individual entitiesjson\"'page'queryCGInum_pages86400at'last-modified'etag_request_error_message'304'"Successful etag request. URL: #{url}, Etag: #{etag}, Remaining: #{@remaining}, Total: #{Time.now.to_ms - ts.to_ms} ms"do_requestetaglast_updated'next'parse_request_result'last'parse_linkslinks'link'api_request_rawensure_max_per_page:mirror_history_pages_backpagespaged_api_request:debug:warn:errorretrieve_callerfatalloggerrmsg"Commit #{user}/#{repo} -> #{c['sha']} exists""Added commit #{user}/#{repo} -> #{c['sha']} ":committer_id:author_id"Could not find repo #{user}/#{repo} for storing commit #{c['sha']}"'committer'commitercommit_userauthorGC"Transaction failed (#{total} ms)""Transaction committed (#{total} ms)"to_ms:num_retries@retry_on_error:retry_on:repeatable:isolation:reraise:rollbackstart_timepersister"Issue label #{name} to issue #{owner}/#{repo} -> #{issue_id} exists""Added issue_label #{name} to issue #{owner}/#{repo} -> #{issue_id}":label_idissue_lbl"Could not find repo label #{owner}/#{repo} -> #{name}""Could not find issue #{owner}/#{repo} -> #{issue_id} to assign label #{name}"ensure_issue_labelretrieve_issue_labels'issue_id''repo_labels''label_id''issue_labels':issue_labelsissue_labels"Could not find issue #{owner}/#{repo} -> #{issue_id} for retrieving labels""Added repo_label #{owner}/#{repo} -> #{name}""Could not retrieve repo_label #{owner}/#{repo} -> #{name}"retrieve_repo_labellabel"Could not find #{owner}/#{repo} for retrieving label #{name}"ensure_repo_labelretrieve_repo_labels:repo_labelsrepo_labels"Could not find #{owner}/#{repo} for retrieving issue labels"ensure_labels"Issue comment #{issue_comment_str} exists""Added issue_comment #{issue_comment_str}""Could not retrieve issue_comment #{issue_comment_str}"retrieve_issue_commentcurcomment"#{owner}/#{repo} -> #{issue_id}/#{comment_id}"issue_comment_str"Could not find issue #{owner}/#{repo} -> #{issue_id} for retrieving comment #{comment_id}"comment_idensure_issue_comment:issue_commentsretrieve_issue_comments"Could not find issue #{owner}/#{repo} -> #{issue_id} for retrieving issue comments""Could not find repository #{owner}/#{repo} for retrieving issue comments for issue #{issue_id}"pull_req_id"Issue event #{owner}/#{repo} -> #{issue_id}/#{issue_event_str} exists""Added issue_event #{owner}/#{repo} -> #{issue_id}/#{issue_event_str}":action_specificdesc"Updated #{owner}/#{repo} -> #{issue[:id]}, assignee -> #{actor[:id]}"update_assignee'assigned'"closed""merged""referenced"'event'action_specific"Could not find issue_event_actor #{owner}/#{repo} -> #{issue_id}/#{issue_event_str}"'actor'"Could not retrieve issue_event #{owner}/#{repo} -> #{issue_id}/#{issue_event_str}"retrieve_issue_eventcurevent"#{owner}/#{repo} -> #{issue_id}/#{event_id}"issue_event_str"Could not find issue #{owner}/#{repo} -> #{issue_id} for retrieving event #{event_id}"event_idensure_issue_event:event_id:issue_eventsretrieve_issue_events"Could not find issue #{owner}/#{repo} -> #{issue_id} for retrieving events"issue"Could not find repository #{owner}/#{repo} for retrieving events for issue #{issue_id}"ensure_issue_labelsensure_issue_commentsensure_issue_events"Updated issue #{owner}/#{repo}->#{issue_id} as pull request""Issue #{owner}/#{repo}->#{issue_id} exists""Added issue #{owner}/#{repo} -> #{issue_id}":pull_request:reporter_id:assignee_id'assignee'assignee'user'reporter"Issue #{owner}/#{repo}->#{issue_id} is a pull request"'patch_url''pull_request'pull_req# Pull requests and issues share the same issue_id"Could not retrieve issue #{owner}/#{repo} -> #{issue_id}"retrieve_issuecur_issue"Could not find repo #{owner}/#{repo} for retrieving issue #{issue_id}"repositorylabelseventsissue_idensure_issue:issue_idretrieve_issuesraw_issues:repo_id:issuesissues"Could not find repo #{owner}/#{repo} for retrieving issues"ensure_issues"Added fork #{fork_owner}/#{fork_name} of #{owner}/#{repo}""Could not add #{fork_owner}/#{fork_name} as fork of #{owner}/#{repo}"fork_owner'/'fork_name"Could not retrieve fork #{owner}/#{repo} -> #{fork_id}"retrieve_forkfork_idensure_forkforked_repo_nameforked_repo_ownerretrieve_forks'forked_from'existing_forks"Could not find repo #{owner}/#{repo} for retrieving forks"ensure_forks'full_name''base''repo''head'pr_has_head_reporeqpr_is_intra_branch"Updated pull request (#{id}) event (#{act}) timestamp #{ts}, actor -> #{user[:login]}""Pull request (#{id}) event (#{act}) by (#{actor}) timestamp #{ts} exists""Added pullreq_event (#{id}) -> (#{act}) by (#{actor}) timestamp #{ts}":actor_id3:action:pull_request_id'merged''opened'entry:pull_request_historypull_req_historyactoractensure_pull_request_historyensure_pull_request'number':pullreq_id:base_repo_id:pull_requestspull_reqsretrieve_pull_requestsraw_pull_reqs"Could not find repo #{owner}/#{repo} for retrieving pull requests"refreshensure_pull_requestsensure_watcherretrieve_watchers'repo_id''watchers':watcherswatchers"Could not find repo #{owner}/#{repo} for retrieving watchers"ensure_watchersensure_commit_comment:comment_idnot_savedretrieve_commit_commentscommit_comments:commit_commentsstored_commentscommit_idretrieve_org_members"User #{organization} is not an organization"'ORG'# Not an organization, don't go ahead'org':type"Participation #{organization} -> #{user} exists""Added participation #{organization} -> #{user}":org_idparticipates:organization_membersorg_members"Could not find organization #{organization}"ensure_orgorgmembersorganizationensure_participationoretrieve_orgsensure_orgs"Repo #{owner}/#{repo} was forked at #{parent[:login]}/#{parent[:name]}:#{forked_sha}""Fork commit for #{owner}/#{repo} is #{forked_sha}";forked_commit'merge_base_commit'# This means that the fork has not diverged.forked_sha# https://github.com/gousiosg/github-mirror/compare/master...pombredanne:master# and select the latest of them.# Make sure that all likely fork points exist for the parent projectlikely_fork_point# example: https://api.github.com/repos/btakita/pain-point/compare/master...spent:master# this means that the repo was forked from the from the parent repo's initial commit. thus, they both share an initial commit.'date''author'sort_byearliest_diverging# would be prohibetively slow if the commits for the parent did not exist.# and select the earliest one. We do date sort instead of graph walking as this# diff contains a list of divergent commits. We are sorting those by date# commit graph for the earliest commit that is shared with the parent. GitHub's# This means that the fork has diverged, and we need to search through the fork'ahead_by'"Fork #{owner}/#{repo} is #{diff['ahead_by']} commits ahead and #{diff['behind_by']} commits behind #{parent[:login]}/#{parent[:name]}""No common ancestor between #{parent[:login]}/#{parent[:name]} and #{owner}/#{repo}"# example: https://github.com/openzipkin/zipkin/compare/master...aa1wi:master# This can apparently happen when the parent repo was renamed or force-pushed# This means that the are no common ancestors between the repos# Try a bit harder by refreshing the default branchretrieve_master_branch_diffdiff# Retrieve diff between parent and fork master branchdefault_branch"Unknown parent for repo #{owner}/#{repo}"'owner_id''projects':forked_commit_id# Return commit if already specified"Repo #{owner}/#{repo} is not a fork"fork"Finished copying commits from #{parent_owner}/#{parent_repo} -> #{owner}/#{repo}: #{copied} total""Could not copy commit #{c[:sha]} #{parent_owner}/#{parent_repo} -> #{owner}/#{repo} : #{e.message}"StandardError"Copied commit #{c[:sha]} #{parent_owner}/#{parent_repo} -> #{owner}/#{repo} (#{copied} total)"'commits.created_at < ?''project_id''commits''commit_id''project_commits':project_commitsto_copycopiedshared_commitinfor# This means we retrieved the last page again# This means that we retrieved no commitsretrieve_commitsfoundretrieve_default_branchmaster_branch"Retrieving commits for #{owner}/#{repo} until fork commit #{fork_commit[:sha]}"# Retrieve commits up to fork point (fork_commit strategy)"Retrieving commits for fork #{owner}/#{repo}: strategy is #{strategy}"fork_allensure_commits"Could not find fork commit for repo #{owner}/#{repo}. Retrieving all commits."fork_commit:none:fork_point:all/i:fork_commitsstrategy"Could not find repo #{parent_owner}/#{parent_repo}, parent of #{owner}/#{repo}""Could not find repo #{owner}/#{repo}"ensure_fork_commits"Added project_language #{owner}/#{repo} -> #{lang} (#{langs[lang]} bytes)":bytesdowncase:project_id:project_languageslang"Could not find languages for repo #{owner}/#{repo}"retrieve_languageslangsownerensure_languages"Added repo #{user}/#{repo}""Could retrieve #{user}/#{repo} recursively"ensure_repo_recursive"Could not find fork point for #{user}/#{repo}, fork of #{parent_owner}/#{parent_repo}"ensure_fork_point"Repo #{user}/#{repo} is a fork of #{parent_owner}/#{parent_repo}":forked_from"Could not find repo #{parent_owner}/#{parent_repo}, parent of: #{user}/#{repo}"parent_repoparent_owner'parent''etag':etag:updated_at'language':language254'description':description"Repo changed owner from #{curuser[:login]} to #{r['owner']['login']}"'owner'"Could not retrieve repo #{user}/#{repo}"retrieve_reporefresh_repo"Repo #{user}/#{repo} exists":owner_idcurrepo"Could not find user #{user}":projectsreposrecursive"User with email #{email} exists""User #{u['login']} with email #{email} exists""Added user #{u['login']} (#{email}) through search API query"'created_at':city:state:country_code:lat'email''company':company'name''location'locationgeolocategeoin_db"Added user fake #{login} -> #{email}":deleted:fakechr25rand65...login"Could not retrieve user #{email} through search API query"retrieve_user_byemailu:emailusrusersemailensure_user_byemail"Updated follower #{followed} -> #{follower}, created_at -> #{date(date_added)}"datefilter"Follower #{follower} for user #{followed} exists""Added follower #{follower} to #{followed}""Could not retrieve follower #{follower} for #{followed}"retrieve_user_followerretrieved:created_atmax:follower_id:user_idfollower_existsfollowed_idfollower_id"Could not find follower #{follower} or user #{followed}"orfollowed_userfollower_userdate_addedfollowerensure_user_follower'login'accreduceretrieve_user_followersall:login'user_id''users''follower_id''followers'qualify:users:followersfollowersensure_usercuruserfollowedensure_user_followers"Parent #{parent[:sha]} for commit #{this[:sha]} exists""Added commit_parent #{parent[:sha]} to commit #{this[:sha]}"insert:id:commit_id"Could not find #{url[4]}/#{url[5]} -> #{url[7]}, parent to commit #{this[:sha]}""Could not retrieve commit_parent #{url[4]}/#{url[5]} -> #{url[7]} to #{this[:sha]}"4'sha':shathis'url''parents':commit_parentsparents:commitscommitscommitensure_repo_commitensure_commit_comments'comment_count''commit'ensure_parentsstore_commitstored"Commit #{user}/#{repo} -> #{sha} does not exist"retrieve_commitensure_repocommentsuserrepoensure_commitapplyMigrator:migration"Database empty, running migrations from #{dir}"'migrations'__FILE__tables#@db.loggers << Logger.new(STDOUT)'utf8':encoding:sql_urlconnectsingle_threadedSequel@dbdb:getrunforge_requesthead_reshead_or_get_params:headhead_paramsurl_to_get200codeshead_and_getnonzero?codegetBrowserNSonline?max_concurrencyhydrathrottlepositive?@max_threadsmax_threadsSVGSurfaceto_svgPDFSurfaceto_pdf:eps=:epsepsPSSurfaceto_pswrite_to_pngrendersurfacefull_heightfull_width:formatImageSurfaceCairooutput_to_string_ioto_pngrectanglecurrent_width:blackset_source_colororiginal_current_x_height_xdimmargincurrent_pointcurrent_ycurrent_xhave_current_point?and:have_current_point?contextrender_to_cairo_contextWIDEencspace_encodingnarrow_encodingwide_encodingspacenarrowwidebarsencoding_for_bars103start_numextra_numbersnumberspos"#{chars[count]}#{chars[count+1]}"#chars[count+1] must be /[0-9]/, otherwise it's not valid#If encountering a digit, next char/byte *must* be second digit in pair. I.e. if chars[count] is 5,\dcount'C'/nEXTENDED_ENCODINGSextendedraw_characterscharscharactersheightfillxdimline_tomove_toamountbargroupsboolean_groupstwo_dimensional?barcodeorig_xposyxyposxposwith_optionspdfannotate_pdf15checksum_values_with_c_checksumk_checksum4720checksum_valuessumc_checksumdel_trailing_separator_namechop_basenamereverse_eachvvsdescendsplit_namesnames_prefix__method__# :yield: filenameeach_filenameFakeFile@fileFakeDirFileSystem'.'RealFile# Unnecessary check, probably.@pathEISDIRcreate_missing_filerelevant?expanded_actionsrulerulesrelevant_rulesaliased_actionresultsaliases_for_actionexpand_actionsaliased_actionsvalidate_target:toalias_action@base_behavior# Don't stop at "cannot" definitions when there are conditions.matches_conditions_hash?nested_subject_matches_conditions?@conditionssubject_class?@blockcall_block_with_all@match_allextra_argssubjectactionmatches_conditions?add_schema'id'validatorSchemaJSONschema_uriArraySet"enum"# Convert enum to a ArraySetitemcloneitems"items"# Items are always schemasnotoneOfanyOfallOf# Schema properties whose values may be an array of schemas.extendsadditionalItemsadditionalProperties# Schema properties whose values are themselves schemas.inner_schemakpatternPropertiespropertiesdefinitions# are themselves schemas.# Schema properties whose values are objects, the values of which"disallow""type"# Check for schemas in union typeshandle_schema'extends'"extends"load_ref_schema"$ref"# Build ref schemas if they existschemaparent_schemabuild_schemas<=remaining"no deadline set"time_remaininglifetime"time expired"TimeoutErrortimeoutset_timeoutstart@deadline"deadline already set"@timer"timer already started"InternalErrorSocketryDEFAULT_TIMERtimerstart_timersymbolize_keys'HTTParty config should be a Hash.'yaml_loadHelpersCLIGitlabDEFAULT_USER_AGENTuser_agent'GITLAB_API_HTTPARTY_OPTIONS'get_httparty_confighttparty'GITLAB_API_AUTH_TOKEN''GITLAB_API_PRIVATE_TOKEN'private_token'GITLAB_API_ENDPOINT'resetVALID_OPTIONS_KEYS:sudo@endpoint'Please set an endpoint to API'MissingCredentialsdefault_paramssudorequest_defaults"#{node.child_ancestry}/%">=MAJOR# rails has case sensitive matching.arel_tabletindirect_conditionsdepth_cache_columntransaction:depth_cache_column"Cannot rebuild depth cache for model without depth caching."rebuild_depth_cache!"#{ancestry}/#{node.id}""#{node.id}"ancestry_columnupdate_attributewithout_ancestry_callbacksnodefind_each:parent_idancestryparent_idbuild_ancestry_from_parent_ids!'children'serializable_hashchildrennodesarrange_serializablewherearrange_nodes:orderorderarrange"Invalid orphan strategy, valid ones are :rootify,:adopt, :restrict and :destroy.":@@orphan_strategyclass_variable_set:restrict:adopt:rootify# Check value of orphan strategy, only rootify, adopt, restrict or destroy is allowedorphan_strategy"Unknown depth option: #{scope_name}."AncestryExceptionAncestry:after_depth:from_depth:at_depth:to_depth:before_depthrelative_depthscope_nameoptiondepthdepth_optionsscope_depthunscoped_wherethenancestry_base_classto_node"listen: final changes: #{squashed.inspect}"squashedremovedaddedmodified"listen: raw changes: #{actions.inspect}":first_logical_action_foraction_list:lastgroup_byactionschange# Newer clients should receive dir and path separately# We combine here for backward compatibilitychanges_squash_changes:calltrycallblank?:unlessunless_condition:if@recordif_conditionE_MODEL_LIMIT_REQUIRES_ITEM_SUBTYPEformatversion_classcheck_presence_of_item_subtype_columnafter_touchon_touch:updateclear_version_instanceis_touchin_after_callbackrecord_updateafter_updatereset_timestamp_attrs_for_update_if_neededbefore_saveon_update:destroyrecord_destroylambda"#{recording_order}_destroy"E_CANNOT_RECORD_AFTER_DESTROYcannot_record_after_destroy?"after"'recording order can only be "after" or "before"'beforeafter%w["before"recording_orderon_destroy:create:onsave_version?record_createpaper_trailrafter_create@model_classon_createconfig:limitpaper_trail_options&.constantizeitem_typeitem_subtypeitem_subtype_column_present?version_limitReifierPaperTrailobject"reify can't be called without an object column""object"column_namesreifyceilto_fcount_rows_in_fileto_ieach_slicelazy@csvbatch_sizebatchesbuild_active_record_enumerator_on_batchesrecordsbuild_active_record_enumeratorenumscopebuild_active_record_enumerator_on_recordsLockQueueEnumerator"an argument to #build_lock_queue_enumerator must be a LockQueue"RolloutRedisQueueRedisQueueLockQueueBackgroundQueueat_most_oncelock_queuebuild_lock_queue_enumeratorto_enumeach_with_indexdrop"array cannot contain ActiveRecord objects"BaseActiveRecorddefined?i"enumerable must be an Array"enumerabletimesbuild_array_enumeratorwrapInteger"First argument must be an Integer"cursorbuild_times_enumerator5''urlsafe_encode64Base64SHA1shasubstitution_valueInvalidUrlMatcherError"Ensure you don't use templated port numbers."InvalidURIErrorURIAddressableslugsubstitutionsto_substituted_uricomponent_prefixesprefix# ensure it's parsing the fragment as appropriate (e.g. {?params*})# to support Addressable's expansion of queriescomponent_urlcomponent_templatescomponent_templateuricomponent_matchesall_expected_mappings_match?mappingsactual_mappingsexpected_mappingsurlmatches?item_name_mapped_items'Expected Items has been set.'_expected_itemselements_to_checkwait_key_present?wait_time:waitrecombine_args"Initial args: #{find_args}, #{runtime_args}."visibility_argsruntime_argsfind_argsmerge_argsUnsupportedBlockError"#{obj.class}##{name} does not accept blocks"'section / iFrame can only accept blocks.'"Type passed in: #{type}"has_blockobjraise_if_blockpassedvalidationall?load_validationsclassload_validations_pass?# Return the yield value of the block if one was supplied.load_errorFailedLoadValidationErrorSitePrism# If one isn't defined, just return the Error code.# If the page hasn't loaded. Then crash and return the error message.loaded?# page has indeed loaded according to the rules defined by the user.# Within the block, check (and cache) loaded?, to see whether theloadedpreviously_loaded# inside another when_loaded block.# Get original loaded value, in case we are nestedwhen_loaded:shared_secret:server_dh_pubkeypub_keydhwrite_bignumwrite_long:key_blob:server_algorithm_packet:client_algorithm_packet:server_version_string:client_version_stringwrite_stringresponsebuild_signature_buffergread_bignumKEXDH_GEX_GROUP"expected KEXDH_GEX_GROUP, got #{buffer.type}"next_messagesend_messageconnection:longKEXDH_GEX_REQUEST:bytefromBufferSSHNetbuffer# request the DH key parameters for the given number of bits.get_parameters:need_bitsMAXIMUM_BITSMINIMUM_BITS:minimum_dh_bits:need_bytesdataneed_bits# for Compatibility: OpenSSH requires (need_bits * 2 + 1) length of parametercompute_need_bits"NA*""NCA*"length7getbytebuf"N"packzero?to_ssh"unable to determine presence of commit #{rev}""commit""cat-file -t #{rev}"revcontains_revision?"unable to determine current revision""rev-parse HEAD"gitcurrent_revisionmkdir"Removing existing directory #{project_dir} before cloning"force_recreate_project_dir!".."dentriesdirdir_empty?# size in bytes, divided by 1024 and rounded up.# disk space is given as the integer value of the estimated installed# Per http://www.debian.org/doc/debian-policy/ch-controlfields.html, thetotal"#{project.install_dir}/**/*"@package_sizepackage_size"conffiles"debian_dir"conffiles.erb"write_conffiles_filepretty_version_mapReports"#{name} #{build_version}"puts"w"text_manifest_pathwrite_text_manifestm"Building version manifest"built_manifestSoftwaredependency?"LICENSE"@license_file_pathlicense_file_pathcompresspackagers"have a block":packageBuildVersionDSL@build_version_dsl"#build_version when a block is given!""You cannot specify additional parameters to ""Published '#{package.name}' for #{package.metadata[:platform]}-#{package.metadata[:platform_version]}"sayklasspublish# Yield the destination to the blocksigning_passphrasepassphrase0700"signing.erb""#{directory}/sign-rpm"directorywith_rpm_signingsymlink?mark_filesystem_directories# Mark directories with the %dir directive to prevent rpmbuild from counting their contents twice.delete!# FileSyncer.glob quotes pathnames that contain spaces, which is a problem on el7"%""[%]"full_pathconfig_files"#{build_dir}/"rpm_safebuild_filepath@license:vendor"Omnibus "@vendorvendorprettysavestrftimeutcnow"BUILD_ID environment variable ""BUILD_ID""format.""should be in YYYY-MM-DD_hh-mm-ss ""BUILD_TIMESTAMP environment variable "error_message"%Y-%m-%d_%H-%M-%S""BUILD_TIMESTAMP"@build_start_timegit_sha_tag"git"commits_since_tag# format: git.COMMITS_SINCE_TAG.GIT_SHA example: git.207.694b062# on an annotated tag.# We'll append the git describe information unless we are sitting right# format: YYYYMMDDHHMMSS example: 20130131123345# variable to a 'falsey' value (ie false, f, no, n or 0).# be overriden by setting the OMNIBUS_APPEND_TIMESTAMP environment# By default we will append a timestamp to every build. This behavior canbuild_version_items# Follows SemVer conventions and the build version begins with a '+'.# BUILD VERSIONprerelease_tagprerelease# 2.0.0-rc.1# ensure all dashes are dots per precedence rules (#12) in Semverprerelease_version?# PRERELEASE VERSIONversion_tagbuild_tagsemvers3_publish_patternstuffkey_forNoPackageMetadataFilevalidate!NoPackageFileENOENT@content"awk '{ $5 = \"root\"; $6 = \"root\"; print }' < #{staging_dir_path('Prototype.files')} >> #{staging_dir_path('Prototype')}"# fix up the user and group in the file list to root"cd #{install_dirname} && pkgproto < #{staging_dir_path('files.clean')} > #{staging_dir_path('Prototype.files')}"# generate the prototype's file listEOF<<-EOF"Prototype"# generate list of control files"Skipping packaging '#{line}' file due to whitespace in filename"=~fin"files"fout"w+""files.clean"staging_dir_path"cd #{install_dirname} && find #{install_basename} -print > #{staging_dir_path('files')}"write_prototype_file"Can not download license file '#{license_file}' for software '#{software_name}'."SSLErrorSSLOpenSSLHTTPErrorOpenURIErrorTimeoutENETUNREACHECONNRESETECONNREFUSEDSocketErrorenable_progress_bardownload_file!raise_if_warnings_fatal!# from cache without fixing the license issue.# cache snapshot, or else the software build could be restored# If we got here, we need to fail now so we don't take a git"License file '#{input_file}' does not exist for software '#{software_name}'."0644:project_direxpand_pathinput_filelocal?license_package_locationoutput_filelicense_datacollect_licenses_forcache_dir"license""dependency_of"# If we already have this dependency we do not need to add it again."version"dep_version"name"dep_nameoutput_diroutput_pathlicense_path"license_files"# Copy dependency filesdep_license_mapdependenciesdep_mgr_name"dependency_managers"dependency_license_dir"project_name"project_nameparseParserlicense_manifest_datalicense_manifest_path"#{cache_dir}/*/*-dependency-licenses.json"process_transitive_dependency_licensing_infolicense_files:project_license# license files.# covered under the project's license and they do not need specific# some logic that we use during the build. These components are# Some of the components do not bundle any software but containcomponent@license_mapproject_rootIOproject_license_content"Software '#{software_name}' uses license '#{license_info[:license]}' which is not one of the standard licenses identified in https://opensource.org/licenses/alphabetical. Consider using one of the standard licenses."# Check if the software license is one of the standard licenses"Software '#{software_name}' does not point to any license files.":license_files# Check if the software specifies any license files"Software '#{software_name}' does not contain licensing information."# First check if the software specified a licenselicense_infolicense_map# Now let's check the licensing info for software components"Project '#{project.name}' is using '#{project.license}' which is not one of the standard licenses identified in https://opensource.org/licenses/alphabetical. Consider using one of the standard licenses."licensing_infoSTANDARD_LICENSES# Check used license is a standard license"Project '#{project.name}' does not point to a license file."license_file# Check license file exists"Project '#{project.name}' does not contain licensing information."licensing_warning"Unspecified"license# Check existence of licensing information# First check the project licensing informationvalidate_license_infoln_s"Linking `#{a}' to `#{b}'"bacreate_linkf"Creating file `#{path}'"create_filerm_f"Removing file `#{path}'"remove_file"Copying `#{source}' to `#{destination}'""Remove directory `#{path}'"remove_directory"Creating directory `#{path}'""/\\1/"subcompiler_safe_pathSEPARATORALT_SEPARATORpieces"#{logstr} failed - #{e.class}!"retry-="Retrying failed #{logstr} due to #{e} (#{retries} retries left)..."eclassExceptionfetcher_retriesretriesretried_exceptionslogstrretry_blockCommandTimeoutShellCommandFailederror!run_command"/tmp""HOME"environmentShellOutMixlib"$ #{command_string}"# Log the actual command" #{key}=#{value.inspect}"valuekey"Environment:"# Log any environment options givenfetch:environment# standardize here# Since Mixlib::ShellOut supports :environment and :env, we want to:internallive_stream:live_stream# Set the live stream if one was not given:log_levellog_level# Grab the log_level"bash -c \'#{command_string}\'"# ProcessCreate.# whether this command is going to be played via cmd or through# contain '. For now, assume that won't happen because I don't know# Mixlib will handle escaping characters for cmd but our command might"MSYSTEM"in_msyscommand_stringSHELLOUT_OPTIONS"""'"'"#{windows_safe_path(project.install_dir)}/AppxManifest.xml""AppxManifest.xml.erb"write_manifest_file"Removing git dir `#{path}'"required_fileREQUIRED_GIT_FILES"#{install_dir}/**/{,.*}/config""Removing git directories"%Q{tag -f "#{tag}"}"nothing to commit"CommandFailed%Q{commit -q -m "Backup of #{tag}"}"add -A -f"remove_git_dirs"Performing incremental cache"incremental"tag: #{@tag}""#{software.name}-#{suffix}-#{SERIAL_NUMBER}"suffix:shasumshasums# dependencies, including the on currently being acted upon.# This is the list of all the unqiue shasums of all the software build"dep_list: #{dep_list.map(&:name).inspect}"deptake_whilebuild_orderlibrarydep_list# And we are tagging 3, you would get dep_list = [ 1, 2 ]# build_order = [ 1, 2, 3, 4, 5 ]# the name and version we are tagging. So if you have# Accumulate an array of all the software projects that come before"Calculating tag"internal@tagtag"config --local user.email \"omnibus@localhost\"""config --local user.name \"Omnibus Git Cache\""# On windows, git is very picky about single vs double quotes"init -q"git_cmdcreate_directorycache_pathcreate_cache_path0755chmod"makeselfinst.erb""makeselfinst"makeselfinst_staging_pathwrite_makeselfinst"https://github.com/#{source[:github]}.git":github""filepathencodeEncoderFFI_Yajlbuilderupdate_with_stringSHA256Digest@shasumshasumbuild_dirfetch_dirfetcher_class_for_sourceFetcher"?*"@fetcher"0.0.0""desired behavior. If git caching seems off, this is probably why.""assume the version `0.0.0', but that is most certainly not your ""No version given! This is probably a bad thing. I am going to "@version_for_cacheversion_for_cache# lazily initialized because we need the 'name' to be parsed first@overridesPATH_SEPARATORseparatorpath_keyENVpath_valuesprepend_path"your desired behavior.""compatability, I will return `nil', but this is most likely not ""attribute that is declared using a `:url' key. For backwards-""to the NetFetcher class and requires the use of a `source' ""attribute is actually an internal representation that is unique ""Cannot retrieve a `project_file' for software `#{name}'. This ""rethink the problem you are trying to solve :).""I will return the path to the downloaded file on disk, but please ""Omnibus repository on GitHub an explain your use case. For now, ""you disagree with this statement, you should open an issue on the ""as it is an internal implementation detail of the NetFetcher. If ""you should not be using this method in your software definitions ""not be publically exposed in the next major release. In general, ""project_file (DSL). This is a property of the NetFetcher and will "NetFetcherfetcherproject_filekind_of?whitelist_file"Comparison methods such as #satisfies? will not be available for this version.""Version #{final_version} for software #{name} was not parseable. "VersionConstraintsSugarChefnew_license_files@license_filescurrent_license_files# If so we use the new set, otherwise we restore the old license files.# block.# to check if the license files are being overridden during the call to# `license_file` is being called from a version block or not. So we need# license files inside a version block. We can not differentiate whether# We support multiple calls `license_file` and we support overriding the# Unfortunately we need to make a specific logic here for license files.#"pass a block when given a version argument"equal?block_given?final_versionapply_overridesoverridesoverridemerge!@source"not include duplicate keys. Duplicate keys: #{duplicate_keys.inspect}"duplicate_keys"only include valid keys. Invalid keys: #{extra_keys.inspect}"# used by git_fetcher:submodules# used by path_fetcher:options# used by net_fetcher:authorization:cached_name:unsafe:warning:cookie# hash type - common to all fetchers# fetcher types:url:pathextra_keyscanonicalize_source"be a kind of `Hash', but was `#{val.class.inspect}'":sourceto_manifest_entry"Resolving manifest entry for #{name}"entry_for"Using user-supplied manifest entry for #{name}"@manifest_entrymanifest_entry"-Command (Get-Item Cert:/#{store}/#{cert_store_name}/#{thumbprint}).Subject""-NoProfile""-ExecutionPolicy Bypass""powershell.exe"arr"CurrentUser""LocalMachine"machine_store?"CN=#{project.package_name}"certificate_subjectFailedToSignWindowsPackagebreaktry_signtstimestamp_serverssuccesspackage_filesign_packageDEFAULT_TIMESTAMP_SERVERSservers"SHA256""My""contain key :machine_store of type TrueClass or FalseClass""Found invalid keys [#{invalid_keys.join(', ')}]""contain keys from [#{valid_keys.join(', ')}]. "invalid_keys:algorithm:machine_store:timestamp_servers:storevalid_keys:params:thumbprint"be a String":signing_identity@signing_identityparamsthumbprintsigning_identityChecksumMismatchactualchecksumexpected"Verifying checksum"verify_checksum!ChecksumMissingDIGESTSdigest_type"#{tar} #{compression_switch}xf #{safe_downloaded_file} -C#{safe_project_dir}""unzip #{safe_downloaded_file} -d #{safe_project_dir}"".zip""7z x #{safe_downloaded_file} -o#{safe_project_dir} -r -y"".7z""7z.exe x #{safe_downloaded_file} -o#{safe_project_dir} -r -y""7z.exe x #{next_file} -o#{safe_project_dir} -r -y""Temporarily extracting `#{next_file}' to `#{safe_project_dir}'"next_file"txz""tgz"".tar"fname"7z.exe x #{safe_downloaded_file} -o#{windows_safe_path(temp_dir)} -r -y""Temporarily extracting `#{safe_downloaded_file}' to `#{temp_dir}'"temp_dirmktmpdirCOMPRESSED_TAR_EXTENSIONS"tar #{compression_switch}xf #{safe_downloaded_file} -C#{safe_project_dir}":lax_tar0returns:seven_zip!=:extractTAR_EXTENSIONS"windows""xz""J""bz2""j""lzma""--lzma -""gz""z"compression_switch# Only used by tar# exist due to create_required_directories# file to live **inside** the project directory. project_dir should already# In the more likely case that we got a "regular" file, we want that"#{downloaded_file}/."# a folder, but better safe than sorry.# seems unlikely, because I do not think it is a possible to download# If the file itself was a directory, copy the whole thing over. This"`#{safe_downloaded_file}' is not an archive - copying to `#{safe_project_dir}'"extract"Extracting `#{safe_downloaded_file}' to `#{safe_project_dir}'"ALL_EXTENSIONSend_with?downloaded_filedeploycreate_required_directories"Cleaning project directory `#{project_dir}'"needs_cleaningcleanrewind"rb"tfadd_filepackager"#{staging_dir}/#{packager.package_name}"tarTarWriterGemStringIOtarfiletarball"#{staging_dir}/*.tar.gz"# Copy the .tar.gz into the package directorytgz"wb""#{staging_dir}/#{package_name}"# Write the .tar.gz into the staging directorygzipped_tarballcontents# Grab the contents of the gzipped tarball for readingwrite_tgz"#{config_guess_dir}/config.sub""#{config_guess_dir}/config.guess""Can not find #{c}. Make sure you add a dependency on 'config_guess' in your software definition"exist?cconfig.subconfig.guess"#{install_dir}/embedded/lib/config_guess"config_guess_dir"update_config_guess `target: #{target} install: #{install.inspect}'":config_sub:config_guessinstallupdate_config_guess"no matched files for glob #{command}"files"copy `#{source}' to `#{destination}'"copy"delete `#{path}'"software"touch `#{file}'"touch"#{bin} #{command}""rake"bin"rake `#{command}'"rake# Ensure the main bin dir exists"--extra-bin-files"",""--without"# get `--without` support, you will likely wind up going down a sad path).# (if you really need this bug fixed, though, fix it in appbundler, don't try using the 3-arg version to try to# FIXME: appbundler lacks support for this argument when not also specifying the gem (2-arg appbundling lacks support)"'#{gem}'"# ChefDK. You should also explicitly specify the lockdir when going down this road.# to be able to decouple the dev gems for all the different components of ChefDK. AKA: don't use it outside of# This option is almost entirely for support of ChefDK and enables transitive gemfile lock construction in order"'#{bin_dir}'""'#{lockdir}'""could not find software definition for #{software_name}, add a dependency to it, or pass a lockdir argument to appbundle command."findsoftwaresapp_software"appbundler"embedded_binappbundler_bin"#{install_dir}/bin"bin_dir"appbundle `#{software_name}'"**extra_bin_fileswithoutgemlockdirsoftware_nameappbundlestrip" "make_cmd:in_msys_bash"make"merge"MAKE":envenv"gmake"whichwindows?# Prefer gmake on non-windows environments.:bindeletepopargsmake"Execute: `#{command}'"BuildCommandbuild_commandswarn_for_shell_commandssynchronizeMUTEXformat_messagemessagesizewix_install_dir# hierarchy is smaller than that, then just use the system drive.# should default to the second-to-last item in the hierarchy. If the# If the path hierarchy is > 1, the customizable installation directory"PROJECTLOCATION"keys# robots will cause permanent damage to you and your family.# The last item in the path MUST be named PROJECTLOCATION or else space"LOCATION"hashinjectreversehierarchy# Create the hierarchyascend# Grab all parent paths..# Remove C:/pathswrite_source_filemsi_display_versiondisplay_versionwindows_package_versionupgrade_code"#{staging_dir}/parameters.wxi""parameters.wxi.erb"write_parameters_filemaintainerpackage_name"#{staging_dir}/localization-#{localization}.wxl""localization-#{localization}.wxl.erb"write_localization_filewix_candle_extensions:wix_candle_extensionwix_candle_extension"-sval"""@delay_validation"be TrueClass or FalseClass":iwix_light_delay_validationFalseClassTrueClassfalsewix_light_delay_validationwix_light_extensions"be an String":wix_light_extensionStringextensionwix_light_extension"be a Hash":parametersInvalidValueHashis_a?||@parametersnull?NULLvalparameters%artifactory_publish_patternremote_path_for"build.number""build.name"build_record?htap"sha512""sha256":sha512"omnibus.sha512":sha256"omnibus.sha256""omnibus.sha1""omnibus.md5""omnibus.license":iteration"omnibus.iteration""omnibus.version":arch"omnibus.architecture""omnibus.platform_version""omnibus.platform""omnibus.project"metadata_properties_forartifactory_proxy_portproxy_portartifactory_proxy_addressproxy_addressartifactory_proxy_passwordproxy_passwordartifactory_proxy_usernameproxy_usernameartifactory_ssl_verifyssl_verifyartifactory_ssl_pem_filessl_pem_fileartifactory_passwordpasswordartifactory_usernameusernameartifactory_endpointendpointClient@clientflatten:basenameextnamepackageartifacts":""."trartifactory_base_pathid# com.getchef:chef-server:12.0.0modulesVERSION"omnibus"build_agentbuild_git_revisionvcs_revisionbuild_versionnumberBuild"Saving build info for #{name}, Build ##{manifest.build_version}"# Upload the actual package:license# missing so we can't pull in the `build_git_revision`# we already know the `version_manifest` entry is:versionfrom_hashManifest:version_manifestversion_manifestmanifest# Attempt to load the version manifest data from the packages metadata:namefirstbuild_for"sha1""md5"checksumsclientlocal_pathArtifactResourceArtifactory:sha1sha1?:metadatarespond_to?md5artifactartifact_forcomponent_pkgsafe_versionversionsafe_identifieridentifier0600mode"#{staging_dir}/Distribution""distribution.xml.erb"write_distribution_file"No packages found, skipping publish"concatMetadata# Set the updated metadata on the package object# override the platform and platform version in the metadatato_hashpublish_metadataduppublish_package# create a copy of our package before mucking with its metadatapublish_platform_versionpublish_platform"Publishing will be skipped for: #{publish_platforms.join(', ')}""Could not locate a package for build platform #{build_platform}-#{build_platform_version}. "empty?:platform_version:platformmetadatapselect# locate the package for the build platform%w{"-"rpartitionbuild_platform_version# Splits `ubuntu-12.04` into `ubuntu` and `12.04`publish_platformsbuild_platformeach_pair# the platform map is a simple hash with publish to build platform mappings:platform_mappings@optionsPackage@patternbuild_packagesArraypublish_packages@packagespackagesupdate8*1024chunkwhileiohexdigestupdate_with_file_contentsdigest_from_type:md5typedigest" -> PASSED: #{name} is either whitelisted or safely provided."+=key?" -> FAILED: #{current_library} has unsafe dependencies"!~&&!" --> Provided by: #{linked}"" --> Dependency: #{name}"whitelist_filesmatch||=regWHITELIST_LIBSAIX_WHITELIST_LIBS"aix"FREEBSD_WHITELIST_LIBS"freebsd"SMARTOS_WHITELIST_LIBS"smartos"SOLARIS_WHITELIST_LIBS"solaris2"MAC_WHITELIST_LIBSARCH_WHITELIST_LIBS"arch""platform"whitelist_libssafeyieldeach_lineshelloutcmdcommandnext2\>\="find #{project.install_dir}/ -type f -regextype posix-extended ! -regex '#{regexp}' | xargs ldd"regexp'\/'\/".*"IGNORED_PATTERNSregexp_patterns")$""|"'\.'gsubIGNORED_ENDINGS".*("regexp_endshealth_check_ldd"Line did not match for #{current_library}\n#{line}"warn# ignore non-executable files"Analyzing dependencies for #{current_library}""find #{project.install_dir}/ -type f | xargs file | grep \"RISC System\" | awk -F: '{print $1}' | xargs -n 1 ldd"health_check_aixcheck_for_bad_librarylinked\)\(\slast_matchRegexp/"find #{project.install_dir}/ -type f | egrep '\.(dylib|bundle)$' | xargs otool -L"read_shared_libsbad_libsnilcurrent_libraryhealth_check_otool"Rendered Template:\n"# Print the full contents of the rendered template file to generate package contentsrender_symlinkswritesymlink"a"opensymlinks_file# Append the contents of symlinks_file if it existssafe_architecturearchfriendly_namedescriptionfmri_package_namesafe_base_package_namenamepkg_metadata_file"gen.manifestfile.erb"write_pkg_metadata1"/"install_dirprojectpathdirvariablestransform_file"doc-transform.erb"resource_pathrender_templatewrite_transform_file"/Volumes/#{volume_name}""#{resources_dir}/*""Copying assets into dmg"copy_assets_to_dmg"hdiutil detach '#{existing_disk}'""Detaching disk `#{existing_disk}' before starting dmg packaging."loggerOmnibuschomp!existing_disklines"mount | grep \"/Volumes/#{volume_name}\" | awk '{print $1}'"existing_disks"Cleaning previously mounted disks"clean_disksrelative_path_fromrm_rf-extra_files# not in the source list# Remove any extra files that are present in the destination, but arerelative_destination_filesmaprelative_source_files# source.# Calculate the relative paths of files so we can compare to the"#{destination}/**/*"destination_files# Remove any files in the destination that are not in the source files"Unknown file type: `File.ftype(source_file)' at `#{source_file}'!"# :remove_destination option.# r--r--r--). Rescue this error and use cp_r's# EACCES (making it hard to sync files with permission# permission on the File, open will probably fail with# First attempt a regular copy. If we don't have writestoreremove_destinationcp_rEACCESErrnocpbegintrueforcelninodevhardlink_sourcesexistinghardlink?# duplicate them, provided their source is in place already# Detect 'files' which are hard links and use ln instead of cp tostatsource_stat:fileln_sfchdirreadlinktarget:link"#{destination}/#{relative_path}":directorywhento_symftypecasedirnameparent# Create the parent directoryrelative_path_forrelative_pathsource_file# Copy over the filtered source filesmkdir_pFileUtils# Ensure the destination directory existsall_files_undersource_files"the `copy' method instead.""`#{File.ftype(source)}'! If you just want to sync a file, use ""`source' must be a directory, but was a "ArgumentErrordirectory?optionsdestinationsourcesyncIGNORED_FILESfilerejectsortFNM_DOTMATCHDircleanpathnewPathnamepattern"sudo chown -Rh #{original_uid}:#{original_gid} #{staging_dir}""id -g"original_gidchompstdout"id -u"original_uid# chown back to original user's uid/gid so cleanup works correctlyensurecreate_bff_file_namepackage_dirConfigcopy_filebff"tmp/*.bff"staging_dirjoinglobFileSyncer# Copy the resulting package up to the package_dir"#{File.join( staging_dir, '.info', "#{safe_base_package_name}.inventory" )}"+"With .inventory file of:\n"# packaging process are kept.)# from within the staging_dir's .info folder (where control files for the# Print the full contents of the inventory file generated by mkinstallp"sudo /usr/sbin/mkinstallp -d #{staging_dir} -T #{File.join(staging_dir, 'gen.template')}"# directory.# command, otherwise it will not have access to the previously chowned# Since we want the owner to be root, we need to sudo the mkinstallp"Creating .bff file""sudo chown -Rh 0:0 #{File.join(staging_dir, project.install_dir.match(/^\/?(\w+)/).to_s)}"shellout!# First - let's find out who we are.# project owned by the build user (which is incorrect)# we will chown from 'project' on, rather than 'project/dir', which leaves# This implies that if we are in /tmp/staging/project/dir/things,# The match is so we only pick the lowest level of the project dir.# is a bad thing (it usually is).# will be on the target machine, and mkinstallp can't tell you if that# Unforunately, the owner of the file in the staging directory is what# We are making the assumption that sudo exists.create_bff_fileNull"No compressor defined for `#{family}'."log_keyinfologTGZ:tgzDMG:dmginclude?"mac_os_x""platform_family"Ohaifamilycompressorsfor_current_system"Secret/#{EjsonSecretProvisioner::EJSON_KEYS_SECRET} does not exist: #{e}"debuge=>ResourceNotFoundErrorKubectlrescueEjsonPrunableErrorraise"Secret/#{EjsonSecretProvisioner::EJSON_KEYS_SECRET} would be pruned.""Deploy cannot proceed because protected resource "error@loggerLAST_APPLIED_ANNOTATION::KubernetesResource"annotations""metadata"digreturnejson_keys_secretejson_provisionersecretconfirm_ejson_keys_not_prunableerrbasename:filename< �?2a�)�&��b`���l�L/V��/-�N2���m�l���O���r{Pem�]������pD�'V��`�JtBQ0iA�� �n4�,�w���VN��s괃����G�Z�i�� VT�c���ۗ�_��:����L&� Q�y�Y���Ee*��7��-��$sx�gk�)zqN�p<�IfD����1戎�1:a ��:���E4(=��wk���R���_��E�EB��`�Ce��&O1锽1����E_�T� h ����N�6;k��2�(f�_!R��cא�P�N7͑chG�/K�9c/�����qc�h&ʳי�$�k���.;�f���� g��_-��S�S��x=� ����p�fY�����b�Q����[P�籰B�C5��v���77e������7�.�M��!��v��A �D*�PE�K�k�g�?�W�q���3�K��j�y�紾e�B~��"!o?*iS���6{ʙ9#����ן�{�̄�ɖrsH�3t������Ws�Y���H(�����JW)����gk��tJXE� s��_�ˏ ]v�ŸU�]q�Ys+K���`�^����_#7�8v�k��r������ߟL�y���@ �����Y�� ��oؕ(�r5>�WJ��u5y!��7���}���4��t1�U��Ĥ� � ����讷�Swڬ��� ��� �y �>�yr�^��?["�yZ��k�)VJ�AB�2� �����;�_���!� ��,w��۵ѼJ<B�AY��?��=��ecD ��.� WBq�9͐��i-�u,bC��U:&l =o��4+hm��p(����;(�:#�<�K��(n��M�9� !u`��k �Im5�J*��B��%���$$�ߗ�(' �ծ�s�,i$��Ͳ��r�(dl��)���_�&�u�R?%��~TW���)p��ZJJA��qoclv�+%�\7 �ʫ� ���G�n󵙮�q��E?������ B��:���$�1�dm�jRz� c'nDI���z'�Q6��,Y/�L� �UL�˒�"��LuF��b��#��q{�-@��������!�RaB�%)tt�X�(� 7��g$�6.g��5uj�F^����r��WqR�x��>t���@c�uN�H��p�}�O �GY�È�0s��う� L �ݝ; 56[ÄF8�ˤ�U�v)!�">3�D����~�c�eO=t�^����7��C/hd�a�G@%VU�Gy`���Ty��c!;��:���xH��V�� ��3�)C!�;�ө�?�Ce�O� ���͇YU�H��WН�Q �jk!�x��fnk��/���쨜J4�M���7ЀU�����rd�(0�Bl�|\35+{M�˦7 ��GЦ�~!�ͺ��_��j�DO�uѸ�L�@�*�h�X+3�8�J'^Tt>bj���~Z����W&��iۏ���uR�M/6b��|�F�#�/�7�UŶ�[qr�B��Qu�����s�{��>�m�sӓ�;h��j ����1����٬,9���# I��T�[,�e�'e T2i5�'��I"��A�g?!=P=�#)1bՑ��*�:I~)E���g5�Z� c����>���� ��U���c� ���r�7L�v��F`�/ʲ=)+&|������c�ǘ$�f6~J4�������Fbxǖ����Fx�$<9����&\�v�m� Gfo� M�0~~U�>���c�QSZZ %)�~l�{�~fБK�t��^m ��S�K �9�Q��d�G��bb]DE��o�ϒ � hNj�~Qs`:7M���Hs�_�?�qN{ �9�Y�t��Z����ho�Mn�k�>+�|�x�,��!� ����Y]o�6}�� ���3�q6EW@w�Nl�h��� �p$�ŵ$jI��٦�}Ͻ$%��I�}�E2����y����*镐�Q[��_�y�U�En�F�^���H\J+k�uّ"s��++n����z'���;a6—J���$1�s�})Zc�h�z�l�u\�\V�q>;�N����쯧��7�Nf��4��G�:q��Z����4��B�cG?҆�k�����|49��4<�r�-�@�+��[]U�4�N��I�U�zU�M��m�����\6��<���P�XQJh�k��y�H ���*�Fꪳ���ZZ�:�L�\Wy��`g^�=$��ZIA�����{,��ȻB6Bv�����F���JzܜWF��%^�&|0��׷T��v�EgH�d�:E�|1 v�s��i�VjϲIš��F{D�U �db6M��ɛ�[u����us8��kuQ���N��m+6M�� ���!�;���Z��x�Ӊ�~N�u��(����S7�r**�s� �k�br!o+����w�iխ����K����K�L��N���rb��Kzzw���_��`m]+T[��\W$s�ܼ�� �w��B��(���[% �SZ4��)=h�lbR�k�1\�V�SSpV�K%Q���^� n�G���@��&XG�>�bm�R��6*z+��Qc��kk�AZP���u[��x�ڀ���_�ka��D{*g��;�vMΩ�H �}�'N8�1��J�K���5l@L�$F"E�t���`���d �r�N�VV�^=�,��r�� ��*������@@G"�Nzu �`�x�kN��NF�8O��h�sz ���#?B�Ӆ�H(�����a �l�r�5T��=$�w�݄� $r���^g��=�[���:��0܇��� k�J5�C��7!�6�j��Mѷ���2��넖��r6���l�f5h���&�V�"��Rj��p�>��m��E A�4Υ���QCs� ����r�([���e�;T���� �_��Q��y����\�[|�*xtp����&��|��(�3�i�X��' t%� �� ���,@B� �v�G�:&|����͝*b�/w�F��5�ͥS�� �B��F ���Q��6#]�ʅ���)b;�OM��K�qd�� 4P������KYZ�K��J�F�l���T:߁��굩>�\�n� GP�U�E��*қD�[f�g�SI�^;'��#���CO���Y��O�Q��RQ�����n�%v���A�כG<��5`y9��0� ]ue��������/} t��?��EN졏�ei/�0@fj�N��'�s!�Ы�%��� ~���\>���%~(�ß+����[� ��D�)�'lL��@��:o�+ʐ���N� �:!>զ �o)Iv�O��x7�x��•��C�6���xp9>:���6.���'��g�o��-W�o�޼_pK'%��C�8߉ ��섹���� ��ũG�� A���%j8{r34��>�*M>CXQZX�����mA3*6��5��1� ���g���ʝNq���*�q�����|�k$��Ӡeہ�[����ij_ӆ߾Y�p� ���~��Q7��$Rh�n�& ̟Ҡ_S��>;���]�x���Ň������1�?�4&���=0?��}�.�FZe�O���i��mR�RE�g���'�Dz�����Eh06l�[��pS�`񌞲���|~�X�s+P'l{��"�-5�(�N�²?�8��1�ߘ Ԋ.� �0���� F G N O _ ` c d h i o p � � � � � � � � � � � � � � � � � � � � � � �        " ) 0 1 7 8 9 ? A G N O T U V \ _ ` e f ~  � � � � � � � � � � � � � � � � � � � � �   6 9 ; H J K Q ^ a b g � � � � � � � � � � �  %-016jmpr���������������������������   DGJMUVZ[]nqrw�����������������   +,89<ABPTVW`qryz}������������������  (),-2SV\mpqv�������������  $%&',-234DEIJTUVWX]^_`efklms���������TVW[\abnowx{������������������������������-0234<>FHIJRS[��ADEJwx����������������������   Q��� 058;>FGHIQTVWXYbekz{�������     %&'(),chimnxz{~�����������������'(,-./01278<=>ADVabcd���������������������������F�� ()236DEH����������������������������� '(1256:;<>FIKY^_ghijktu�������������&BJKTUXfgjuv{������������������  !#$%*,47z������������������������������������   !45HIVWghuv������������������������������     & ' 2 3 ? @ A B C G R V _ g h i o p v w z { � � � � � � � � � � � � � � � � � � � ! ! !!!#!$!'!(!4!5!6!:!D!M!N!O!U!V!^!_!b!c!o!p!q!u!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!""!"#"$"*"+"9":"=">"J"K"L"P"^"k"m"n"t"u"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"## # #####4#J#L#M#S#T#h#i#l#m#y#z#{##�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#$$$$$$"$#$)$*$+$/$1$2$3$4$D$E$F$G$H$T$U$V$W$Y$e$f$n$o$p$q$t$�$�$�$�$�$�$�$�$�$�$�$�$�$�$�$%%% % %%%*%+%7%8%9%J%K%L%M%Q%V%\%]%k%l%x%y%}%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�% &&&&%&&&4&5&8&9&E&F&G&K&]&n&p&q&w&x&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&'' '''''1'4'D'E'I'J'Z'['d'e'g'h'i'j'l'm'p'q'y'z'}'~''�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'((((( ( (((((((((#($((()(?(@(E(F(J(K(c(d(i(j(p(q(t(w(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�()) ) )))+),)1)2)8)9)<)?)D)H)I)N)O)[)\)`)b)c)h)i)m)o)s)t)y)z){)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)** * *****&*(*0*1*8*9*=*>*@*F*G*R*S*_*`*f*g*r*v*|*}*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*++++"+#+++/+0+7+8+9+:+>+?+@+A+G+H+M+N+f+l+r+w+}+~+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+,,,,, , ,,,,!,",%,3,4,5,6,7,;,<,J,K,M,N,O,V,W,\,],_,f,g,l,m,{,|,~,,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,- ---e-k-m-t-u-}-~-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-... . ....#.$.+.,./.5.E.F.G.O.P.T.U.V.W.^._.d.e.f.v.w.y.z.{.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.// /////////"/.///2/9/:/A/B/E/K/]/^/_/i/j/n/o/p/q/x/y/~//�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/0000000*0+02030405060=0>0D0E0W0X0]0^0e0f0l0q0s0z0{0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0111111 1!1#1'1(1.1/15161B1C1L1M1Y1Z1`1a1m1n1r1s1u1y1z1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�12222222$2)202224262:2>2?2C2D2K2L2P2Q2S2T2X2Y2]2h2i2o2s2t2{2~2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�23 3 3333333!3"3#3$3,3-32333435383;3>3P3Q3Z3[3_3`3q3r3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�34444444 4!4$4%4.4647484I4J4N4O4R4d4e4f4k4l4q4y4z44�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�455 5 5 555 5!5)5*5051595:5B5C5D5G5P5Q5U5V5Y5[5c5d5i5k5l5t5|5~5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5 6 6 66!6$6'6*61626<6=6E6F6G6H6I6N6O6U6V6[6\6f6g6l6m6u6v6|6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6777 7 7777#7$7+7,7-7.7/7:7<7C7D7H7J7K7O7P7S7T7V7d7e7p7q7{7|7�7�7�7�7�7�7�7�7�7�7�7�7�7�7�7�7�7�7�7�7�7�7�7�7�7�7�7�7�7888 8 8888888%82838<8=8G8H8L8M8S8T8Y8Z8^8_8d8e8t8u8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�899999999 9!929397989;9M9N9R9S9X9Y9h9i9r9s9v9y9�9�9�9�9�9�9�9�9�9�9�9�9�9�9�9�9�9�9�9�9�9�9�9::::::: :!:":#:$:(:.:/:4:7:9:?:@:D:J:K:P:S:U:[:\:^:_:g:h:m:o:{:�:�:�:�:�:�:�:�:�:�:�:�:�:�:�:�:�:�:�:�:�:�:�:�:�:�:�:�:;;;;;;;";$;*;+;1;2;3;4;5;7;B;O;P;Y;Z;d;e;i;j;l;u;{;|;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;<<<<<<<<< <$<I<K<V<X<j<l<m<r<s<v<x<~<<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<==== =====#=$=.=/=4=5=9=:=?=@=F=L=M=R=Z=[=_=c=d=l=m=p=s=v=w=~==�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=>> > >>>#>$>(>)>/>2>5>;><>C>D>R>S>W>X>]>^>m>n>u>v>x>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>??????'?(?+?,?0?1?6?7?B?O?P?R?[?]?c?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?%@&@(@)@*@-@.@:@;@?@@@A@B@F@�@�@�@�@�@�@�@�@�@�@�@�@�@�@�@�@�@�@�@AAAA AAAAAA(A)A,A0A1A:A;AAAGAKAOAUAZA]A`AcApAxA}A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A BBBBBBBBBEBMBNBRBSBXBYB\B]B^BcBdBeBrBsBwBxB}B~B�B�B�B�B�B�B�B�B�B�B�B�B�BCC C C CCCCCCC C!C4C5C@CACFCGCNCOCPCSCVCYChCiCmCnCoCvCwC{C|C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�CDDDDDDDDD%D&D.D6D8DDDHDNDODSDWD`D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�DEEEE E EEEEE E)E*E.E2E:ECEDEHEIEMENETEUE[EdEeEiEmExE�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�EFF F FFFFFFFIFJFLFYFZF_F`FgFhFiFoFpFqFrFsFtFvFF�F�F�F�F�F�F�F�F�F�F�F�F�F�F�F�F�F�F�F�F�F�F�F�F�F�F�F�F�F�F-G3G4G:G;G@GAGLGMGYGaGbGhGiGkGvG�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�GHHH HHHH H!H(H)H+H,H6H7H>H?HIHJHQHRHYHZHfHgHqHrHyHzH�H�H�H�H�H�H�H�H�H�H�H�H�H�H�H�H�H�H�H�H�H�H�H�H�H�H�H�H�H�H I IIIIIIIII'I(I0I2I;I=ICIDIGIHIPIQI[I\IhIiIlImItIuIvIyI|I�I�I�I�I�I�I�I�I�I�I�I�I�I�I�I�I�I�IJJJ J!J"J%J&J'J6J7J:J;JJCJDJIJLJOJVJ`JaJeJfJiJpJqJrJwJ�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�JKKKKK KKKKK#K4K5KFKHKQKVKWK`KaKfKgKxKyKzK�K�K�K�K�K�K�K�K�K�K�K�K�K�K�K�K�K�K�K�K�K�K�K�K�K�K�KLLL L LL�L�L�L�L�L�L�L�L�L�L�L�L�L�LDMJMKMZM[MbMcMlMmMvMwMM�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�MNNNNNNNNNN*N+N2N3N:N;NRERFRTRUR[R\RlRmRtRuRyRzR�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�RSSSSSSS S&S'S/S0S1S7S8SHSISWSXSYS_SdSfSmS�S�S�S�S�S�S�S�STTTTTT T)T0T1T�T�T�T�T�T�T�T�T�T�T�T�T�T�T�T�T�T�T�T�T�T�T�T�TUUUUUUUU U'U(U)U/U0U5U6U:U;U?UGUHULUMUPUQUTUUU\UbUcUgUhUpU{U|U}U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�UV V VVV V$V%V)V*V3V4V9V;VVAVDVGVMV_VeVfVjV�V�V�V�V�V�V�V�V�V�V�VWWWWWW!W*W1W2W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�WXXXXXXXX%X&X1X2X9X;X>X@XJXKXNXYXZXdXeXhXiXnXoXsXtXuXxXyXzX{X|X�X�X�X�X�X�X�X�X�X�X�X�X�X�X�X�X�X�X�X�X�X�X�X�X�X�X�X�XYYYY:YDYEYLYPYXYYY]Y^YaYbYeYfYmYrY~YY�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y Z ZZZfZgZjZmZsZ�Z�Z�Z�Z�Z�Z�Z�Z�Z�Z�Z�Z�Z[[[![([*[5[6[=[>[C[T[U[X[Y[`[a[h[i[m[n[w[x[{[�[�[�[�[�[�[�[�[�[�[�[�[�[�[�[�[�[�[�[�[\ \ \\\\\%\&\,\-\.\8\9\J\L\V\W\[\e\m\n\r\t\u\z\{\\�\�\�\�\�\�\�\�\�\�\�\�\�\�\�\�\�\�\�\�\�\�\�\�\�\�\�\�\�\�\!]"],]-]1]2]9]:]B]C]I]J]P]Q]R]S]T]U]V]]]^]_]c]d]e]j]k]l]m]n]o]p]�]�]�]�]�]�]�]�]�]�]�]�]�]�]�]�]�]�]�]�]�]�]�]�]�]�]�]2^3^4^7^8^=^>^X^Y^Z^]^_^`^d^e^q^r^u^v^z^{^~^�^�^�^�^�^�^�^�^�^�^�^�^�^�^�^�^�^�^�^�^�^�^�^�^�^�^�^�^�^�^__ _ ___ _4_7_;_<_?_@_I_J_R_S_W_X_i_j_k_r_s_v_y_|_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_�_`` ` ```````"`#`+`,`.`/`3`4`:`>`?`C`D`E`I`J`N`P`U`V`Y`Z`c`d`h`i`p`q`r`t`u`~`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`ba�aObUbVbZb[bmbnbvbwb}b~b�b�b�b�b�b�b�b�b�b�b�b�b�b�b�b�b�b�b�b�b�b�bcccc c cccccc!c"c(c)c/c0c5c6c:c;c=cCcDcJcKcScVcYc\cecfcgckclcmcrcsc}c~c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�c�cdddd ddddd"d$d%d&d'd*d+d.d/d7d8d;dCDHIKPQVW]^cdjktuz{~��������������������������*�.�/�7�8�;�<�@�A�D�E�I�J�Q�R�_�`�p�q�u�v�z�{�����������������������ƀǀʀˀ�,�.�1�2�6�7�?�@�C�D�G�H�L�M�P�Q�U�V�[�\�_�`�a�e�h�j�n�o�v�w�z�{������������������������������ׁ؁�������������������$�%�-�.�6�:�D�E�L�M�Z�[�g�h�l�m�w�x�������������������������������‚˂̂Ђтւׂۂ܂������������������4�5�8�?�@�D�E�I�J�N�O�X�Y�`�a�e�f�o�p�u�v�}�~���������������������������������Ãăʃ˃ރ���� � �"�&�,�1�7�D�H�K�f�k�l�|�}���������������������������������������ńƄ˄̄҄ӄ݄ބ����������������!�"�&�(�)�-�.�3�7�8�A�G�U�V�[�\�`�b�c�m�n�|�}�������������������������������…ÅąŅ�������1�5�6�=�>�B�C�G�H�L�N�O�X�Y�e�f�j�k�r�s�|�}������������������������������ƆdžφІنچކ�������������������*�+�/�1�2�6�7�@�A�E�G�H�R�S�W�Y�\�f�g�o�p�t�u�{�|�����������������������������������������ɇʇ҇ԇ؇ۇ������������������(�)�+�5�6�>�@�D�G�J�Q�R�V�X�Y�c�d�h�j�n�o�s�t�}�������������������������������������͈�,�.�2�3�E�F�J�K�P�Q�m�n�r�s�w�x�|�}�������������������������‰ʼnȉˉΉ��������������������������"�$�%�+�,�2�6�8�@�A�E�F�O�U�X�^�c�f�i�p�v�~�����ˊЊ׊����������*�.�/�2�E�M�N�T�U�X�Y�`�a�i�j�y�z�����������������ċŋˋ̋ԋ׋ڋ����������������� � � � � �����������&�'�(�.�/�4�5�6�7�8�9�:�;�<�=�@�A�B�C�D�G�J�[�\�`�a�g�h�i�o�s�t�z�{������������������ŒƌnjЌьՌ֌ٌ܌���������� � ����"�#�)�0�1�5�t�����������������������͍΍Ս֍ڍݍ�������������.�/�<�=�N�O�g�h�y�z�����������������������������ʎˎ̎ӎԎ�������������������#�W�^�_�e�f�s�t�{�~������������������������ � �������� �!�%�&�-�.�2�7�8�G�I�J�N�O�T�U�_�`�r�s�w�x�|�~�������������������������ÐƐ͐АӐ������� �������!�"�+�-�.�2�3�9�:�C�F�I�U�V�Y�Z�_�d�e��������������������������������� � ���"�'�(�,�.�/�2�3�8�H�I�h�j�m�n�w�y�z�������������������������������������’Òƒǒ͒Β֒ג,�1�A�B�J�P�S�T�c�d�h�j�k�n�o�w�x�|�}�����������������������������������������“ƓǓȓʓ̓ΓϓГؓٓړޓߓ����������������������� � � �������#�$�%�&�)�,�;�<�?�@�F�H�I�M�O�Q�S�X�Z�\�^�h�m�p�q�t�u�y�z�|�������������������������������ÔĔ̔ΔӔٔ۔ܔߔ�������������������������#�(�.�0�8�9�?�J�W�_�d�l�n�v���������������������������������Ǖ͕Εٕڕޕߕ����������������� � ������� �9�=�@�C�F�I�V�W�_�`�h�i�m�o�p�v�w���������������������������������–ÖȖɖ˖ϖЖؖܖ��������� ���!�%�&�+�/�?�E�H�K�N�Q�W�^�_�b�c�j�k�n�o�{�|��������������������������������������ȗɗЗїݗޗ����������������������!�"�(�*�,�.�2�4�9�;�E�G�O�P�S�Z�[�b�c�o�p�u�x�{���������������������������������������˜ØɘʘΘϘҘӘݘޘ������������ � � ����"�#�.�/�3�:�;�B�I�J�P�Q�[�\�_�`�d�e�k�l�r�u�v�z�{����������������������������������������™ř̙͙ϙЙәԙיؙޙߙ������������������ �!�$�%�,�-�0�1�=�>�A�B�C�H�O�P�W�X�g�h�o�p�w�x�}�~�����������������������������������������ÚĚǚȚ˚̚՚֚ך�������� �������!�#�-�/�7�8�;�<�C�D�K�L�X�Y�Z�]�^�c�d�e�k�o�v�w�x������������������������������������������Ǜț؛ٛڛ����������������������#�$�0�1�6�7�8�>�A�D�G�M�T�U�X�Y�`�a�d�e�q�r�u�v�w�|�������������������������������œĜƜʜ̜ќӜݜߜ������������ � �������(�/�0�3�4�;�<�?�@�L�M�P�Q�R�W�]�_�e�g�i�k�o�q�v�x�������������������������������������ŝȝ˝Нם؝۝ܝ������������������ ������� �*�,�5�6�9�:�A�B�I�J�V�W�\�]�^�d�g�j�n�u�v�y�z�{�����������������������������������������ƞǞ̞͞ўמٞ��������� � � �����&�'�(�0�1�8�9�?�@�B�K�L�Y�Z�a�b�p�q�r�x�y�����������������������������������������������ŸȟʟПҟԟ֟ڟܟ����������������� � �������$�%�(�+�/�6�7�:�;�B�C�F�G�S�T�W�X�Y�^�c�d�j�l�n�p�t�v������������������������������� àɠ̠Ϡՠܠݠ��������������� � � � ������!�(�)�-�.�1�4�G�V�a�b�n�o�r�s�v�w�|�}�~�������������������������������������¡͡Ρԡߡ���������� ��������#�$�&�-�.�1�2�9�:�E�F�S�T�_�`�o�p�v���������������������������������������¢Ģˢ̢ϢТעآߢ��������������'�6�7�C�D�G�H�K�L�Q�R�S�V�W�Z�[�f�g�i�p�q�t�u�|�}�������������������ȣɣͣУӣ����������������������$�%�*�+�3�4�:�;�<�A�B�G�H�M�Y�Z�_�`�a�g�h�l�m�q�r�w�x�y�|��������������������������ɤʤ������$�%�)�*�+�0�1�7�9�>�@�T�U�X�Y�s�t�{�|�������������������������¥åƥǥΥϥҥӥߥ���������������� � �����$�%�(�+�/�6�7�:�;�B�C�F�G�S�T�W�X�Y�^�f�h�n�p�r�t�x�z����������������������������ŦƦ˦̦ͦӦ֦٦����������� �����"�#�(�)�1�2�z�{�}�~�����������������������������4�[�a�b�e�l�r�x�������������������������������������������������ɨը֨רڨۨܨݨި�������������������� � ������ �!�'�(�)�*�+�1�2�6�7�:�E�H�K�V�_�`�d�e�i�m�n�t�}�~�������������˩ͩЩө٩ܩ������������������ � ������"�+�,�0�4�5�;�E�M�N�T�U�X�Y�]�^�a�b�d�e�h�k�|�������������������������������������������êĪȪɪ̪ͪ��������������������� ����� �*�+�.�/�0�3�5�6�:�;�@�A�D�E�I�J�N�O�R�U�X�b�c�f�g�l�m�p�q�u�v�z�{���������������������������������������«ëǫȫЫѫҫӫԫ߫����������������� � � � �����%�&�*�+�,�/�0�3�4�8�9�<�?�D�E�L�M�N�O�P�U�V�]�^�e�m�q�r�z�{�|�������������ǬҬӬެ߬������������� � �� �$�%�+�,�0�2�3�?�@�D�E�Q�R�U�X�[�v�w�~����������������������íŭƭʭ˭̭ͭѭҭۭܭ������������� �����#�$�)�*�.�2�B�C�H�L�Q�U�e�f�k�l�|�}�~����������������������������������������������������������������������ĮŮȮɮ̮ϮӮ׮ۮ��������� ����u���ׯۯܯ������������������������� � ��������������#�$�%�&�'�+�,�/�2�?�`���������������Űư˰̰ҰӰ԰հְװذݰް������������������!�"�%�/�0�6�7�G�H�L�M�Z�[�k�l�p�q�v�w�}�~��������������������������������������±̱ͱбֱױݱޱ������������ � ����� �"�2�3�8�:�;�K�L�R�S�X�g�i�n�p�����������òƲֲײ�����������"�#�'�3�4�8�:�;�>�?�D�E�G�T�U�Y�Z�]�^�`�m�n�q�r�t�y������������������������������������ڳ�������������������� � ���� �$�%�&�*�.�/�3�4�8�9�F�G�H�L�O�R�X�]�c�j�o�p�|�}�����������������������������������������������Ǵȴ̴ʹδӴԴ״���������������� ������#�*�+�0�6�7�;�=�>�B�C�J�K�O�P�T�_�`�e�g�n�r�s�x�����������������������������������������ĵŵʵ˵ϵеٵڵߵ����������������� ����"�#�+�,�.�3�G�N�O�f�g�n�o�s�t�}�~�������������������������������ŶƶǶ˶ζѶ׶ض߶������������������/�0�=�>�E�F�J�K�T�U�X�Y�]�a�f�i�l�o�w�|���������������������������÷ķٷڷܷ����� � �������)�*�+�.�/�2�5�C�D�J�K�L�P�Q�R�W�X�]�^�i�j�p�q�s�x�y�}���������������������������ȸɸ۸ݸ޸���������������� ����-�2�:�;�>�?�@�D�F�M�U�V�Z�q�u�}�~�����������������������ĹŹɹʹ͹ιѹԹعٹݹ޹������������������� �����(�.�/�3�4�B�C�I�L�O�]�^�d�e�f�j�k�l�r�s���������������������������������������������úƺȺϺպۺܺ�������������� �������!�1�2�3�8�9�?�@�D�E�I�K�L�T�U�]�^�c�d�h�i�q�r�x�����������������������������������»ŻȻ˻λܻ��������� � ������!�"�*�+�1�2�h�x�y�z�������������������������������������������ƼǼμϼмѼҼټڼ�������������������!�"�1�2�5�8�K�L�M�N�O�P�V�W�X�Y�Z�[�\�]�c�k�l�m�n�o�p�q�w����������������������������������������нԽս�������������� � � � ������"�#�*�+�,�-�8�9�:�>�?�A�G�H�T�U�W�a�k�l�p�q�x�y�}�������������������������������������̾;ξҾӾ־׾޾߾������������������!�"�'�(�[�����H����������������������������������������������������������������� � � ��������&�'�(�)�*�+�1�2�7�8�>�D�L�M�S�T�V�^�_�d�e�f�g�h�n�v�w�x�y�z�{�|��������������������������������������������������������������������������������� � �����#�$�%�)�*�1�2���������������������������������������������������������&�'�+�,�B�C�D�H�I�L�O�_�`�o�p�q�r�s�t�z�{�������������������������������������������������������������������������������� ����!�"�)�*�6�7�:�;�A�B�C�I�J�Q�R�S�V�Y�\�e�f�k�l�r�t�y�z�~�����������������������������������������������$�%�*�+�.�1�;�=�G�L�W�X�\�]�c�n�o�s�u�v��������������������������������������������������K�Y�d�f�y�z���������������������������������������������������������������!�"�&�`�h�i�p�q�v�w�z�{�������������������������������������������������������������������������� ���*�+�4�5�<�=�A�B�E�F�O�P�Y�Z�a�c�l�m�x�y���������������������������������������������������������������������������� � ����������/�0�1�8�9�:�<�=�?�@�A�B�G�N�O�V�W�X�Z�[�]�^�q�r�s�z�{�}�~��������������������������������������������� ����� �B�D�W�X�Y�Z�\�|�}������������������������������������������������ � �����$�%�,�.�5�6�A�B�J�K�^�_�`�a�b�i�j�s�t�u�x�y�z�|�}�~�������������������������������������������������������� ���(�,�?�C�D�F�G�K�`�d�e�g�h�l������������������������������������������������������#�'�)�+�-�1�?�C�E�G�K�O��������������������������������������� � ���F�J�P�R�Y�]�k�o����������������������������������������������������� � ����"�#�(�)�,�.�3�5�:�;�B�C�H�I�M�N�Q�q�t�v�|�}���������������������������������������������������������������������� �������"�#�)�*�+�,�C�D�O�P�S�U�[�\�a�b�g�j�m�x�y������������������������������������������������������"�.�/�6�7�F�`�f�g�m�n�s��������������������������������������������!�5�6�=�>�D�E�K�L�Q�i�p�q�}�~������������������������������������������������������� �$�*�0�1�7�8�=�Y�\�x������������������������������������ � ����+�2�3�M�Q�y��������������������������������������������������������������������������������� � ���#�$�%�)�.�1�G�J�M�P�S�V�Y�b�c�i�z�{��������������� � ������-�.�6�7�:�;�o�����������������������������������������������5�8�9�:�A�B�F�H�I�O�P�U�b�c���������������������������� �����3�4�7�8�N�O�R�{�}����������������������������������4�5�:�;�<�=�C�V�W�_�`�v�w�z����������������������������������� � ���-�.�/�q��������������������������������������������������� �!�)�*�+�,�-�?�@�D�F�G�Q�R�X�Y�g�h�p�q�s��������������������������������������������������������������� ���#�$�(�)�,�-�3�4�:�;�C�D�T�U�Y�Z�c�d�t�u������������������������������������������������������������������������������������ � ���'�(�-�.�4�5�9�:�>�?�J�K�W�X�\�]�^�a�d�q�{�|�������������������������������������������������������� � �������!�"�$�%�)�*�-�.�/�3�4�6�I�J�M�N�P�^�a�d�v������������������������������������������������������������������������������������������������������������������������������������������������� �!�"�#�$�H�M�Z�[���������������������� � �$�%�(�)�-�.�1�2�3�4�9�:�>�?�C�D�O�Y�Z�_�`�r�s�}�~��������������������������������� � ����!�"�,�-�1�2�6�I�K�S�T�Y�Z�^�_�i�j�k�o�q�r�u�v�y�{���������������������������������������������������������������������'�+�,�E�F�I�J�N�O�T�U�Y�Z�^�_�j�l�q�r�|�}������������������������������������������������������������������������ ���&�'�,�-�3�4�=�>�A�B�C�D�W�Y�a�b�g�h�p�q�z�{�|���������������������������������������������������������������������������� � �����!�%�&�*�.�/�>�J�K�N�O�S�T�`�a�k�q�}��������������������������������������������������������!�#�(�)�-�/�4�5�9�:�>�@�A�E�I�M�U�Y�^�_�c�g�u�y�~������������������������������������������������������������������ �����"�#�)�*�/�0�4�9�=�A�C�J�K�Q�R�W�X�\�a�e�i�j�o�p�u�v�z�{�|���������������������������������������������������������������� � ������� �!�%�)�-�5�9�>�?�C�G�U�Y�^�_�c�g�n�r�w�x�|����������������������������������������������������������������������� � � �����#�$�)�*�0�1�2�6�8�>�?�D�E�J�K�L�Q�U�Z�^�c�d�i�j�p�q�r�w�x�{�|������������������������������������������������������������������������������������������ � ������ �#�&�)�/�3�7�8�<�>�?�B�C�H�I�O�P�Y�Z�`�b�f�g�r�x�|�}����������������������������������������������� � ������.�0�8�9�>�?�C�L�M�[�\�`�a�z������������������������������������������������������������������ �����"�#�'�(�0�1�6�7�<�=�>�M�P�S�\�]�d�e�j�k�n�o�y�z����������������������������������������������������������������$�(�+�,�0�1�9�<�A�E�F�I�K�O�P�S�T�W�X�\�]�a�b�g�h�l�m�v�w�{�|������������������������������������������������������� �#�'�(�)�,�2�;�=�>�C�p�s�v�y�|������������������������������������������������������������� � ����+�,�1�2�8�J������� �����"�#�&�)�:�;�M�N�R�U�X�d�e�f�k�l�~�������������������������������������������������� � �����*�+�0�2�:�;�@�B�M�N�S�U�^�_�f�h�m�o�q�v�x�z���������� ���!�"�#�$�&�'�/�0�1�2�3�4�E�F�G�J��������������������������������������������� �#�'�q�w�x�������������������������������������������������"�&�u������������������������������������������������������������������������������������������������������ � ��������$�%�(�*�/�0�4�8�]�`�a�f�h�i�j�m�p�z�{�|�}���������������������������������������������������������������������������N�R�V�Z�]�_�c�s�v�w�|�}���������������������������������������������������������������������������������������������������������!�(�.�8�9�:�;�<�@�C�J�P�U�X�[�i�j�n�o�p�t�u�v�{�|�������������������������������������������������������� �����"�&�*�-�/�6�9�:�D�E�H�I�N�W�X�[�\������������������������������������������������� ���"�%�&�*�+�.�/�4�7�9�E�H�K�[�^�a�f�g�j�k�l�m�p����������������������������������� �!�"�#�$�%�&�0�1�2�3�X�^�_�b�e�k�o�p�t�u�{�|�~�������������������������������������������������������� �'�(�.�/�1�2�3�4�=�>�?�@�E�F�G�H�N�O�P�Q�Y�[�d�f�h�j�o�q�s�t�u���������������������������������������������������������������������(�.�/�3�4�9�:�@�A�l�m�n�o�p�q�r�s�{�|�}�~���������������������������������������������������� � ���%�&�-�.�4�5�8�9�?�@�D�S�Z�[�a�b�e�f������������� �#�$�\�����������������������������������������������������������������������%�+�2�9�:�>�?�C�D�H�I�N�O�U�V�Y�Z�`�a�g�h�w�x�y�z�~���������������������������������������������������������������������� &'*,012;<v{������������������������� !"+,1:;>?opvz~������������������������������������ %(),/>?FG|�������������������()0156<=OP_`celmnuvz{������������ "45:;EFGHIPQVWXYZlmrstu�������������./249:;@AKLQRXY^ghkl����������������������������  #$%&.01278>?ABCDMNOPY[\]cdeiknqt�����������������������#$%34BCDEHKehk~��������������������������� 7:=LPQ`aeghvw��������������������������            ! " % & * - 1 3 7 A B H I L M Q S Y ] ` b f h k n q w y z } ~ � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � �          # $ ' * - / 0 1 5 6 : ; ? A B E F H K L W X ` a g h l m n o q t x | ~ � � � � � � � � � � � � �          % - . 1 2 6 7 < = ? K L P \ ] ` a e f r s t { | � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � �        ' ( 3 4 8 : ; > ? B C P Q f g p q t u v z { � � � � � � � � � � � � � � � � � � � �  < s � � � � � � � � � � � � � � � � � � � � � �  &+-2kqu{�������������������������� 12489<>EHMNSTYZ[\`afghimpry������������������������������������������  "').34ABGHOPWX\bgio���6]acilr|}�����������������������MZ\^_hnpqx��������� ,-01NORUX[pq|}������������ !,-9:<=ABNOR_`chilnz{���������������������������������&'*+/0;<ABDIJRSWYZghmnvwxy{������������������������  ./23;<DENOWX`ahiwx|}�����������������QRUZ_`himnot�������(*68<=EFRSUZ[fqry{�����������������  JKOPWX����������� $%WX[^ad��������������������������������������������  %&+,-./1267@BFGOP_delmqrz{����������������������������()45@ABOQRbrsxy~��������������������������� &'23?@HIVWdehiz{���������������������� !()NO[\_`mo|}���������������������������������IPQXYhiqrz{~�����������������������     = > A D G _ ` g h l m t u | } � � � � � � � � � � � � � � � � � � � � � � � !!!!&!'!/!0!7!8!;!&A&B&Z&[&f&g&j&k&x&y&z&{&|&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�& 'H'o'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'( ((((( (!($(%(-(.(1(4(8(9(B(C(F(G(P(Q(U(V(](^(i(j(r(s(v(w({(~(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�()) ) )))))))))*)+)6)7)J)K)N)O)P)Z)[)\)^)_)`)a)i)j)})~))�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)*****!*"*%*&*3*4*@*A*B*C*D*K*L*M*N*O*U*a*b*e*f*h*t*u*x*y*}*~*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*++ +++++)+*+,+-+.+/+<+=+I+J+Q+R+U+�+�+�+C,L,M,Y,Z,_,l,m,o,p,},~,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,------------!-#-/-1-2-3-7-9-?-J-L-P-Q-X-Y-Z-[-_-`-e-f-g-k-m-u-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-.. . . . .... .!.".#.$.%.&.*.+.6.7.8.9.:.;.G.H.I.J.x.z.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�./// / /// /!/"/&/(/)/*/+/3/4/=/>/E/F/J/K/L/M/N/O/P/S/U/V/W/c/e/n/p/|/}/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/�/00 0002090:0?0@0D0E0T0U0W0X0[0\0`0d0e0o0p0r0s0v0w0z0}0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0�0111 1 1111#1$1/1013141<1=1H1I1T1U1X1Y1b1c1d1e1p1q1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�1�122 2 22222#2$2=2>2?2M2R2S2V2Y2]2^2g2h2k2l2u2v2z2{2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�2�23 3 3333333 3!3"3#3133353?3@3F3G3M3X3Y3\3k3l3o3q3w3x3~3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3�3O4P4T4Z4[4q4|4}4~44�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4�4 5 5555$5%5&5'5-5.5/5058595C5D5E5G5H5U5V5W5X5b5c5m5n5o5p5w5x5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5�5"6#6)6*6C6D6N6O6b6c6h6i6j6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6�6\7�7�7"8r8}8~8�8�8�8�8�8�8�8�8�8�8�8�8�8�8�8 9 9994959;9<9G9H9O9P9W9X9j9k9z9{9|9~9�9�9�9�9�9�9�9�9�9�9�9�9�9�9::: ::::::4:5:<:=:A:B:�:�:�:�:�:�:�:;;;;; ;$;%;2;3;6;9;<;?;K;L;S;T;[;\;j;k;l;m;z;{;;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�;�; < <<<<<<<<"<#<Q<R<T<U<V<Z<[<b<c<r<t<u<v<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<�<=======$=%=-=.=1=2=5=8=B=C=J=K=N=O=V=W=^=_=j=k=n=o=p=w=x=~==�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=�=>>> >>>>>>>!>*>+>/>0>9>:>;>A>B>I>J>P>Q>V>W>]>^>c>d>r>s>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>�>????? ? ?????????? ?!?(?)?-?.?0?1?4?;?>?A?N?O?S?T?a?b?c?h?i?o?p?u?v?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?�?@@@@@@@ @!@"@#@$@&@'@4@5@6@7@8@9@:@;@<@=@>@E@F@J@K@M@N@Q@X@[@^@k@l@n@o@r@s@u@�@�@�@�@�@�@�@�@�@�@�@�@�@�@�@�@�@�@�@�@�@�@AA A AAAKAPAQAWAXA[A\AaAbAhAiAmAnA�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�A�ABB(B\BaBbBgBlBmBqBsBtBvBwB�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B�B C CCC!C$C%C*C+C/C0C1C5C7C8C9C:CC?CGCHCKCLCNCOCPCRCSCUCWCYCZC[CaCcCfCiClCoCrC�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�C�CDDD DDDDDDD D'DDDFDGDJDKDLDMDQDRDUDVD[D]D^D_DbDfDiDlDuDvDyDzD�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�D�DEEEEEE#E1E4E5E:E;E?E@EAEHEIEJEKELENEOEQERETEVEWEXEYE^E_E`EaEeEhEkElEmEtEwEzE�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E�E1FxF�F�F�F�F�F�F�F�F�F�FGGGGGGGG$G%G*G-G4GxG}GG�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�G�GHHHHHHHHHHHHAHnHsHtH}H~H�H�H�H�H�H�H;IBICIFIKIOIPIVIWIXIYI[IbIcIdIiIjImInIwIxI}I~II�I�I�I�I�I�I�I�I�I�I�I�I�I�I�I�I�I�I�I�I�I J JJJJ#J$J&J'J(J)J/J0J1J2J@JBJHJIJMJRJ^J_JbJcJyJzJJ�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�J�JKKKK K KKKK1K2K5K9K>KJKKKNKOK�K�K�K�K�K�K�K�K�K�K�K�K�KLLLLLLLLLLL"L#L)L*L.L/L4L5L8L;L>LRLSLZL[L^L_L�L�L�L�L�L�L�L�L�L�L�L�L�L�L�L�L�L�L�L�L�L�L�L�L�L�L�L�LMMM"M#M+M,M/M0M5M8M:MIMJMMMNMWMXM\M]M`MaMhMiMpMqM|M}M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�M�MN N NNNN"N#N%N&N'N(N*N+N/N0N6N7N?N@NINJNKNLNSNTN�N�N�N�N�N�N�N�N�N�N�N�N�N�N�N�N�NOOOO OO!O"O%O(O0O3O6OQ@QAQBQFQGQIQRQSQ\Q]QbQcQvQxQ|Q}Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q�Q R RRRRRRRRR R,R-R8R9R?R@RDRERQRRRVRWR]R^RbRcRhRiRmRrRuRxR{R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�R�RSSSSSS$S%S.S/S2S3S9S:SFSGSISMSNSZS[S`SaShSiSjSqStSwSzS~SS�S�S�S�S�S�S�S�S�S�S�S�S�S�S�S�S�S�S�S�S�S�S�STT TTTTTTT"T#T$T&T-T.T1T2T=T>TETFTRTSTVTYTdToTsTxTyT~TT�T�T�T�T�T�T�T�T�T�T�T�T�T�T�T�T�T�T�T�T�TUU:U=U@UCUUUVU\U]UgUhUjUkUpUqU{U|U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�U�UV V V VVVVV,V-V4V5V>V@VJVKVYVZVbVcVfVgVjVkVqVV�V�V�V�V�V�V�V�V�V�V�V�V�V�V�V�V�V�V�V�V�V�V�V�V�V�V�V�V�VWW W W WWW%W+W,W4W5W6W=W>WDWEWHWIWJWNWVWWW[W\W_W`WcWiWlWoWzW{W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�W�WX%X&X,X-X4X5X6X;XYDYEYIYJYRYSYWYXY\Y]YaYcYfYgYpYrYwY{Y}Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�Y�YZZZ ZZZZZZZZZZ Z$Z%Z+Z,Z-Z2Z3Z`?`Q`T`X`[`^`p`q`|`}`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`�`aa aaaaaa"a#a-a2a5a8a;aeDeEeJeKeNeOePeQeReSeVeYegeheiemene�e�e�e�e�e�e�e�e�e�e�ef ff f+f1f2f>f@fMfNfTfUfYf[fbfcftfuf�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f�f�fggg#g$g4gLgZg[g_gaggghgkglgwgxgyg|gg�g�g�g�g�g�g�g�g�g�g�g�g�g�g�g*h3h4h8h9h?h@h\h]h^hbhdhehnhohshuhvh|h}h�h�h�h�h�h�h�h�h�h�h�h�h�h�h�h�h�h�h�h�h�hiiiiiiiiii i(i)i-i.i/i9i;iFiGiJiKiViWiZi[i\i`iaieifinioisitiui{i|i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�i�ijjjjjjjjjjjj$j(j)j*j+j1j2j3j4j8j:j;jj?j@jDjEjFjGjKjMjNjOjPjQjWjXj[jajejhjkjrjsj|j}j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�j�jkkkk k kkkkkkkkk"k#k$k(k)k/k0k2k7k=k>kCkDkHkLkMkPkQkWkXk]k`kdkekhkikmknkqkrkukvkwk{kk�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�k�kl lllll l#l'l7l;lnBnCnDnHnInJnNnOnTnXnYn_ndnfnin�n�n�n�n�n�n�n�n�n�n�n�n�n�n�n�n�n�n�n�n�n�n�n�n�n�n�n�n�nooo o o ooooo$o&o+o,o2o8o9o:o;oAoBoGoHoIoNoToUobocodohoiolomoqowoxo�o�o�o�o�o�o�o�o�o�o�o�o�o�o�o�o�o�o�o�o�o�o�o�o�o�o�o�o�o�opp pppp"p#pUpYpZp^p_pcpdphpipppqp|p}p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�p�pqqqqq$q.q/q5q6q9q:qQqRqXqYq\q]qqqrqtq~qq�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�q�qrrrr r rrrrrrr2r3r6r7r?rErFrQrSrfrgrkrlrorprqrur{r�r�r�r�r�r�r�r�r�r�r�r�r�r�r�r�r�r�r�r�r�r�r�r�r�rsEsGsHsPsQsYsZs\s]s^scsdslsmsnspsqsyszs|s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�s�stttttt#t$t*t+t/t0t4t7t:t=t@tCtJtKtTtUtXtYtbtctitktntstttt�t�t�t�t�t�t�t�t�t�t�t�t�t�t�t�t�t�t�t�t�t�t�t�t�tuuuuuuuuuuu%u'u-u.u1u2u;u{G{H{L{M{N{U{V{Z{[{\{c{d{e{f{g{h{m{n{p{w{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{�{|||$|%|8|<|=|E|F|V|Z|[|_|`|l|p|q|t|u|�|�|�|�|�|�|�|�|�|�|�|�|�|�|�|�|�|�|�|�| }}}}}*}.}/}9}:}L}P}Q}`}a}x}|}}}�}�}�}�}�}�}�}�}�}�}�}�}�}�}�}�}�}�}~~ ~ ~~~~~~#~$~(~)~.~/~5~6~?~@~J~K~Q~R~Y~Z~b~d~i~k~o~q~y~{~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~�~  #$*+01567<=HIOPSVY_`aghnosuvz{��������������������������������� ������ �!�"�#�'�(�,�-�3�e�m�n�r�s�u�~��������������ǀȀҀӀՀրۀ܀�����������5�=�>�H�I�K�L�M�V�W�[�\�]�b�e�����������������������Łȁ�� � ����� �!�*�+�/�0�1�6�7�<�?�z�����������������������������ɂ҂ӂ݂߂������������� � ����� �(�)�*�V�\�]�a�b�c�l�r�{�~�������������������������������������Ńƃփ׃߃��������������������!�&�)�,�5�6�:�;�?�@�D�E�K�T�U�Y�[�\�d�e�g�o�p���������������������������������ÄĄʄ˄τЄӄքلބ߄������5�6�9�<�E�F�J�K�P�Q�U�V�Z�[�a�j�k�o�q�r�z�{�}���������������������������Ņƅʅ˅хمڅ������������������� � ���V�W�Z�]�g�h�i�n�o�x�y�����������������������������ɆʆІцۆ܆������������������ ���7�:�@�A�E�G�H�M�N�R�W�[�e�g�o�q�������������������������������‡ÇLJчӇ؇܇݇���������� � ������"�&�'�,�-�1�6�����������������������������������ÈƈɈ̈҈Ԉ�������"�'�+�,�1�5�6�<�=�>�?�I�J�O�P�Z�[�\�b�k�m�v�x�~�����������������������Éljʉ͉щ׉݉���#�$�3�4�5�T�U�V�b�c�q�r�s���������������������������NJ̊ߊ������"�#�,�4�5�=�?�@�G�H�O�P�`�a�e�f�i�n�s�w�}�����������������������������ȋӋՋۋ݋�����������%�'�,�8�:�@�B�J�P�R�[�\�j�k�n�t���������������������������������������ƌnǰ͌ԌՌ֌׌،ٌތߌ�����������������$�%�*�+�0�7�8�E�J�W�X�_�`�f�m�n�}�~�������������������������č΍ҍՍ׍ٍڍ������������� � ���)�*�4�5�6�:�>�E�I�N�W�[�c�d�l�m�s�{���������������������?�[�������������Ïʏˏ̏ۏ܏���������� �!�&�'�9�`�Ðܐݐސ���������������������� � � ������ �(�)�/�7�8�>�?�C�D�a�b�o�p�t�u�������������������������̑ϑґ������ � ���!�"�0�1�7�8�9�:�;�<�=�A�C�G�H�����������������������’ĒȒʒВђӒԒ������������c�e�i�j�o�p�y�z�����������������������������������“ÓœƓԓՓۓޓߓ������,�1�2�6�7�=�>�G�H�N�O�P�Q�R�S�T�X�Z�^�_�`�g�h�i�q�r�����������������������הؔ�� �����Z�_�`�h�i�m�n�q�t�~������ƕȕɕЕѕ֕ו��������������!�"�%�e�h�j�n�o�u�v�z����������ĖҖӖזؖޖߖ�����������������������M�O�]�^�d�e�f�g�h�i�j�r�s�y�z�{�|�}�������������������� � �����"�#�)�*�+�,�-�.�/�3�5�<�>�?�@�A�X�Y�[�g�h�m�n�r�~���������������������������������������Ø���� �%�0�1�7�8�<�=�C���əՙ֙������������������ � ���"�#�)�+�7�8�<�=�H�I�X�Y�\���������������������ǚȚКҚޚߚ��� ��� �!�"�*�+�W�Y�a�b�t�y�����������������ʛ���������� � � � � ��������� �(�)�Y�a�b�j�k�o�p�q�v�w����������������������������Ɯǜ��������� �������)�*�/�0�4�5�:�;�<�>�@�B�C�D�E�I�J�M�P�i�j�r�s�u�����������������˝̝ٝڝߝ��������������� �����3�4�<�=�?�L�M�Q�R�l�m�u�v�������������������������������žŞԞܞݞ�������������� ��������#�$�*�+�4�5�;�<�=�>�?�@�A�G�I�M�O�P�Q�R�i�j�k�o�p�q�{�|�������������������������� �#�&�J�K�P�Q�S�T�X�Y�_�a�b�f�g�k�l�q�r�{�|���������������������������������͠ΠӠԠנڠ�������� � ����� �!�)�*�/�0�6�7�8�;�<�@�A�B�F�G�O�P�W�X�Y�Z�[�\�]�����������������������������������������šơǡȡɡʡˡѡӡס١ڡۡܡ�������������������"�#�'�(�,�-�/�0�1�C�D�H�I�N�O�S�T�X�Y�]�^�_�e�i�l�m�q�r�z�{����������������������������Ȣɢʢˢآ٢ޢߢ������������� � �����#�$�*�+�0�1�3�4�:�<�=�H�I�K�M�N�]�^�_�`�b�c�k�s�v�y����������������������������� ����&�(�,�.�6�7�=�B�E�M�N�[�\�d���������������������ˤ̤�����$�%�&�'�(�)�*�M�N�P�b�d�h�j�p�q�r�s�z�{���������������������������������������¥åĥťƥǥȥͥե֥ץ������������ � ��������+�,�.�0�1�A�B�C�D�F�G�O�W�Z�]�j�k�s�t�ͦΦҦӦ٦ڦ����������������������� ������"�#�0�1�9�:�;�<�D�E�J�K�N�Q�Y�]�^�d�e�n�o�u�v�w�x�y�z�{����������������������������������������������������� ������0�2�6�8�>�?�G�H�N�O�S�T�\�`�h�i�o�p�t�w���������������������������������ŨƨǨȨɨʨ˨ϨѨըרب٨ڨ���������� ���!�"�&�'�(�-�.�0�1�6�7�;�<�@�B�C�H�I�`�b�g�h�l�m�r�s�|�}�����������������������������ũƩʩ˩Щѩک۩������������ �����%�(�,�2�5�8�9�:�@�C�F�I�T�����������������������������������ªêĪȪɪϪЪ٪ڪުߪ������������� � � �����$�%�9�:�>�F�G�M�N�Q�Y�Z�f�l�t�u���������������������������������������������īū˫̫ի֫ګ۫ܫ����������� � ������3�6�7�:�=�J�S�T�X�Y�_�`�i�k�s�t�}�~�����������������������������������������ìĬʬˬ̬ͬάϬЬ֬ج٬ڬ������������� � ���������!�'�(�+�,�/�2�5�<�@�A�G�H�Q�R�X�Y�Z�[�\�]�^�b�d�h�i�j�q�r�s�{�|�������������������������������­ȭɭʭ˭̭ͭέҭԭح٭ڭ����������� � ����*�+�8�9�d�i�k�l�y�z������������������������������������������������ȮɮήϮӮԮڮܮ���������������� ������!�$�'�0�5�6�7�;�<�E�F�J�K�L�M�N�����������������������������������¯ǯȯͯίϯЯѯүدٯݯޯ������������ � ������#�$�,�-�5�6�:�;�<�A�B���������������������������������������������ưǰ˰̰հذٰڰ߰������ � �����"�#�$�(�)�.�/�3�5�B�C�H�I�M�N�T�U�Y�Z�g�h�n�o�t�u�w�x�~�����������������������������������ұӱ������������ � � ��!�%�'�/�0�5�B�C�F�~���������������������������������²IJŲƲDz޲߲ � ���%�(�)�C�U�W�[�\�e�f�k�l�q�s���������������������������������������������гѳҳسٳڳ۳ܳݳ޳������������������������ � ���������#�$�&�'�(�)�*�.�1�4�Q�R�_�`�j�k�l�p�q���������������������´ϴдԴմִ״ߴ��������� � ����#�$�%�*�6�7�:�s�v�x�y�}�~���������������������������������������������µƵȵεϵеѵصٵݵ޵����������� � ��� �$�%�&�5�6�A�B�C�K�L�a�b�f�g�h�o�p�q�w�x�~������������������������������������������ʶжѶҶֶݶ޶����������������� ������!�$�1�2�=�>������������������������ � � �����(�)�1�2�4�F�H�L�N�T�U�Z�g�h�k�������������������� ����;�>�I�J�N�O�]�^�b�c�f�i�u�v�����ǹɹ͹ιԹչٹ޹���K�N�g���������������������������������ʺ˺кѺҺغݺ�����U�W�b�c�g�h�u�v�z�{�лԻջۻܻ�������������������� �!�%�&�'�6�7�;�<�B�C�L�M�S�T�U�V�W�d�s�t�u�v���������������������������������ǼȼмѼӼ����������������������������"�#�$�*�+�/�0�6�E�F�N�P�Q�R�S�W�Z�]�`�k�q�u�w�x���������������������ʽνϽսֽ߽������������������������ � �����#�$�%�&�'�/�0�8�9�A�B�C�D�E�F�J�K�L�Q�R�T�Y�Z�^�_�d�e�n�o�w�x�z�������������������������������������ʾ˾̾Ծվ������"�#�*�+�2�3�4�5�6�7�8�C�D�G�J�i�m�n�t�u�~������������������������������������ֿ޿߿��������������������������/�1�5�7�=�>�F�G�M�N�V�X�]�`�a�b�f�i�l�u�v������������������������������������������������������$�%�*�+�1�2�9�:�?�@�D�E�Q�R�U�V�`�a�f�g�k�l�m�n�y�z���������������������������������������������������������#�$�)�*�/�2�5�8�J�K�L�P�Q�]�^�c�d�h�i�j�q�r�y�z�}�~������������������������������������������������� � �����!�"�A�C�Q�T�W�Z�a�b�u�v�}�~������������������������������������������������������ ���#�$�%�)�*�+�0�1�8�9�:�>�?�C�D�I�J�N�O�P�T�U�X�Y�Z�[�\�s�u�v�{�}����������������������������������������������������������������������� �����1�=�>�B�D�E�H�I�O�P�h�i�o�p�r�x�{������������������������������������������� � ������5�6�;�<�B�C�I�J�M�P�S�o�p�u�v�|�}���������������������������������������������������������������������� �������!�"�'�(�6�7�<�=�>�B�D�E�J�K�V�W�\�]�a�b�c�h�i�m�~��������������������������������������������������� � �����*�,�-�1�3�4�=�>�C�D�I�J�O�P�T�U�^�_�i�j�n�������������������������������������������������������� ������,�-�3�4�:�;�@�A�K�L�O�P�V�W�]�^�d�e�i�k�l�x�y�~�������������������������������������������������������������������� �!�&�*�+�9�:�>�?�F�G�J�M�S�Z�[�a�b�e�j�k�q�r�}��������������������������������������������������������������������� �!�&�'�,�-�2�3�7�8�=�>�B�C�H�I�N�O�T�U�V�^�_�g�i�v��������������������������������������������������������� � ��������&�'�*�+�,�-�3�4�5�8�D�E�L�M�U�V�W�^�_�m�n�o�p�t�u�y�z�~����������������������������������������������������������������������������� �������!�"�v����������������������������������������������������������� �%�&�+�,�4�5�7�>�@�A�E�F�M�N�R�T�U�[�\�g�h�n�o�u�v�|�}���������������������������������������������������� ���%�'�-�.�6�7�<�=�A�G�K�P�Y�Z�a�b�l�m�s�t�u�����������������������������������������������������)�2�3�:�;�E�F�L�M�N�W�X�h�i�z�{��������������������������������������������������������������������������������� �����%�&�'�,�-�1�2�5�8�J�K�T�U�\�]�i�j�p�q�z�{�|�}���������������������������������������������������������� ����$�1�2�?�@�C�D�J�W�Z�^�_�m�n�o�����������������������������������������������������������������"�%�(�-�.�A�B�D�W�X�]�c�e�x�y�~������������������������������������������������������ �&�'�*�-�2�3�8�9�:�?�@�D�E�V�W�Z�b�c�h�i�p�q�u�y�z����������������������������������������������������� � ���)�*�8�;�>�A�U�Y�Z�_�`�j�k�o�q�r�{�|����������������������������������������������� � ���"�#�)�*�0�A�B�F�M�N�R�S�d�e�m�n�r�s������������������������������������������������������ �'�(�/�0�A�B�E�H�Q�X�Y�]�^�_�e�f�l�m�q�r�v�}�~������������������������������������������������������� ��!�"�+�,�2�3�8�9�B�E�H�[�\�e�f�i�j�o��������������������������������� � ���!�"�+�,�1�2�?�@�D�E�R�S�X�Y�f�g�k�l�u�v�{��������������������������������������������������������� �!�"�#�%�&�*�+�1�2�=�>�D�E�L�P�Q�V�a�d�i�l�o�u�v�������������������������������������������� ��������#�$�*�,�/�2�7�8�?�@�A�B�C������������������������������������������������� ������ �!�"�&�-�.�;�<�=�D�E�K�L�O�P�S�V�`�a�g�n�q�t�~�������������������������������������������������������������� � � ���$�%�,�-�4�5�6�7�8�G�H�L�M�W�X�c�e�u�v���������������������������������������������������������������������������� � ������ �&�'�(�)�*�+�,�1�<�>�E�G�M�N�O�R�T�U�V�W�b�d�k�m�s�t�w�x�y�z������������������������������������������������������������������ �������$�%�+�,�3�4�5�:�;�B�C�D�G�J�Y�Z�e�f�j�k�p�q�t�u�|�}�~����������������������������������� �����#�$�9�:�A�B�I�J�U�W�[�]�d�e�h�i�v�w�x����������������������������������������������������������������������� ������� �!�(�)�,�0�1�6�7�:�;�C�D�E�H�K�N�d�e�m�n�s�t�v�~��������������������������������������������������������� � � ��������"�#�.�/�=�>�B�C�O�P�`�d�h�i�~������������������������������������������������������������7�8�;�>�J�K�U�V�\�]�g�h�i�j�k�o�p�{�}�~��������������������������������������������������������� ��������"�#�*�+�0�1�8�9�;�B�Y�Z�a�b�l�m�n�u�v�}�~���������������������������������������������������'�(�-�.�=�>�E�F�P�Q�R�S�Y�Z�`�a�b�i�p�s�v���������������������������������������������������������������������!�"�I�J�P�a�c�d�g�h�m�n�o�p�w�x�}�~������������������������������������.�/�4�5�9�;�<�?�@�L�N�Q�S�\�]�e�f�i�j�r�s�v�y�|���������������������������������������������������������������������������'�(�*�6�7�;�<�K�L�X�Y�h�i�n�z�{������������������������������������������������������������� � � � �������#�$�)�*�?�@�J�K�P�Q�U�j�k�u�v�y�|����������������������������������������������� � �4�5�7�?�F�G�T�U�]�^�d�e�m�n�t�u�y�z������������������������������������������������%�&�(�0�=�>�F�G�M�N�V�W�\�]�j�k�n�r�s�~������������������������������������������������������������������������������� � � � �����!�"�#�$�%�&�)�,�/�0�6�7�>�?�E�F�L�M�S�W�^�_�h�i�j�r�v�|�}�������������������������������������������������������������������������!�"�&�'�+�,�1�5�7�A�Y�Z�^�_�d�h�i�n�o�t�u�w�{�|��������������������������������������������������������� �%�;�<�?�C�H�^�_�b�e�h�z�{�~���������������������������������������������������!�"�$�*�+�0�1�6�7�O�P�U�V�]�^�_�e�f�y�z���������������������������������������������������������������������������� � ������!�'�(�+�,�6�7�>�?�D�F�L�M�R�S�Y�Z�a�b�s�t�u�x�{���������������������������������������������������������$�&�'�+�[�_�`�a�h�l�m�s������������������������������������������������$�&�'�(�+�,�1�2�=�A�D�E�J�K�R�U�[�]�`�a�j�k�u�v�������������������������������������������������������������� � �������"�%�(�5�6�7�9�:�@�H�I�W�X�^�j�|�~����������������������������������������������������������������������������������� � � ����!�$�&�'�(�)�,�-�C�G�M�P�R�U�W�X�Y�_�d�e�h�i�k�w�|���������������������������� � � ��������!�#�'�-�1�3�4�5�6�7�9�;�<�=�A�B�F�H�I�J�K�L�N�Q�R�S�V�Y�\�b�c�i�j�m�n�o�q�r�t�z�{���������������������������������������������������������3�9�?�@�G�H�O�P�U�V�Y�[�\�]�^�_�`�f�g�k�l�m�s�t�z�}��������������������������������������������������������� � ������� �$�%�+�,�0�1�5�6�<�=�H�L�S�U�c�f�i�l�o�p�y�z�~�������������������������������������&�'�+�,�2�3�A�B�I�J�N�O�S�T�]�^�_�c�d�j�k��������������������������������������������������������������� � ���&�'�0�1�4�7�C�D�M�N�R�S�X�Y�i�k�l�u�w�y�{������������������������������������������������������������������� �"�&�'�-�.�<�>�B�C�R�S�U�V�_�a�e�g�k�l�r�s������������������������������������������������������������������� ��#�(�*�6�:�;�A�B�P�R�X�Y�g�j�m�p�w�{����������������������������������=�E�H�K�V�W�b�c�o�p�r�s�x�y�}�~��������������������������������������������������������������������������������� �������'�(�/�0�8�9�=�@�A�H�I�N�Q�Z�[�_�a�b�k�l�o�p�t�u�y�z��������������������������������������������������������������������������� �'�*�0�2�8�9�G�H�O�P�W�X�a�b�i�j�r�s�w�z�}��������������������������������������������������������������������� � ������!�"�&�(�.�0�4�5�C�N�O�U�V�Z�[�p�q�w�x�y�|�������������������������������������������������������������������  %&*���������� '()*/012789:CDRS_`deijvw�������������������������������������������� &+-16:;<=AFHLNOQRWY]`eijklpuw{}~��������������������������'FHQS[]bdeghopuy������������������������������������  !"&'./9:@ATUYZ_`dmnx~������������������������������������  ()-.147:=OPUVZ[_dejkoptu}~����������������������������������%()/23<ilmrstvxy|}�������������������  #$%*+01;<=ADGTUYZabklprswxz{�������������������������  %&45<=ABCGHUVXY`acdmnpqtxy������������������������������������������             " # ' ( , . 6 7 8 ; < B C D E F J L f g h k l r s t u v } ~ � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � �           ( ) * - . 4 5 6 7 8 ; ? A J K L M P V W X [ \ ` a e f j k n q { | � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � � �          # $ ) * . / 7 = B C K L R S X Y b f k o y } � � � � � � � � � � � � � � � � � � � � � � �       ( ) A D G J V W [ \ c d k l o p q u v ~  � � � � � � � � � � � � � �          , - 6 7 : ; < @ A I J x � � � � � � � � � � � � � � � � � � � � � �  "#$()23:;DEJKUW\]^`ijrswx�����������������  ')./02;<DEIJX����������������������������  "34<=DEKLMSTWZ]`ghqryz��������������������������������������nouxz���������������������������  23;<CDHIOQUVYZ^_fgnovw{}~����������������������&'+,3489:=?FGMNPQUV\]abdhino{|}���������������������������������������������   )*./2@AIJNO\]demnrs{|������������������������������������  "#).348;<?@EFKLORY]^`jno}~����������������������������������������� &'-./78>?CDJNRS`aefjknqu~������������������������������������������  "#$+,3489TWZ`ahijklst��������������������67@EFLMUV]^lmnostu��������������������� )*23=>@AIJRSYZ[^aoyz���������������������������  %&+59:JKOPQWX^_abklnowx��������������������������������    #.234589KLMQR\]_cdnoptu{�������������������������������  +459:CQZ[deijnopqz{����������������������������&6?@IJNOSTUV_`depsv�������������������������  $-.78<=ABCDMNRS[^adeijkpxy}~����������������������������� #$,-56<=>DEJKQRS[\aghijklmsyz~������������������������������           " & - . 5 @ G O P W ] ^ a b p q z { � � � � � � � � � � � � � � � � � � � � � � � � � � � � !!!!!!!!%!&!*!+!9!:!@!A!G!H!P!Q!S!T!\!]!a!b!k!l!t!u!{!|!}!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!�!""""$"."2"3"M"N"R"S"T"^"_"c"d"e"f"o"p"r"s"{"|"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"�"## # # ###(#*#+#4#>#B#C#]#^#b#c#d#u#v#x#y#z#{#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#�#$$$$!$"$5$6$=$>$\$]$b$c$e$f$n$o$p$q$z${$�$�$�$�$�$�$�$�$�$�$�$�$�$�$�$�$�$�$�$�$�$�$�$�$�$%%%%%%%%%%%!%"%$%%%-%.%/%2%5%C%L%M%Q%R%S%T%^%d%e%f%p%q%}%~%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�%�% &&&!&"&&&'&(&)&3&9&:&;&L&M&X&Y&[&\&d&e&f&g&p&q&y&z&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&�&'''''''''&'''(')'2'3';'<'B'C'D'G'J'V'Z'['\']'b'c'd'i'j'm'n's't'z'~'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'�'((((( ( ( (((((((*(.(/(0(1(F(I(J(V(W(X(Y(^(_(c(d(n(o(q(u(v(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�(�()))) ) )))))*)-).)1)2)7)8)=)>)A)D)O)Q)R)U)V)[)e)i)j)m)p)r)w)~))�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)�)***** * ******** *(*)*/*0*1*4*7*A*J*K*O*P*Q*R*\*c*d*e*j*k*n*o*p*u*y*}*~*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*�*+++++++++ +$+%+*+++/+0+1+2+3+;+<+=+>+?+D+E+O+P+Q+R+V+W+[+\+]+^+_+`+o+p+q+z+{++�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+�+,, , , , , ,,,,,, ,&,',),*,2,3,4,5,6,;,<,C,D,J,K,M,N,V,W,X,Y,Z,_,`,g,h,i,n,o,p,q,r,},~,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�,�, - -----!-"-#-+-,-U-V-Y-Z-]-^-c-d-k-l-q-r-u-v-y-{--�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�-�- . . .........#.$.'.(.,.-.../.6.7.;.<.=.H.I.P.R.U.W.b.u.v.w.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�.�./// / ///"/#/$/)/*/+///0/4/5/size.serversifretrye=>Exceptionrescue})req(request.http|http|{start.hDefaultTimeout||timeout.class.self=ssl_timeout.hDefaultTimeout||timeout.class.self=read_timeout.h# this blocks forever by default, lets be a bit less crazy.60=open_timeout.h# set some timeoutsVERIFY_NONE::SSL::OpenSSL=verify_mode.htrue=use_ssl.h)port.url,host.url(new.HTTP::Net=hquery_params=body.reqlicense_key::Maxmind,user_id::Maxmindbasic_auth.req)}'application/json'=>'Content-Type'{=initheader,path.url(new.Post::HTTP::Net=req)shift.servers(parse.URI=url}"https://#{hostname}/minfraud/chargeback"|hostname|{map.SERVERS||=servers)query_params(postdefendprocessedreturnend}]'href'[]0[)'a'(css.]3[children.tr:nil?0==count.)'a'(css.]3[children.tr:href,content.]3[children.tr:description,]1[split.]'class'[child.]2[children.tr:action,content.child.]1[children.tr:author,)]'datetime'[child.]0[children.tr(parse.Time:time,]'data-fullname'[tr:fullname{<<]:data[processed|tr|doeach.data},)]'datetime'[child.]0[children.]1-[data(parse.Time:last_date,]'data-fullname'[]1-[data:last,)]'datetime'[child.]0[children.]0[data(parse.Time:first_date,]'data-fullname'[]0[data:first,][:data{=processed)'.modactionlisting tr'(css.)body.)options:query,"/r/#{subreddit}/about/log"(get(parse.HTML::Nokogiri=dataoptsmerge.}100:limit{=optionslogged_in?}{=opts,subredditget_modlogdefend)}'json':api_type,@modhash:uh,spam:spam,id:id{:body,'/api/remove'(postlogged_in?false=spam,idremovedefend)}'json':api_type,@modhash:uh,how:how,id:id{:body,'/api/distinguish'(post}specialadminnoyes%w{=howslogged_in?"yes"=how,iddistinguishdefend)query:query,url(get# Make the requestopts=query}kdelete.opts|k|{each.]:page,:subreddit[# Delete subreddit and page from the hash, they dont belong in the query])]:page[optsif]:page[opts(,)]:subreddit[optsif]:subreddit[opts+'/r/'([%"%s/%s.json"=url# Build the basic url}{=optsget_listingdefend)query:query,url(get])]:comment_id[optsif]:comment_id[opts+'/blah/'(,]:link_id[opts,)]:subreddit[optsif]:subreddit[opts+'/r/'([%"%s/comments/%s%s.json"=urloptsmerge!.query}100:limit{=query}{=optsget_commentsdefend)}'json':api_type,subreddit:r,@modhash:uh,enabled:flair_enabled{:body,'/api/setflairenabled'(postlogged_in?subreddit,enabledflair_toggledefend)params:body,'/api/selectflair'(postoptsmerge!.params}'json':api_type,subreddit:r,@modhash:uh,template_id:flair_template_id{=paramslogged_in?}{=opts,subreddit,template_idselect_flair_templatedefend)params:body,'/api/flairtemplate'(postoptsmerge!.params}'json':api_type,subreddit:r,@modhash:uh,false:text_editable,'USER_FLAIR':flair_type{=paramslogged_in?}{=opts,subredditflair_templatedefend)}@modhash:uh,subreddit:r,csv:flair_csv{:body,'/api/flaircsv.json'(postlogged_in?subreddit,csvflair_csvdefend)options:body,'/api/flairconfig'(postoptsmerge!.options}'json':api_type,subreddit:r,@modhash:uh,false:link_flair_self_assign_enabled,'right':link_flair_position,false:flair_self_assign_enabled,'right':flair_position,true:flair_enabled{=optionslogged_in?}{=opts,subredditflair_configdefend)}'json':api_type,@modhash:uh,subreddit:r,id:flair_template_id{:body,'/api/deleteflairtemplate'(postlogged_in?subreddit,iddelete_flair_templatedefend)}'json':api_type,@modhash:uh,subreddit:r,user:name{:body,'/api/deleteflair'(postlogged_in?subreddit,userdelete_user_flairdefend)}'json':api_type,@modhash:uh,subreddit:r,type:flair_type{:body,'/api/clearflairtemplates'(postlogged_in?subreddit,typeclear_flair_templatesdefend)query:query,"/message/#{where}.json"(getoptsmerge!.query}false:mark{=query}{=opts,"inbox"=whereget_messagesdefenddeletereturn)}'json':api_type,@username:user,@modhash:uh,password:passwd,reason:delete_message,true:confirm{:body,'/api/delete_user'(post=deletelogged_in?"deleted by script command"=reason,passworddelete_userdefend]'id'[]'data'[meinfo+'t2_'=@userid]'name'[]'data'[meinfo=@username)"/api/me.json"(get=meinfomodhash=@modhashcookiesset_cookiescookies,modhashauthdefendloginreturn]'id'[]'data'[)'/api/me.json'(get+'t2_'=@useridusername=@username]'modhash'[]'data'[]'json'[login=@modhash]'set-cookie'[headers.loginset_cookies0==size.errorsunless]1[]0[errorsraise]'errors'[]'json'[login=errors)}'json':api_type,password:passwd,username:user{=>:body,"/api/login"(post=loginpassword,usernamelog_indefendresponse200==code.responseunlesscode.response,WebserverErrorraiseblock,argsget.class.self=responseblock&,args*getdefend"banned":type,subreddit:r,user:name,container:containerunfriend_wrappersubreddit,user,containerunban_userdefend"contributor":type,subreddit:r,user:name,container:containerunfriend_wrappersubreddit,user,containerremove_contributordefend"moderator":type,subreddit:r,user:name,container:containerunfriend_wrappersubreddit,user,containerremove_moderatordefend"banned":type,subreddit:r,user:name,container:containerfriend_wrappersubreddit,user,containerban_userdefend"contributor":type,subreddit:r,user:name,container:containerfriend_wrappersubreddit,user,containeradd_contributordefend"moderator":type,subreddit:r,user:name,container:containerfriend_wrappersubreddit,user,containeradd_moderatordefend)query:query,url(getopts=query:conditiondelete.opts)]:condition[optsif]:condition[opts(%"/reddits/%s.json"=url}{=optsget_redditsdefend)query:query,url(getopts=query:conditiondelete.opts)]:condition[optsif]:condition[opts(%"/reddits/mine/%s.json"=urllogged_in?}{=optsmy_redditsdefend)}'json':api_type,@modhash:uh,subreddit:sr,action:action{:body,'/api/subscribe'(postlogged_in?"sub"=action,subredditsubscribedefend)}'json':api_type,@modhash:uh,stylesheet:stylesheet_contents,subreddit:r,'save':op{:body,'/api/subreddit_stylesheet'(postlogged_in?subreddit,stylesheetset_stylesheetdefend)}'json':api_type,@modhash:uh,image_name:img_name,subreddit:r{:body,'/api/delete_sr_image'(postlogged_in?image_name,subredditdelete_imagedefendend"No Gotchas Installed"raiseelse)]:text_field_options[options,nil,fieldtext_field_tag(+"\n"+)]:label_options[options,question.gotcha,fieldlabel_tag("gotcha_response[#{gotcha.class.name.to_s}-#{Digest::MD5.hexdigest(gotcha.class.down_transform(gotcha.answer))}]"=fieldrandom.Gotcha=gotchaif}{||=]:text_field_options[options}{||=]:label_options[options)}{=options(gotchadefend# don't change @answer type)to_s.@answer:@answer?)String(is_a?.@answer(==strto_s.str:str?)String(is_a?.str=str)str(correct?defend)}'json':api_type,@modhash:uh,direction:dir,id:id{:body,'/api/vote'(postlogged_in?id,directionvotedefend)post:body,'/api/submit'(postoptsmerge!.post}'json':api_type,)"self":"link"?]:url[opts(:kind,@modhash:uh,subreddit:sr,title:title{=postlogged_in?}{=opts,subreddit,titlesubmitdefend)}'json':api_type,@modhash:uh,id:thing_id,text:text{:body,'/api/comment'(postlogged_in?id,textcommentdefend)query:query,url(getopts=query:typedelete.opts])'overview'!=]:type[optsif]:type[opts+'/'(,username[%"/user/%s%s.json"=urlnil?.]:type[optsif'overview'=]:type[opts}{=opts,usernameget_user_listingdefend)"friend"=api_type,note=api_note,@userid=api_container,name=api_name(friend_wrappernil=note,friend_id,namefrienddefendendendend)}file_locale:locale{,}layout:layout,self:page{(render.viewwrite.f'default'||layout.@props=layout|f|do)'w',dest(open.File)dest(mtime.File>)content_file(mtime.File||)dest(exist?.File!||]:force[optionsifend))dest(dirname.File(mkdir_p.FileUtils))dest(dirname.File(exist?.Dirunless)file_locale,dest_dir(destination_file=destcontent_fileunlessnext)file_locale(content_file=content_file|file_locale|doeach.locales.@config)@config,self(new.View::Render=view)options,dest_dir(render_content_filesdefendend)to_path,target(ln_s.FileUtils}"Symlink #{to_path} => #{target}"{debug.logger.Amberexist?.to_path!ifend)to_path(unlink.Filesymlink?.to_path&&exist?.to_pathifendreturn}"On page `#{@file_path}`, the parent directories for alias name `#{to_path}` don't exist. Skipping alias."{warn.logger.Amberdirectory?.dirname.to_path!if)'',/\/\.\./(sub.to_s.)to_path(relative_path_from.from_path=target)to_path(realpath=to_path)to_path,from_path(symlinkdefendendend)locale,)locale(aliases,dest_dir(link_page_aliasesany?.)locale(aliasesif|locale|doeach.locales.@props)dest_dir(render_assets)options,dest_dir(render_content_files)}{=options,dest_dir(render_to_filedefendargs,"CCPEVE.requestTrust(#{trust_url.inspect});"javascript_tag)Hash(kind_of?.trust_urlif))false=>:only_path(merge.trust_url(url_for=trust_url)args*,"http://#{request.host}/"=trust_url(request_trustdefendargs,"CCPEVE.requestTrust(#{trust_url.inspect})",textlink_to_function)Hash(kind_of?.trust_urlif))false=>:only_path(merge.trust_url(url_for=trust_url)args*,"http://#{request.host}/"=trust_url,text(link_to_trust_requestdefendargs,function,textlink_to_function")"concat.functionsource_idif", #{source_id.inspect}"concat.function"CCPEVE.showRouteTo(#{destination_id.inspect}"=function)args*,nil=source_id,destination_id,text(link_to_routedefendargs,function,textlink_to_function")"concat.functionitem_idif", #{item_id.inspect}"concat.function"CCPEVE.showInfo(#{type_id.inspect}"=function)args*,nil=item_id,type_id,text(link_to_infodefendend"Unknown type: #{which}",ArgumentErrorraiseelse3867then'station'when5then'solarsystem','solar system'when3then'region'when4then'constellation'when2then'corporation'when1377then'character'when16159then'alliance'whenwhichcasedowncase!.which)String(kind_of?.whichunlesshumanize.to_s.which=which)which(type_iddefendendselfelse)heading(parent_for.last.childrenheading'<'<:href_base,tag=>:tag,str=>:indent_str,2+indent=>:indent{(to_html.item<%s'<'<'<:href,text.item,"a"(create_element.document.li(add_child.li)"li"(create_element.document.node=li|item|doeach.@children)options,node(populate_nodedefendjoin.}inner_text.child|child|{collect.children.)'UTF-8',html(parse.DocumentFragment::HTML::Nokogiri)html(strip_html_tagsdefend)str(escape.CGI# spaces to dashes, preferred separator char everywhere)'-',/u\ /(gsub!.str# upper case characters in urls are confusingdowncase!.strstrip!.str# remove non-word characters (using unicode definition of a word char))'',/u/(gsub!.str# remove html entitities)'',/\w/(gsub!.strdup.str=str)str(nameizedefendmenu}last.children.menu=menu{times.depthself=menu)depth(last_menu_at_depthdefendhshendend)file,directory(join.File=]to_sym.locale[hshdefault_locale.I18n||]'locale'[match=locale)file(match.regexp=match&&fileif|file|do)directory(foreach.Dir}{=hshendVAR_FILE_MATCH_RE=regexp@file_path=directoryelse)@name(call.SIMPLE_VAR_MATCH_RE=regexp)@file_path(dirname.File=directory@simple_pageifvariable_filesdefend]excerpt,headers[returnendendpara1=excerptelsepara2=excerpt/m\s/=~para1||//=~para1if:markdown==file_typeelsifendpara1=excerptelsepara2=excerpt/\./=~para1if:textile==file_typeif# but is also cheap and fast :)# this is stupid, and chokes on nested headings.# pick the first non-heading paragraph.""=excerptjoin.para2=para2join.para1=para1join.headers=headersendendline< :encoding,content_file(open.File)content_file(type_from_path=file_type][=para2][=para1][=headers)content_file(parse_headersdefendendendpage=]alias_path_str[path_hashelse"WARNING: page `#{page.path.join('/')}` has alias `#{alias_path_str}`, but this path is already taken by `#{path_hash[alias_path_str].path.join('/')}` (locale = #{locale})."warn.logger.Amber]alias_path_str[path_hashif)'/'(join.alias_path=alias_path_str|alias_path|doeach.)locale(aliases.page)path_hash,page,locale(add_aliasesdefendpage<<@page_listend)]locale[@pages_by_locale_path,page,locale(add_aliasesdefault_locale.I18n==localeifnext|locale|doeach.locales.page)@pages_by_path,page,default_locale.I18n(add_aliasespage=])'/'(join.path.page[@pages_by_pathpage||=]name.page[@pages_by_name)page(add_pagedefendputs)dest_dir.@config,pages_dir.@config,@config(write_htaccess.Apache::Renderendrender_short_path_symlinksshort_paths.@configifendflush.$stdout;'.'putc)dst,src(render_dir.Asset::Render)directory,dest_dir.@config(join.File=dst)directory,pages_dir.@config(join.File=src|directory|doeach.@dir_listendflush.$stdout;'.'putc)dest_dir.@config(render_to_file.page|page|doeach.@page_listrenderdefend}h;col=]name.col[h|col,h|{)}{(inject.colModelcolumns_hashdefend)paragraphes,title,space_number(format_paragraphputs)true=title,50=space_number,paragraphes(super_printdefendend_time"Tasks #{self.class} executed in #{end_time} seconds. \n\n"putsstart-now.Time=end_timeblock_given?ifyieldnow.Time=start"Running #{self.class}[#{self.status.arguments}](#{self.status.direction})"putstime_itdefendenddirection_to_i.status+=current_status.status.selfblock_given?ifyield"\t #{step_message}"putsstep_message=message.status.self)step_status,direction.status(status_processed?.statusunless)1=step_status,nil=step_message(stepdefend)0==current_status.status.self&&DOWN==direction(||)status_complete.self==current_status.status.self&&UP==direction(0==execution_time.status.selfiffalsereturn)direction(completed?defend)0>current_status.status&&DOWN==direction(||)status_complete:error_backtrace,class.exception=>:error_class,message.exception=>:error_message(new.MigrationError=error.status.self)exception(=failuredefendnow.Time=last_succesful_completion.status.self})direction(send.self{time_it=execution_time.status.self)direction(completed?&&rerunnable_safe?.class.selfifreset!.status.self# reset the status if the job is rerunnable and has already be completeddirection=direction.status.self)direction(rundefendendDEFAULT_SYSTEM::Finitioelsedata_system.parent.self)nil?.parent.self(notelsif)read.schema(parse.DEFAULT_SYSTEM::Finitiofile?.schemaif"schema.fio"/folder.self=schemadata_systemdefendendchildchild<<@childrenblock_given?if)child(yieldendfolder=folder.cself=parent.c|c|dodup=child)@folder(inside?.folderunless"Folder must be a descendant"raisedirectory?.folder&&exists?.folderunless"Folder `#{folder}` does not exists"raise)folder(Path:folder/@folder?)String(is_a?.folder=folderelse@foldernil?.folderif)bl&,nil=folder(folderdefendend}f===ff{)f(->else}to_s.f=~ff{)f(->thenRegexpwhenffthenProcwhen}true{)f(->thenNilClasswhenfilter=ffcase)filter(to_filter_procdefendend"Unable to resolve `#{url}` : no host resolver provided\nSee `Configuration#host="raiseblock_given?if)url(yieldreturn//=~urlifurlreturnelse"#{config.host}#{url}":url?//=~urlStringwhen)test_case,url(call.host.configProcwhenhost.configcase)bl&,nil=test_case,url(to_real_urldefendend)self,file,load.file(resource.Webspicyyield|folder,file|doeach_resource_fileblock_given?unless):each_resource(enum_forreturn)bl&(each_resourcedefendendfolder,fileyield|file|doeach.))file_filter.config(to_filter_proc(select.)"**/*.yml"(glob.folderfolder.config=folder)config(_each_resource_filedefendupcase.)"&key=#{key}"+params_str(hexdigest.MD5::Digestendapi_key.Wxpay=keyelseapp_api_key.Wxpay=key//=~params_strifparamscreate_sign_str=params_strparamssign_packagedefendschemaend1exitmessage.eputse=>StandardErrorrescue1exit"Schema read from #{path} is empty"putsEmptySchemaErrorrescue1exitmessage.eputs"Encountered an error reading JSON from #{path}"putse=>JSONError::JSONrescue)schema(empty_schema?ifEmptySchemaErrorraise))path(read.IO(parse.JSON=schema# TODO: validate this is legitimate JSON Schemabeginnil=schema)path(readdefend)]:output_directory[options,models(write.Output::Nidyx)options,raw_models(map.Mapper::Nidyx=models)options,schema(parse.Parser::Nidyx=raw_models)schema_path(read.Reader::Nidyx=schema)options,schema_path(rundefendend][returnelsecompact.])]REF_KEY[items(class_name_from_ref[return)]REF_KEY[items(resolve_reference_string)Array(is_a?.any_ofif)any_of(resolve_items_arrayreturn]ANY_OF_KEY[items=any_of# handle a nested any of keyHashwhen)items(resolve_items_arrayreturnArraywhenitemscase]ITEMS_KEY[obj=items)obj(resolve_array_refsdefendend;UnsupportedSchemaErrorraiseelseend;UnsupportedSchemaErrorraiseelse)path(generate_top_leve_array)ARRAY_TYPE(include?.typeelsif)name,path(generate_object)ARRAY_TYPE(include?.typeifUnsupportedSchemaErrorraise)OBJECT_TYPE(include?.typeif)Array(is_a?.typeelsif)path(generate_top_level_arrayARRAY_TYPE==typeelsif)name,path(generate_objectOBJECT_TYPE==typeif]TYPE_KEY[object=type)path(get_object=object)name,path(generatedefendend)options,models(map.ObjCMapper::Nidyx"objective-c","obj-c","objc"whendowncase.]:platform[optionscasevalues.models=models)options,models(mapdefend]}]c[@definition<StandardExceptionrescue}"Finished reading #{@source.url.green}"{debug.Log)zip(extract_to_tempfilesrewind.zipread.)url.@source(open<Exception::rescueendend)new_content_type,:@content_type(instance_variable_set.fileelsenew_content_type=content_type.file):content_type=(respond_to?.fileiffirst.)';'(split.)path.file(file.)MAGIC_MIME::FileMagic::(new.FileMagic::=new_content_type)content_type.file(generic_content_type?||blank?.content_type.file||overrideif)false=override(set_magic_content_typedefendend])response(new.klass[elseend)element(new.klass|element|docollect.]key[responsekeyhas_key?.responseelsif)response(new.klassnil?.keyif)options,path,http_method(send.request=response)}user_agent=>'User-Agent'{,@access_token(new.Request::HTTP::WithingsSDK=request)options(normalize_date_params.Utils::WithingsSDK=optionsend"Missing consumer_key or consumer_secret",ClientConfigurationError::Error::WithingsSDKraisenil?.@consumer_secret||nil?.@consumer_keyif)}{=options,key,klass,path,http_method(perform_requestdefend))options(merge.}user_id:userid,'get':action{,'series',SleepSeries::WithingsSDK,'/v2/sleep',:get(perform_request)}{=options,user_id(sleep_seriesdefendflatten.endend))date.group=>'weighed_at'(merge.attrs.m(new.Weight::Measure::WithingsSDK|m|domap.}Weight::Measure::WithingsSDKis_a?.m|m|{select.measures.group|group|domap.groups)options,user_id(body_measurements=groups)}{=options,user_id(weightdefend))options(merge.}user_id:userid,'getmeas':action{,'measuregrps',MeasurementGroup::WithingsSDK,'/measure',:get(perform_request)}{=options,user_id(body_measurementsdefend))options(merge.}user_id:userid,'getactivity':action{,'activities',Activity::WithingsSDK,'/v2/measure',:get(perform_request)}{=options,user_id(activitiesdefendoptionsmerge!.propertiesendend)key(delete.options=]property_name[optionselse))key(delete.options,"#{property_name}="(send"#{property_name}="respond_to?ifto_sym.underscore.to_s.key=property_name|key|doeach.keys.options# Clean up and symbolize all the keys then merge that with the existing properties)}{=options(_loaddefendmcwindow=window.mcscene=scene.mcoptionsnew.model_class=mc)model_name(find.Models::Metro=model_class# @TODO: this is another path that parallels the ModelFactory)}{=options,model_name(createdefenddrawnenddrawer_hashmerge.hashto_hash.drawer=drawer_hash|drawer,hash|do)}{(inject.}saveable_to_view.draw|draw|{find_all.drawers=drawnto_hashdefend)self(prepare_transition_from.new_scene)new_scene(prepare_transition_toend_save.current_actor_load.new_actor)name.actor_factory(actor=current_actor)name.actor_factory(actor.new_scene=new_actor|actor_factory|doeach.}load_from_previous_scene?.actor_factory|actor_factory|{find_all.actors.class.new_scene"Preparing to transition from scene #{self} to #{new_scene}"debug.log)new_scene(_prepare_transitiondefendnew_scene=scene.window)new_scene(_prepare_transition)options,scene_or_scene_name(generate.Scenes=new_scene)}{=options,scene_or_scene_name(transition_todefend}draw_completed?.drawer|drawer|{reject!.drawersdraw}draw.drawer|drawer|{each.drawersbase_drawdefend}update_completed?.updater|updater|{reject!.updatersupdate}update.updater|updater|{each.updatersbase_updatedefend)events.class.registering_actor,registering_actor(register_events_for_target)registering_actor(push.updaters)registering_actor(push.drawersshow.registering_actorwindow=window.registering_actor)name.actor_factory(actor=registering_actor)actor_factory(register_actordefendendon_complete_block.animation,options.animation,actor.animationanimate|animation|doeach.animations.class.selfregister_animations!defendendactor_instance,"#{scene_actor.name}="sendself=scene.actor_instancecreate.scene_actor=actor_instance|scene_actor|doeach.actors.class.selfadd_actors_to_scenedefendtickenqueue)block(on_complete.tickself:context,ticks:intervalnew.OnUpdateOperation=tick)block&,ticks(afterdefend)sender,event(fire_events_for_notification.stateUnknownSender||sender=sender)nil=sender,event(notificationdefendendactor_or_actor_nameelse)actor_or_actor_name(sendSymbolis_a?.actor_or_actor_nameorStringis_a?.actor_or_actor_nameif)actor_or_actor_name(actordefendcompact.flatten.end)scenes.scene(all_scenes_for+]scene[constantize.scene_class_name=scene|scene_class_name|domap.)scenes(Array)scenes(all_scenes_fordefendhash"Metro::MissingScene"=]:missing_scene[hashendmissing_sceneto_sym.key=missing_scene.missing_sceneconstantize.]:missing_scene[hash=missing_scene|key,hash|donew.HashWithIndifferentAccess=hashhash_with_missing_scene_defaultdefend})options,scene(filter.post|post,scene|{)new_scene(inject.post_filters)options,new_scene(apply_post_filtersdefend}to_s.scene=]scene_name.scene[scenes_hash|scene|{each.)scene(all_scenes_for)scene(adddefend)block,}html_class=>:class{=>:cell_html,""=>:heading,action(cell.selfendend))action=>:action,compound_resource(polymorphic_path.@template,)action(link_title(link_to.@template# edit, other resource GET actionselse)}confirmation_message=>:confirm{=>:data,:delete=>:method,compound_resource,)action(link_title(link_to.@template:destroywhen)compound_resource,)action(link_title(link_to.@template:showwhenactioncase)Array(kind_of?.prefixifflatten!.compound_resourcecompact.]resource,prefix[=compound_resource|resource|dolambda=block"actions #{action.to_s}_link"=html_class)prefix,action(action_linkdefendend)prefix,to_sym.action(action_link|action|doeach.actions]:all[==actionsif]:destroy,:edit,:show[=actions):each(respond_to?.actions!if]actions[=actionsblank?.actionsifreturn)nil=prefix,actions(action_cellsdefend""return# empty string; this suppresses unwanted output# Since this will likely be called with <%= %> (aka 'concat'), explicitly return an )proc,args(new.TableField<<@table_fieldsoptions<:klass(merge!.optionsextract_options!.args=options)proc&,args*(celldefendhtml_safe.)""(join.]"\n",body,"\n",head,"\n"[)]:action_prefix[options,]:actions[options(action_cellsend})to_sym.f(new.TableField|f|{collect.args:orm_fields?empty?.args=@table_fieldselseselfyieldblock_given?ifextract_options!.args=options# :yields: tablebody)block&,args*(datadefendendnext_scenetransition_todointerval:interval,}alpha.color:alpha,blue.color:blue,green.color:green,red.color:red{:to,:rectangleanimatefinal_color=colorstarting_color=color.rectangleshowdefendshow.window)first_scene(generate.Scenes=scene.windowname=caption.windowfullscreen?,height,widthnew.Window=@windowstart!defend)options,name(define_control}Hashis_a?.param|param|{find.params=options)block&,params*,name(method_missingdefendrelaypush.current_stateendblock.target_event,buttons.target_event,event.target_eventsend.relay|target_event|doeach.events)window,target(new.EventRelay=relay)events,target(add_events_for_targetdefend})sender,event(fire_events_for_notification.cs|cs|{each.current_state)sender,event(fire_events_for_notificationdefendend)final,start,attribute(build_animation_steppush.animations)attribute(send.actor=start|final,attribute|doeach.toafter_initializedefendendto_s.model=]name_with_colons[models_hash)'::','/'(gsub.name_with_slashes=name_with_colonsto_s.model=]name_with_slashes[models_hashmodel_name.model=name_with_slashesto_s.model=]to_s.model[models_hash|model|doeach.)model(all_models_for)model(adddefendend)action(instance_eval.targetelse)action,sender(instance_exec.target1==arity.actionelsif)action,event,sender(instance_exec.target2==arity.actionif)action,sender,event(_fire_event_for_notificationdefendend)action,sender,event(_fire_event_for_notification|action|doeach.notification_actions]event[custom_notifications=notification_actions)sender,event(fire_events_for_notificationdefendend)key(button_down?.windowandwindowif)action(execute_block_for_target|action,key|doeach.held_actionsfire_events_for_held_buttonsdefend]block[+]to_sym.param[custom_notifications=]to_sym.param[custom_notifications)block&,param(notificationdefend)})]:do[options(send|instance|{lambda||block(<<@mouse_movement_actions)}{:pop.args?)Hash(is_a?.last.args(=options)block&,args*(on_mouse_movementdefendanimation_groupenqueueblock,optionsbuild.SceneAnimation=animation_groupself=]:context[options)actor_or_actor_name(actor=]:actor[options)block&,options,actor_or_actor_name(animatedefendenddefault_writer||writer_matching_existing_parser}format==format.writer|writer|{find.supported_writers=writer_matching_existing_parserbegin||=@writerwriterdefendfound_eventscompact.flatten.})s(events_for_target|s|{map.compact.flatten.)list(Array=found_events)list*(events_for_targetsdefendendclass.first.collectionempty?.collection!elsifklass.collection# ActiveRecord::Relation):klass(respond_to?.collectionif)collection(default_class_fordefend)]:html[options,result,:table(content_tag}))self,klass,collection(new.TableBuilder(call.block{capture=result)klass,options(initialize_html_optionsextract_options!.args=options)collection(default_class_for=klassblock_given?unlessdefault_table_block.Tabletastic=block)block&,args*,collection(table_fordefendtrue}}endchild<length.next_questions.selfif)klass(update_question_typedefend)false(include?.})self,instance_node(validate_instance_node.node_validation|node_validation|{collect.node_validations.self!)child_node,instance_node(validate_parent_instance_nodedefenduniq.}},id.node.i=>:target,id.node.parent.i=>:source{|i|{collect.}parent.i&&node.i|i|{select.}marked_for_destruction?.i!|i|{select.node_maps.selfedgesdefendend)self=>:survey,question_node=>:node(build.node_maps.self<id.answer_node{=>:nodes{<<]:base[errors.instance_node)to_i.length.to_s.value.instance_node>=to_i.value.self(=is_valid)nil=answer_node,instance_node(validate_instance_nodedefendcount}}endnum_below.node.child+1+count=count)class.self(include?.ancestors.class.node.childif# Child is one of us as well - include it and check its children|child|{each.children.node_map|node_map|{each.node_maps.self0=countnum_belowdefendcount}endnum_above.node.parent.i+1+count=count)class.self(include?.ancestors.class.node.parent.iif# Parent is one of us as well - include it and check its parents|i|{each.node_maps.self0=countnum_abovedefendmax_rank.self<=to_i.value.instance_node&&)1>=to_i.value.instance_node||empty?.to_s.value.instance_node(&&)nil?.)/\d/(match.to_s.value.instance_node!||empty?.to_s.value.instance_node(&&super# super - all validations on this node pass)instance_node(validate_instance_nodedefend}endrescuemove_right.node_mapbegin|node_map|{collect.}self==node.i|i|{select.node_maps.survey.selfmove_downdefend}endrescuemove_left.node_mapbegin|node_map|{collect.}self==node.i|i|{select.node_maps.survey.selfmove_updefendend}endireturnnode_map==nmif|i,nm|{each_with_index.children}node.parent===node.parent.i&&parent.i|i|{select.node_maps=childrenparent.node_map=parentfirst.}self==node.i|i|{select.node_maps=node_mapifnode_maps.survey.self=node_mapssibling_indexdefend}endmark_for_destruction.node_mapnil=parent.node_map)node_map(include?.to_removeif|node_map|{each.node_maps.survey.self}end][=children.node_mapself==node.node_mapifend1+count=countendnew_record?.node_mapunlessmove_to_root.node_mapnil=parent.node_mapelse)self_and_descendants.node_map(concat.to_remove0>countifquestion==node.node_mapif|node_map|{each.node_maps.survey.self][=to_remove0=countnil?.)next_question.self=question(iftruereturn# not linked to a question - nothing to remove!remove_linkdefendnilreturn}}endnilreturnelseendnext_question.node.childreturn)Answer::Node::ActiveRecordSurvey::(include?.ancestors.class.node.childelsifnode.childreturn)Question::Node::ActiveRecordSurvey::(include?.ancestors.class.node.childifmarked_for_destruction?.child!&&nil?.node.child!if|child|{each.children.answer_node_map|answer_node_map|{each.}marked_for_destruction?.i!&&self==node.i|i|{select.node_maps.survey.selfnext_questiondefendfirst.}endnilelse# Root alreadyendnode.parent.node_mapelsequestion.node.parent.node_map)Answer::Node::ActiveRecordSurvey::(include?.ancestors.class.node.parent.node_mapif# Question is not the next parent - recurse!node.parent.node_map&&parent.node_mapif|node_map|{collect.}self==node.i|i|{select.node_maps.survey.selfquestiondefend)false(include?.})instance(validate_node.node.parent.node_map|node_map|{collect.}self==node.i|i|{select.node_maps.survey.self!# Ensure each parent node to this node (the goal here is to hit a question node) is valid)instance(validate_nodedefendis_validis_valid!if}}]"MINIMUM_ANSWER"[=>id.question_node{=>:nodes{<<]:base[errors.instance_node)to_i.value.self>=total_answered(=is_validcount.}i|i|{select.flatten.}})instance(is_answered_for_instance?.node.i|i|{collect.flatten.})Answer::Node::ActiveRecordSurvey::(children_until_node_not_ancestor_of.i|i|{collect.children.question_node_map# Get all children until a childs node isn't an answer|question_node_map|{collect.node_maps.question_node=total_answered# Go through the node_map of this nodeinstance.instance_node=instanceendfalsereturn)Question::Node::ActiveRecordSurvey::(include?.ancestors.class.question_node!if# Only makes sense for questions to have minimum answers)nil=question_node,instance_node(validate_instance_nodedefendis_validis_valid!if}}]"MINIMUM_VALUE"[=>id.answer_node{=>:nodes{<<]:base[errors.instance_node)to_f.value.self>=to_f.value.instance_node&&empty?.to_s.value.instance_node!(=is_valid)nil=answer_node,instance_node(validate_instance_nodedefend)node.self(include?.path}endtruereturn))node.self(push.clone.path(has_infinite_loop?.i||)node.self(include?.pathif# Detect infinite loop|i|{each.}marked_for_destruction?.i!&&self==parent.i|i|{select.node_maps.survey.self)][=path(has_infinite_loop?defend})klass(children_until_node_not_ancestor_of.i|i|{collect.children.self+]self[end][return)klass(include?.ancestors.class.node.self!if)klass(children_until_node_not_ancestor_ofdefend)klass(ancestors_until_node_not_ancestor_of.parent.self+]self[end][return)klass(include?.ancestors.class.node.self!||parent.self!if)klass(ancestors_until_node_not_ancestor_ofdefendnode_map}recursive_clone.child_node<:node,survey.self=>:survey(build.node_maps.survey.self=node_maprecursive_clonedefendendfalseelse0>length.strip.to_s.value.instance_node# Answered if has text)instance(instance_node_for_instance.self=instance_nodeif)instance(is_answered_for_instance?defendendfalseelse0>=to_i.value.instance_node&&empty?.to_s.value.instance_node!# Answered if not empty and > 0)instance(instance_node_for_instance.self=instance_nodeif)instance(is_answered_for_instance?defend)nil?.)/\d\.\d/(match.to_s.value.instance_node!||empty?.to_s.value.instance_node(&&super# super - all validations on this node pass)instance_node(validate_instance_nodedefendtrue}}child< A that is a loop|node_map|{each.from_node_maps# Ensure no infinite loops were created}]index[to_node_maps<:node,survey.self=>:survey(build.node_maps.survey.self<length.}0>length.children.i|i|{select.from_node_mapsif# Answer has already got a question - throw error}marked_for_destruction?.i!&&self==node.i|i|{select.node_maps.survey.self=from_node_mapsend"A survey is required before calling #build_link"new.ArgumentErrorraisenil?.survey.selfifend"to_node must inherit from ::ActiveRecordSurvey::Node::Question"new.ArgumentErrorraise)Question::Node::ActiveRecordSurvey::(include?.ancestors.class.to_node!if# build_link only accepts a to_node that inherits from Question)to_node(build_linkdefend)true(include?.paths# If recursion reports back to have at least one valid path to root}endtrueelse# This is the root node - we made it!)instance_node(instance_node_path_to_root?.node.parent.node_mapparent.node_mapif# There is another level to traverse|node_map|{collect.}self==node.i|i|{select.node_maps.survey.self=paths# Find the parent node ma# Start at each node_map of this nodeendfalsereturn)0===length.instance_nodes(&&)0===length.answers.self(&&)Question::Node::ActiveRecordSurvey::(include?.ancestors.class.selfif# if ::ActiveRecordSurvey::Node::Question but no answers, so needs at least one vote directly on itselfendfalsereturn)0===length.instance_nodes(&&)Answer::Node::ActiveRecordSurvey::(include?.ancestors.class.selfif# if ::ActiveRecordSurvey::Node::Answer but no votes, not a valid path}self==node.i|i|{select.instance_nodes.instance.instance_node=instance_nodes)instance_node(instance_node_path_to_root?defendparent_validations_passed&&validations_passed)false(include?.}endtrueelse# Hit top node)self,instance_node(validate_parent_instance_node.node.parent.node_mapparent.node_mapif|node_map|{collect.}self==node.i|i|{select.node_maps.survey.self!=parent_validations_passed# This is to validate Node::Question since they don't have instance_nodes directly to validate them# Recureses to the parent node to check# More complex....)false(include?.})self,instance_node(validate_instance_node.node_validation|node_validation|{collect.node_validations.self!=validations_passed# Check the validations on this node against the instance_node#self.node_validations(true)# Reloading in the spec seems to fix this... but... this could be a booby trap for others# Basically this cache is messed up? Why? TODO.)instance_node(validate_instance_nodedefendendenddb_typeelse:numeric:float,:integer,:decimalwhen:textarea:textwhendb_typecasetype.)field_name(column_for_attribute.@object=db_type}:textarea:text{=type_mappingselse:password}\b\b%r{whenfield_name:time_zone,:emailwhenfield_namecase)field_name(infer_typedefend@report]:skip_rendering[optionsunless)options(render_reportblockinstance_eval.@reportquery=query.@report)options,view_context,params(new.Report::QueryReport||=@report)block&,}{=options,query(reporterdefendendexraiseelse)message.ex(call.@on_error@on_errorifex=>StandardErrorrescuenil:process_frame!?:complete==@state:payload==@stateifread_payload:mask==@stateifread_mask_key:payload_length==@stateifread_payload_length:header==@stateifread_headernext_messagedefendendendpop_transaction.adapter|adapter|doeach_key.adaptersensureselfyieldbeginend)self(push_transaction.adapter|adapter|doeach_key.adapters@adapters=adaptersend"Illegal state for within: #{state}"raisebegin?unlessend'No block provided'raiseblock_given?unlesswithindefendend:commit=state.self)]:log_fatal_transaction_breakage[,:close_adapter(each_adapter)]:log_fatal_transaction_breakage[,:commit_adapter(each_adapterend"Illegal state for commit without block: #{state}"raisebegin?unlesselseendendrvalreturnendcommitbegin?ifexceptionunlessensureexceptionraiseendrollbackbegin?ifexception=>Exceptionrescue})block_args(yield|block_args*|{within=rvalbegin.selfbeginend"Illegal state for commit with block: #{state}"raisenone?unlessblock_given?ifcommitdefendendselfelse})block_args(yield|block_args*|{commitblock_given?ifendend"Unknown argument to #{self.class}#link: #{thing.inspect} (#{thing.class})"raiseelse)thing(linkArraywhen)model.thing(linkResource::DataMapperwhen)repositories.thing(linkModel::DataMapperwhen)adapter.thing(linkRepository::DataMapperwhen:none=]thing[@adaptersAbstractAdapter::Adapters::DataMapperwhenthingcase|thing|doeach.thingsend"Illegal state for link: #{state}"raisenone?unless)things*(linkdefendselfreturnendend)block(each_value.params.ancestor)Parameters(include?.included_modules.ancestorif|ancestor|doreverse_each.ancestors)block&(each_paramdefend)"parameter #{name.to_s.dump} was not found in class #{self}",ParamNotFound::Parameters(raiseendendend)value(set.]name[params.ancestorreturn)name(has_key?.params.ancestorif)Parameters(include?.included_modules.ancestorif|ancestor|doeach.ancestorsto_sym.name=name)value,name(set_paramdefend)"parameter #{name.to_s.dump} was not found in class #{self}",ParamNotFound::Parameters(raiseendendend]name[params.ancestorreturn)name(has_key?.params.ancestorif)Parameters(include?.included_modules.ancestorif|ancestor|doeach.ancestorsto_sym.name=name)name(get_paramdefendfalsereturnendend)name(has_key?.params.ancestoriftruereturn)Parameters(include?.included_modules.ancestorif|ancestor|doeach.ancestorsto_sym.name=name)name(has_param?defendnew_paramreturnnew_param=]name[params# add the parameter to the class params list)]:default[options,]:description[options,]:type[options,name(new.ClassParam::Parameters=new_param# create the new parameterendvalue.)name(get_param!!do)"#{name}?"(define_method# define the ? method, to determine if the parameter is setendvalue=value.)name(get_param|value|do)"#{name}="(define_method# define the writter instance methods for the parameterendvalue.)name(get_paramdo)name(define_method# define the reader instance methods for the parameterendvalue.)name(get_param!!do)"#{name}?"(meta_def# define the ? method, to determine if the parameter is setendvalue=value.)name(get_param|value|do)"#{name}="(meta_def# define the writer class method for the parameterendvalue.)name(get_paramdo)name(meta_def# define the reader class method for the parameterto_sym.name=name)}{=options,name(parameterdefendendendendvalueelsevalue.valueInstanceParam::Parameters,ClassParam::Parameterswhenvaluecase=value.)name(get_param)name(has_param?if|value,name|doeach.values)values(=paramsdefendend)object(to_instance.param=]name.param[params.object|param|doeach_param)object(extendeddefend})error=>:error(merge.invalid_fts_filterMSGstrip.)'',/\s/(gsub.<<-MSG=error|invalid_fts_filter|{map.}1<=length.to_s.value&&'search'==name&&'fts'==category)'value','name','category'(values_at.filter=value,name,category|filter|{select.filters)filters(invalid_fts_filtersdefendselfDEFAULT_SUBDOMAIN=subdomain.selfDEFAULT_ADAPTER=adapter.selfDEFAULT_CONTENT_LOCALE=content_locale.selfDEFAULT_AUTO_PAGINATION=auto_pagination.selfDEFAULT_BASIC_AUTH=basic_auth.selfDEFAULT_PASSWORD=password.selfDEFAULT_LOGIN=login.selfDEFAULT_MIME_TYPE=mime_type.selfDEFAULT_CONNECTION_OPTIONS=connection_options.selfDEFAULT_USER_AGENT=user_agent.selfDEFAULT_SSL=ssl.selfDEFAULT_SITE=site.selfDEFAULT_ENDPOINT=endpoint.selfDEFAULT_OAUTH_TOKEN=oauth_token.selfDEFAULT_CLIENT_SECRET=client_secret.selfDEFAULT_CLIENT_ID=client_id.selfreset!defendend)block,args(parse.)options,self(new.Arguments=@argumentselse@argumentsnot_setif)block&,}{=options,)true=not_set(=args(argumentsdefend)]:basic_auth[options(process_basic_authend)]key[options,"#{key}="(send|key|doeach.keys.Configurationoptions=current_options.self)options(merge.options.Nimbu=optionsend)true,v,k(set.self|v,k|doeach.options)}{=options(setupdefend}}"#{self.object["full_message"]}":full_message,]"message"[object.self:message,]"field"[object.self:field,]"attribute_human"[object.self:attribute_human,]"attribute"[object.self:attribute,]"model_human"[object.self:model_human,]"model"[object.self:model{:error{errordefend)request_manager(new.adapter_finderendInvalidRequestFormatException::Exceptions::SmartAdaptersraisevalid_format?unlessendInvalidRequestParamsException::Exceptions::SmartAdaptersraisevalid_params?unlessloaddefendendadapteradapter.builderendJson::Response::Nimbuuse.builderMashify::Response::Nimbuuse.builder]:raw[optionsunlessRaiseError::Response::Nimbuuse.builder]'DEBUG'[ENVifLogger::Response::Faradayuse.buildercontent_locale,ContentLocale::Request::Nimbuuse.buildersubdomain,SiteHeader::Request::Nimbuuse.builderUserAgent::Request::Nimbuuse.builderbasic_authed?ifauthentication,BasicAuth::Request::Nimbuuse.builderoauth_token?ifoauth_token,OAuth2::Request::Nimbuuse.builderUrlEncoded::Request::Faradayuse.builderMultipart::Request::Faradayuse.builderendJson::Request::Nimbuuse.builder]:with_attachments[optionsunless|builder|donew.Proc)}{=options(default_middlewaredefend)}}false=>:verify{=>:ssl,'login/oauth/access_token'=>:token_url,'login/oauth/authorize'=>:authorize_url,}site.Nimbu{):site(fetch.options=>:site{,client_secret,client_id(new.Client::OAuth2::||=@client)}{=options(clientdefendend)reference(pushelse)@finalizer,obj(define_finalizer.ObjectSpaceendreference=]referenced_object_id.reference[@referencesdosynchronize.@lockobjifobject.reference=obj)reference(monitordefendendendnilelse)rkey(delete.@values)rkey(delete.@references_to_keys_maprkeyif)key(ref_key=rkeydosynchronize.@lock)key(deletedefendenderaiseelsenil))RefError::WeakRef::(is_a?.e&&)RefError::WeakRef::(defined?(||))RefError(is_a?.e&&)RefError(defined?(if# Jruby implementation uses RefError while MRI uses WeakRef::RefErrore=>rescue__getobj__.@ref#:nodoc:objectdefendendend)@@finalizer,new.Object(define_finalizer.ObjectSpacetrue=@@gc_flag_set@@gc_flag_setunlesstrue=]obj[last.@@strong_referencesdosynchronize.@@lock#:nodoc:)obj(add_strong_referencedefendendmaplast.pair=]first.pair[map|pair,map|do)new.class.self(reduce.)block,other_hash(merge.to_h)block&,other_hash(mergedefendendnilelseobject.refendempty?.keys_to_idif)referenced_object_id.ref(delete.@references_to_keys_map)key(delete.keys_to_idkeys_to_idif]referenced_object_id.ref[@references_to_keys_map=keys_to_idrefif)key(delete.@references=ref)key(deletedefendend)output(dump.JSONwrite.f|f|do)'w',)filename,output_path.@config(join.File(open.File"sql_tracker-#{Process.pid}-#{Time.now.to_i}.json"=filename)output_path.@config(mkdir_p.FileUtilsto_s.root.Rails=]:rails_path[outputversion.Rails=]:rails_version[output'1.0'=]:format_version[output@started_at=]:started_at[outputto_s.now.Time=]:generated_at[output@data=]:data[output}{=outputempty?.@dataifreturnsavedefendflatten.end)width,text(wrap_text|text|domap.list)width,list(wrap_listdefendend"The child process exited!"puts.$stdoutChildExited::PTYrescueendend# the process has finishedEIO::Errnorescue}lineprint|line|{each.rputs.$stdoutbegin|pid,w,r|docommandspawn.PTYbegin'pty'require)command(eagerdefend)image=>:image,title=>:title,msg(notify.UI::Compat)nil=image,''=title,msg(ndefendendh)val,)tag(unify_tag.Values(convert=]]tag[tag_map.Values[ha=val,tag|a,h|do)new.Hash(inject.@valuesto_hdefendendvalelse)$2,$1(Rational0==to_i.$2ifvalreturnREGEXP_RATIONALwhen)zone,second,minute,hour,day,month,year(new.Time'Z'==zoneif'+00:00'=zone$7=zoneto_f.$6=secondendnilreturn0==day||0==monthif}to_i.cap|cap|{map.]5,0[captures.$~=minute,hour,day,month,yearREGEXP_TIMESTAMPwhenvalcaseendvalreturn'track','partofset'whentagcase)String(kind_of?.valunlessvalreturnval,tagconvertdefendend}join.}])1-size.@chars(rand[@chars{)length(new.Array{new.Procelse})any(any.self{new.Procanyelsif}string{new.Procto_s.value=stringvalueif]:value[opts,]:any[opts,)8||]:length[opts(=value,any,length)}{=opts(stringdefend))full_url,http_verb(request.access_token(handle)options(hash_to_params+url=full_url)}{=options,url,http_verb(requestdefendselfreturnend)0xffff&))8<<@crc(^]0xff&)b^)8>>@crc(([@table((=@crcREVERSE_DATAif)b(revert_byte=b|b|doeach_byte.data)data(updatedefendreportend})name.file(include?.file_names|file|{select.files.target=files.target|target|doeach.targets.report})file(basename.File|file|{map.added_files.git.@dangerfile+=file_names})file(basename.File|file|{map.modified_files.git.@dangerfile=file_names)report(process_reportdefendend)"Code coverage under minimum of #{threshold}%"(failthreshold<)100*coverage.report(&&nil?.threshold!ifto_i.]:minimum_coverage_percentage[config.Xcov=threshold# Notify failure if minimum coverage hasn't been reached)report_markdown(markdown# Send markdownmarkdown_value.report=report_markdown# Create markdown)report(output_reportdefend))report_json(map.Report::Xcov(process_report# Map and process reportparse_xccoverage.manager=report_json# Parse .xccoverage)config(new.Manager::Xcov=manager# Init projectnew.IgnoreHandler::Xcov=ignore_handler.Xcovconfig=config.Xcov))first.args(convert_options,available_options.Options::Xcov(create.Configuration::FastlaneCore=config# Init Xcov"fastlane_core"require"xcov"requireendreturn"xcov is not available on this machine"putsxcov_available?unlessxcov_available?unless``# Check xcov availability, install it if needed)args*(produce_reportdefend)]2-,100-right.bounds.pdf[:at,:right:align,' of '(number_pages.pdfend)passphrase_len:is_encrypted,base64_bytes:b64_bytes,base64_content:b64_content(draw_base64base64_contentif)passphrase_len:is_encrypted,sixword_font_size:font_size,sixword_bytes:sixword_bytes,sixword_lines:lines(draw_sixwordstart_new_page.pdf# Sixword page'000000'fill_color.pdf'000000'stroke_color.pdf)modules.qr_code:qr_modules(draw_qr_codeadd_newline)passphrase_len:passphrase_len,passphrase_sha:passphrase_sha,labels:labels(draw_headerdebug_draw_axes)'Times-Roman'(font.pdf# Header & QR code pageend)'qr_code must be RQRCode::QRCode'(new.ArgumentErrorraise)QRCode::RQRCode(is_a?.qr_codeunless)nil:base64_bytes,nil:base64_content,nil:sixword_font_size,nil:passphrase_len,nil:passphrase_sha,:labels,:sixword_bytes,:sixword_lines,:qr_code(draw_paperbackdefendunique)unique(call.blkuntil)length(generate_random=unique)length(generate_random=unique)blk&,32=length(generate_uniquedefendvalue.get_text.]"runReportResponse/reportId"[elements.responseendpage_sizepageSize.xmlendendvalueparamValue.xmlnameparamName.xmldoreportParam.xml|value,name|doeach.report_paramsreport_namereportName.xml|xml|do'runReportRequest'request=response)50=page_size,}{=report_params,report_name(run_report_requestdefenddataend#it's zero indexed)1+page_num,report_id(get_data_request+=data|page_num|dotimes.to_i.]"numberOfPages"[meta_data][=data)report_id(get_meta_data_request=meta_data)page_size,}time=>'report_date'{,'DailyActivityReport'(run_report_request=report_id)String(is_a?.timeunless)"%Y-%m-%d"(strftime.time=time)50=page_size,today.Date=time(dailydefendasset_filesend)'assets',assets_path.ENGINE(sub.path< #{e}",PackError(raisee=>rescueend)format.self(pack.varray]val[:val?)Array(is_a?.val=varrayelse)obj,val(call.@pack_cb@pack_cbifbegin)nil=obj,val(pack_valuedefend))predecessors,vals(claim_value.self(returnend)format.self(unpack.rawelse)predecessors,raw(call.@unpack_cb@unpack_cbif=valsend)"Expected #{self.sizeof} bytes, but only got #{raw.size} bytes",ReadError(raise)(sizeof.self:class,"*",:span(content_tag.@template<=to_i.requests_countifend)]"time_period_seconds"[@limits,key(expire.@storage)0,key(set.@storagerequests_countunless)key(get.@storage=requests_count}OK_MESSAGE::Constants:message,SUCCESS_STATUS::Constants:status{=result"request_count:#{client_ip}"=key@ip=client_iprundefendend)logger:logger,attributes,target(new.klass)}attributes,targethandles?.s|s|{find.@selectors=klass(if)attributes,target(lines_selector_fordefendend"1 D interpolation of type #{@opts[:type]} not supported",ArgumentErrorraiseelseinterpolantcubic_spline_interpolation:cubicwhen})x(linear_interpolation|x|{)interpolant(for_each:linearwhen]:type[@optscaseinterpolantinterpolatedefend)push_command(execute.@cli_facade]:as[optionsif]]:as[options,"--as"[+=push_command]gem[+=push_command"Unknown Gem push method #{method.inspect}."raiseor]to_s.method[PUSH_METHODS=push_command)}{=options,method,gem(pushdefendendwrapper:)wrapper(yield?block_given?)args**,view_context,object(new.presenter=wrapper)object(presenter_klass||=presenterelse})args**,presenter:presenter,item(present|item|{map.object):to_ary(respond_to?.objectif)args**,nil:presenter,object(presentdefendendsuperelse)block,args,method(send.view_context)true,method(respond_to?.view_contextif)block&,args*,method(method_missingdefenditemend)item,what(apply_traits=item# Invoke the factory method)what(send.self=itemdo)overrides,what(new_job"TBD"=itemend)true=>:_return_attributes(merge.overrides=overrides$1=what//=~to_s.whatif)overrides,what(crank_itdefenditemend"Oops, the #{invalid_item.class} created by the Factory has the following errors: #{errors}"raiseenderrors.invalid_item=errorselsemessages.errors.invalid_item=errors):messages(respond_to?.errors.invalid_itemifinvalid_itemif):invalid?(find.)item(Array=invalid_item)args(build=item)args*(debugdefendendendvalue=]attribute[item)Hash(is_a?.itemelsif)value,"#{attribute}="(send.item)"#{attribute}="(respond_to?.itemif:class==attribute||:skip==valueunless)value,attribute(assigndefendgit_pathendend)"git remote update"(execute.selseendeif)"Remote repository '#{@remote_url}' of module '#{@module_info.local_path}' not found."(new.RimExceptionraise|e,out|do)"git clone --mirror #{@remote_url} #{git_path}"(execute.s)"/config"+git_path(exist?.File!if|s|do)git_path(git_session::RIMgit_pathmkdir_p.FileUtilsfetch_moduledefend)reverse!.revisions,rev(new.):sha1s,:parent(new.Structendnil:first.parents?0>size.parents=rev)rev(parent_revs.session=parents)rev(push.revisions]rev[non_remote_revs&&revwhile)rev(rev_sha1.session=rev# make sure we deal only with sha1s][=revisionsendtrue=]r[non_remote_revs|r|doeach.)rev(all_reachable_non_remote_revs.session}{=non_remote_revs# remote revs are where we stop traversal)rev,session(get_upload_revisionsdefendend)sha1s.info,parent.info(upload.m|m|do)@module_helpers,"uploading"(each_module_parallel)info(upload_modulesdefendendend)"The current git branch '#{branch}' is a rim integration branch. Please switch to a non rim branch to proceed."(new.RimExceptionraiseelseend)"git checkout -B #{branch}"(execute.sensure))sha1,s(get_upload_revisions(upload_modules)"Uploading modules..."(info.@logger)branch(rev_sha1.s=sha1begin)"rim/"(start_with?.branch!elsif)"Not on a git branch."(new.RimExceptionraisenil?.branchifcurrent_branch.s=branch|s|do)@ws_root(git_session::RIM# get the name of the current workspace branchuploaddefendendend"could not delete temp dir: #{c}"warn.@logger)c(exist?.Fileifend1-=retries)c(rm_rf.FileUtils)0.1(sleep0>retries&&)c(exist?.Filewhile600=retries# this is especially a problem if the machine is at its limits # this could be due to Windows keeping the files locked for some time # retry to delete if it hasn't been deleted yet )c(rm_rf.FileUtilscyield# mktmpdir returns value return by our block # return contents of yielded block )paths,c,rev(export_rev)c(mkdir.FileUtils)"content",d(join.File=c]0[)d(glob.Dir=d|d|do)"rim"(mktmpdir.Dir)][=paths,rev(within_exported_revdefendendempty?.pathsifbreak"git archive --format tar #{rev} #{path_args} | tar -C #{dir} -xf -"executeendshift.paths<size.check_dirsif# check out all modules to be checked at once ][=module_stats}})d(start_with?.path.f|f|{any?.changed_files|d|{select.module_dirs=check_dirs# a module needs to be checked if any of the files within were touched endendend))path.f(dirname.File(delete.module_dirs:deleted==kind.felsif)path.f(dirname.File<size.parent_revsif)rev(parent_revs.gs=parent_revs]rev[relevant_revsifnil=stat]rev[status_cacheif]rev[status_cachereturn)}{=options,}{=status_cache,relevant_revs,rev,gs(build_rev_history_statusdefend)})d,dir(build_module_status|d|{collect.)dir(fs_rim_dirs(new.RevStatus)dir(fs_statusdefendmod_statendend))local_path,d(join.File,d(build_module_status=mod_stat|d|do)]local_path[,rev(within_exported_rev.git_session))".riminfo",local_path(join.File(include?.)"\n"(split.)"git ls-tree -r --name-only #{rev}"(execute.git_sessionifnil=mod_stat)local_path,rev,git_session(rev_module_statusdefendstat)rev(rev_sha1.git_session=git_rev.stat)mod_stats(new.RevStatus=statendend)rel_path+"/"+d,d(build_module_status<:fast,}{,relevant_revs,rev,git_session(build_rev_history_status)rev(rev_sha1.git_session=rev# make sure we deal only with sha1s endendtrue=]r[relevant_revs|r|doeach.)rev(all_reachable_non_remote_revs.git_session# remote revs are where we stop traversal elseendtrue=]r[relevant_revs|r|doeach.)"\n"(split.)"git rev-list #{rev} --not --all --"(execute.git_session# in gerrit mode, stop on all known commits ]:gerrit[optionselsifendtrue=]r[relevant_revs|r|doeach.)"\n"(split.)"git rev-list #{rev} \"^#{stop_rev}\""(execute.git_sessionstop_revif}{=relevant_revs]:stop_rev[options=stop_rev)}{=options,rev,git_session(rev_history_statusdefendendendend)path,src_path(cp.FileUtils))path(dirname.File(mkdir_p.FileUtils)f,dest_dir(join.File=path)src_path(file?.Fileif)f,tmp_module_dir(join.File=src_path|f|doeach.files)".git/**/*",dest_dir(prepare_empty_folder# have source files now. Now clear destination folder and copy)ignores,false,tmp_module_dir(find_matching_files.FileHelper-=files)InfoFileName::RimInfo(delete.files)".."(delete.files)"."(delete.files)FNM_DOTMATCH::File,"/**/*",false,tmp_module_dir(find_matching_files.FileHelper=files)local_path.@module_info,tmp_dir(join.File=tmp_module_dir)"git archive --format tar #{src_sha1} #{@module_info.local_path} | tar -C #{tmp_dir} -xf -"(execute.src_session]0[)tmp_dir(glob.Dir=tmp_dir|tmp_dir|domktmpdir.Dir)ignores,dest_dir,src_sha1,src_session(copy_revision_filesdefendend)"":out?e!(from_s.RimInforeturn|e,out|do)"git show #{sha1}:#{File.join(@module_info.local_path, RimInfo::InfoFileName)}"(execute.session)sha1,session(get_riminfo_for_revisiondefendend)"git tag rim-#{sha1} refs/heads/#{branch}"(execute.session# create tagend)true(close.msg_fileensure)"git commit -F #{msg_file.path}"(execute.sessionclose.msg_filemsg<size.branches.infoselsifend)"The target revision '#{@module_info.target_revision}' of module #{@module_info.local_path} is not a branch. No push can be performed."(new.RimExceptionraiseelseend)message.rev_info,src_sha1.rev_info,local_branch,dest(commit_changes)ignores.rim_info.rev_info,dest_path,src_sha1.rev_info,src(copy_revision_fileslocal_branch!if)src_sha1.rev_info,parent_sha1.infos,dest(create_update_branch=local_branch|rev_info|doeach.rev_infos.infos)remote_branch(has_remote_branch?.destif]0[branches.infos=remote_branch1==size.branches.infosif)sha1s,parent_sha1,dest,src(get_branches_and_revision_infos=infos|src|do)@ws_root(git_session::RIMendtmp_git_path=dest_pathelse))"/"(split.subdir.@module_info+]tmp_git_path[(join.File=dest_pathsubdir.@module_infoifnil=infosnil=remote_branchnil=local_branch|dest|do)tmp_git_path(git_session::RIM))@remote_path(module_tmp_git_path,remote_path(clone_or_fetch_repository=tmp_git_path# search for the first revision that is not fetch_module=remote_path)sha1s,parent_sha1(upload_module_changesdefendendend)"unknown process exit status"(new.RuntimeErrorraise# should never happenelseexitstatus.$?returnexited?.$?elsif# integer exit(2) system call has been called with# process exited using exit(2) system call; return thetermsig.$?returnsignaled?.$?if# that signal# process exited due to a signal; return the integer ofendnext)timeout,stop_at,delay(check_timeout=delay# WNOHANG was used, pid is still runningretpidunlessendend)timeout,stop_at,delay(check_timeout=delay)pid(pid_existsunlessnilreturndoloop# can't determine its exit status code.# In both cases we'll eventually return nil as we# - pid never existed in the first place# we keep polling until it's gone# - pid is not a child of Process.pid in which case# This has two meanings:ECHILD::Errnorescuenext)timeout,stop_at,delay(check_timeout=delayEINTR::Errnorescue)(call.waitcall=retpidbegindoloop0.0001=delayend})pid(wait.Process::{proc=waitcallelsetimeout+now.Time=stop_at})WNOHANG::Process::,pid(wait.Process::{proc=waitcalltimeoutifend0.04:2*delay?0.04<2*delay)delay(sleependstop_at>=now.Timeif)"when waiting for (pid=#{pid})"(new.Error::Timeoutraisetimeoutif)timeout,stop_at,delay(check_timeoutdef)nil=timeout,pid(wait_piddefendfalsereturn# the given pid is invalid.RangeErrorrescuetruereturn# EPERM clearly means there's a process to deny access toEPERM::Errnorescuefalsereturn# No such processESRCH::Errnorescuetruereturn)pid,0(kill.Process::0==pidiftruereturn# a process with id 0.# If we get here it means this UNIX platform *does* have# calling process>> so we don't want to go any further.# it refers to <length.@stackifend)block(_processblockif]][:]text[?text,attributes,tag[<<@stackendendarg<size.nodes.iunless)i(process_segmentthenSegment::X12when)i(process_loopthenLoop::X12whenicase|i|{each.nodes.loop)loop(process_loopdefendloopreturndup.loop=looploopunless)"Cannot find a definition for loop #{loop_name}"(new.Exceptionthrow]loop_name[]Loop::X12[@x12_definition=loop)loop_name(factorydefendloopreturn)str(parse.loopdup.loop=looploopunless)"Cannot find a definition for loop #{loop_name}"(new.Exceptionthrow#puts "Loops to parse #{@x12_definition[X12::Loop].keys}" ]loop_name[]Loop::X12[@x12_definition=loop)str,loop_name(parsedefend]field_num[nodes.selfreturn#puts self.nodes[field_num].inspect end}]1+i[@fields=content.]i[nodes.self|i|{each_index.nodes.self)))field_separator(escape.Regexp(new.Regexp(split.chop.to_s.self=@fields@fieldsunless# Parse the segment if not parsed already #puts field_num nil?.field_numifEMPTYreturn}name.]i[nodes.self==strifi=field_num|i|{each_index.nodes.selfnil=field_num# If there is such a field to begin with #puts "Finding field [#{str}] in #{self.class} #{name}" )str(find_fielddefend@regexpend#puts sprintf("%s %p", name, @regexp) end)"^#{name}#{Regexp.escape(field_separator)}[^#{Regexp.escape(segment_separator)}]*#{Regexp.escape(segment_separator)}"(new.Regexp=@regexp# Simple match else)re_str(new.Regexp=@regexp)segment_separator(escape.Regexp+}field_re+srequired.iunless"(#{field_re})?"=field_re'?'+)field_separator(escape.Regexp+)segment_separator,field_separator(simple_regexp.i=field_re|i,s|{)"^#{name}#{Regexp.escape(field_separator)}"(inject.nodes.self=re_str# It's a very special regexp if there are constant fields }//=~type.i|i|{find.nodes.selfif@regexpunlessregexpdefend}endsegment_separator+}nodes_str:nodes_str+field+field_separator?)''!=fieldor''!=nodes_strorrequired.j(render.j=field|j,nodes_str|{)''(inject.reverse.nodes.i+name.i+=repeat_str# Have to render no matter how empty elserepeat_str# Skip optional empty segments has_content?.i!and1end.repeats.selfif)s(do_repeatsdefend}1+=count}end"#{ind+' '}#{j.name} -> '#{j.to_s}'"putsthen)Field::X12(kind_of?.jwhen)' '+ind(show.jthen)Base::X12(kind_of?.jwhencase|j|{each.nodes.iend)name.]0[nodes.i(find_field.i]0[nodes.i&&)Segment::X12(kind_of?.iif# Force parsing a segment "#{ind}#{i.name} [#{count}]: #{i.to_s.sub(/^(.{30})(.*?)(.{30})$/, '\1...\3')}"puts#puts "#{ind}#{i.name} #{i.object_id} #{i.super.object_id} [#{count}]: #{i.parsed_str} #{i.super.class}" |i|{each.to_a.self0=count)''=ind(showdefendendretry)sleep_seconds(snooze"Failed to connect: #{ex}. Retrying in #{sleep_seconds.round(1)} seconds."warnmax.]sleep_seconds,base_sleep_seconds[=sleep_seconds# But never sleep less than base_sleep_seconds)))(rand+1(*0.5(*sleep_seconds=sleep_seconds# Randomize to a random value in the range sleep_seconds/2 .. sleep_secondsmin.]max_sleep_seconds,))1-attempts(**2(*base_sleep_seconds[=sleep_seconds# But, it never exceeds max_sleep_seconds.# The sleep time is an exponentially-increasing function of base_sleep_seconds.100>=attemptsifexraiseex=>Error::Timeout,ETIMEDOUT::Errno,ENETUNREACH::Errno,ENETDOWN::Errno,EHOSTUNREACH::Errno,ECONNRESET::Errno,ECONNREFUSED::Errnorescue)attempts(call.blockreturn1+=attemptsbegin0=attempts# Let's do this thing# 5 minutes300=max_sleep_seconds0.5=base_sleep_seconds)block&(with_retriesdefendtrue=abort_on_exception.@discovery_threadendend]:interval[optssleepend'Could not connect to any nsqlookupd instances in discovery loop'warn# leave our current nsqd connections alone and try again later.# We can't connect to any nsqlookupds. That's okay, we'll justDiscoveryExceptionrescue)nsqds(drop_and_add_connections)]:topic[opts(nsqds_from_lookupd=nsqdsbegindoloop)]:nsqlookupds[opts(new.Discovery=@discoverydonew.Thread=@discovery_thread)}{=opts(discover_repeatedlydefendendnil"Error during discovery for #{lookupd}: #{e}"errore=>Exceptionrescueend][elseend"#{producer['broadcast_address']}:#{producer['tcp_port']}"|producer|domap.producersproducersif)]'producers'[]'data'[data&&]'data'[data(# v1.0.0-compat||]'producers'[data=producers)body(parse.JSON=data)uri(get.HTTP::Net=bodybeginend'/nodes'=path.urielse"&topic=#{URI.escape(topic)}"+=query.uri'/lookup'=path.uritopicif"ts=#{Time.now.to_i}"=query.uri)"#{uri_scheme}#{lookupd}"(parse.URI=uri))%r((match.lookupdunless'http://'=uri_scheme)nil=topic,lookupd(get_nsqdsdefendadd_to_keychain.)token:token,username:user(new.AccountManager::Firim)token,username(adddefendendend0==to_i.)alias_key(scard.redis.Database::RedisModelExtensionif)alias_key(del.redis.Database::RedisModelExtension#delete alias with 0 keys]:key[redis_old_keys,alias_keysrem.redis.Database::RedisModelExtension|alias_key|doeach.]:aliases[redis_old_keys0>size.]:aliases[redis_old_keysif#do it only if it is existing object!destroy_aliases!defendendend)value,method(send.selfmethodrespond_to?.selfifto_sym."#{key}="=method|value,key|doeach.argsargsupdatedefendendvalueelsevalue:)value(parse.Date?)String(is_a?.valuethen:datewhenvalue:)value(parse.Time?)String(is_a?.valuethen:timewhen)value(new.Hashr:))value(parse.Parser::Yajl(new.Hashr?)String(is_a?.valuethen:hashwhenvalue:)value(parse.Parser::Yajl?)String(is_a?.valuethen:arraywhenvalue:)value(load.Marshal?)String(is_a?.valuethen:marshalwhento_sym.to_s.valuethen:symbolwhento_bool.to_s.valuethen:boolwhento_f.valuethen:floatwhento_s.valuethen:stringwhento_i.valuethen:autoincrementwhento_i.valuethen:integerwhentypecase0==size.to_s.value||nil?.valueifnilreturntype,valuevalue_parsedefendendvalueelse)"%Y-%m-%d"(strftime.)to_s.value(parse.Datethen:datewhen)"%Y.%m.%d %H:%M:%S"(strftime.)to_s.value(parse.Timethen:timewhen)value(encode.Encoder::Yajlthen:hashwhen)value(encode.Encoder::Yajlthen:arraywhen)value(dump.Marshalthen:marshalwhento_s.valuethen:symbolwhento_s.valuethen:boolwhento_f.valuethen:floatwhento_s.valuethen:stringwhento_i.valuethen:autoincrementwhento_i.valuethen:integerwhentypecase0==size.to_s.value||nil?.valueifnilreturntype,valuevalue_transformdefendendvalueelse]name[redis_fields_config,valuevalue_transform)name(has_key?.redis_fields_configifvalue,namevalue_to_redisdefendnew_instancereturnstore_keys.new_instance)args(new=new_instancesymbolize_keys!.argsany?.args&&argsunlessnilreturn)key(hgetall.redis.Database::RedisModelExtension=args)key(new_by_keydefendnilendoutreturnenditemifitem< no needs of looking for other keys! -> faster)args,alias_name(generate_alias_key.klass=search_keyconstantize.name.self=klass][=out)args(new.HashWithIndifferentAccess=args#normalize input hash of arguments)to_sym.alias_name(has_key?.redis_alias_configunless"Unknown dynamic alias: '#{alias_name}', use: #{redis_alias_config.keys.join(", ")} ",ArgumentErrorraise#check if asked dynamic alias exists)}{=args,alias_name(find_by_aliasdefendendargs)key(send.self=]key[args|)type,key(,args|do)}{(inject.redis_fields_configto_argdefend0==size.bad_fieldsunless"Sorry, but you cannot use as redis key [nonexisting | array | hash] fields: [#{bad_fields.join(",")}], availible are: #{valid_fields.join(", ")}",ArgumentErrorraisevalid_fields-redis_key_config=bad_fieldskeys.}:hash!=v&&:array!=v|v,k|{select.redis_fields_config=valid_fieldsvalidate_redis_keydefend:autoincrement==]key[redis_fields_config||)nil?.]key[args!&&)key(has_key?.args(key,argsvalid_item_for_redis_key?defend))args,alias_name(generate_alias_key.constantize.name.self(exists.redis.Database::RedisModelExtension}{=args,alias_namealias_exists?defend))args(generate_key.constantize.name.self(exists.redis.Database::RedisModelExtension}{=argsexists?defend},redis_save_fields_with_nil_conf!:reject_nil_values,}o;]:main_fields[v=]k[o|)v,k(,o|{)}{(inject.redis_alias_config:redis_aliases,redis_key_config:redis_key,sort.@required_config:required,fields:fields{end)type(has_key?.TYPE_TRANSLATIONSif]type[TYPE_TRANSLATIONS=]key[fields|type,key|doeach.redis_fields_config}{=fieldsconfdefendendalias_namevalid_alias_key?if)alias_name(redis_alias_key<<]:aliases[redis_old_keys|fields,alias_name|doeach.redis_alias_config][=]:aliases[redis_old_keys#store alias keys#store main key)args(generate_key.class.self=]:key[redis_old_keys#store main keyto_arg=argsstore_redis_keysdefend)name(create_class_alias_method#create alias methods for find and get (find_by_name, get_by_name)},name_of_field_for_args:args_field,name_of_field_for_order:order_field,main_fields:main_fields{=]name[@redis_alias_config#add specification of dynamic alias}{||=@redis_alias_configend)name_of_field_for_args(has_key?.redis_fields_configunless}{,:hash,name_of_field_for_argsredis_field)name_of_field_for_order(has_key?.redis_fields_configunless][,:array,name_of_field_for_orderredis_fieldname_of_field_for_args&&name_of_field_for_orderif#set fields if they are not allready set!nil=name_of_field_for_args,nil=name_of_field_for_order,main_fields,nameredis_aliasdefendendmetric<<@redis_key_normalize_conf)metric(include?.VALID_NORMALIZATIONSunless"Please provide valid normalization: #{VALID_NORMALIZATIONS.join(", ")}",ArgumentErrorraise|metric|doeach.metrics][||=@redis_key_normalize_confmetrics*redis_key_normalizedefendend:id!=fieldif:true=>:presence,fieldvalidates|field|doeach.@redis_key_config# then prevent to save it# if any of fields in redis key is nil# automaticaly add all fields from key to validation):id(include?.@redis_key_config||):id(include?.redis_user_field_configunlessremove_redis_autoincrement_key#own specification of redis key - delete autoincrementvalidate_redis_keyflatten.fields=@redis_key_configfields*redis_keydefendendendendend"Screen warning: #{e}"say:warnwhene,ScreenErrorraise:errorwhene,FatalScreenErrorraise:fatalwhentypecasee=>rescuecall.blockbegin|block|doeach.]type[screens|type|doeach.]:warn,:error,:fatal[endscreens.control# default to before post-process screenselseafter_post_process_screens.control:after_post_processwhentimingcase=screens):before_post_process=timing,control(execute_screensdefendendend"Invalid dependency type: #{dependency.class}"raiseelse)dependency(process"Executing dependency: #{f}"say"Executing dependency: #{f}"debug.logger.EngineStringwhen)f(process"Executing dependency: #{f}"say"Executing dependency: #{f}"debug.logger.Engine'.ctl'+to_s.dependency=fSymbolwhendependencycase|dependency|doeach.flatten.dependencies.control"Executing dependencies"debug.logger.Engine)control(execute_dependenciesdefend"Post-processing complete"say"Post-processing complete"debug.logger.Engineendprocess.processor|processor|doeach.post_processors.control"Post-processing #{control.file}"debug.logger.Engine"Executing post processes"say_on_own_line)control(post_processdefend"Pre-processing complete"debug.logger.Engineendprocess.processor|processor|doeach.pre_processors.control"Pre-processing #{control.file}"debug.logger.Engine)control(pre_processdefendsave!.batch.Engine::ETL)'completed':'completed with errors'?0>length.errors(=status.batch.Engine::ETLnow.Time=completed_at.batch.Engine::ETLexecute.batch)'executing'=>:status,file.batch=>:batch_file(create!.Batch::Execution::ETL=batch.Engine::ETL"Processing batch #{batch.file}"say)self,batch(resolve.Batch::Batch::ETL=batch)batch(process_batchdefendend)msg(call.handler|handler|doeach.error_handlers.controlmsg<distance_in_minutesif"#{distance_in_minutes} minutes, "<distance_in_hoursif"#{distance_in_hours} hours, "<distance_in_daysif"#{distance_in_days} days,"<label_width&&0>label_heightunlessreturn)height,y,x,bar_code_string(draw_bar_code_39defend)to_s.)barcode_default_height.self(Integer+','+to_s.)barcode_default_width_ratio.self(Float+','+to_s.)barcode_default_module_width.self(Integer+'^BY'(push.label_datareset_barcode_fields_to_defaultdefend# draw_rectangle(x * pdf_dpi, y * pdf_dpi, height * pdf_dpi, width * pdf_dpi))',1^FS'+to_s.)printer_dpi*width(Integer+','+to_s.)printer_dpi*height(Integer+'^GB'+to_s.)printer_dpi*y(Integer+','+to_s.)printer_dpi*x(Integer+'^FO'(push.label_data)y(numeric?unless0=y)x(numeric?unless0=x)width(numeric?&&)height(numeric?unlessreturn)width,height,y,x(draw_borderdefend)to_s.y+','+to_s.x+'^LH'(push.label_data)y(numeric?unless0=y)x(numeric?unless0=x)y,x(home_positiondefend# label_width# size: Integer(options[:height] * pdf_dpi) if label_height &&# Integer(options[:height] / 10) * pdf_dpi],# Integer(y * pdf_dpi) -# at: [Integer(x * pdf_dpi), Integer(label_width * pdf_dpi) -# pdf.text_box '{Variable Field ' + variable_fields_count.to_s + '}',# return unless label_height > 0 && label_width > 0)'^FS'+to_s.variable_fields_count+'^FN'+to_s.)printer_dpi*]:width[options(Integer+','+to_s.)printer_dpi*]:height[options(Integer(push.label_dataend)'^A0B,'(push.label_dataelse)'^A0N,'(push.label_data:landscape==]:orientation[paramsif)to_s.)printer_dpi*y(Integer+','+to_s.)printer_dpi*x(Integer+'^FO'(push.label_data1+=variable_fields_count.self# update the variable field count)params(merge!.}0.1:width,0.1:height{=options)y(numeric?unless0=y)x(numeric?unless0=x)}{=params,y,x(variable_text_fielddefend)controller_path,model,format(for.represents_options.class.self||):represent_with(delete.options)}{=options,model,format(representer_fordefend}to_sym.)'_','-'(tr.to_s.key_name|key_name|{manipulate_keys!# Underscoreize (because Cocaine doesn't like hyphens)}to_sym.key_name:key_name?)Symbol(is_a?.key_name|key_name|{manipulate_keys!# Symbolizesanitize_keys!defendendend)old_name(delete.@store]old_name[@store=]new_name[@storeold_name==new_nameunless)old_name(call.block=new_name|old_name|doeach.keys.@store)block&(manipulate_keys!defendend]method[@storemethodbanned?ifnilreturnelsefirst.args=]method[@storemethodbanned?ifnilreturnto_sym.)'','='(tr.to_s.method=method'='include?.to_s.methodifremove_banned)_block&,args*,method(method_missingdefendmerged):remove_banned(send.merged@banned_keys=banned_keys.merged))to_h.hash(merge.@store(new.Options=merged)hash(withdefend)' '(join.commands)url(quotedpush.commandsendend"--#{paramized_key} :#{key}"push.commandselse"--no-#{paramized_key}"push.commands'false'==to_s.]key[@optionselsif"--#{paramized_key}"push.commands'true'==to_s.]key[@optionsif|paramized_key,key|doeach_paramized_key.sanitize_keys.@options][=commandsoptions_to_commandsdefendendvalueelsesupernil?.valueif]method[information=value)block&,args*,method(method_missingdefend)run.)runner_options,url(new.Runner::YoutubeDL(set_information_from_jsonempty?.@urlif)'url cannot be empty'(new.ArgumentErrorraisenil?.@urlif)'url cannot be nil'(new.ArgumentErrorraisedownloaddefendendshow!elseshow)nil,icon_path,body,summary,@notification(notify_notification_update@notificationif)block,options(apply_options)block&,}{=options(updatedefendshow)):g_object_unref(method,raw_ptr(new.AutoPointer::FFI::=@notification)nil,icon_path,body,summary(notify_notification_new=raw_ptr"notify_init failed"raiseor)app_name(notify_initshow!defendblock_given?if)self(yield})key(respond_to?if)value,"#{key}="(send|value,key|{each.options)}{=options(apply_optionsdefendremovedendend1,available_keylpush.connremovediftoken,grabbed_keyzrem.conn=removed|conn|dowith.@redisfalse=removedtokenunlessreturn)pop.@tokens=token(unlockdefend)block,token(return_or_yieldend)token,)conn(epoch_f,grabbed_key(zadd.conn|conn|dowith.@redis)token(push.@tokens)16(hex.SecureRandom=tokensuccessunlessfalsereturnendendnil?.)available_key(lpop.conn!elsenil?.)to_i.timeout,available_key(blpop.conn!timeoutif|conn|dowith.@redis=successensure_exists_and_release_stale_locks!)block&,nil:timeout(lockdefendresultendendbreakfalse=resultvalue!=]key[update_params&&)key(key?.update_paramsif|value,key|doeach.scope_paramstrue=result]:changeable[scope_options.dynamic_scaffoldiftruereturn)update_params(valid_for_scope?defendvaluesend"You can update only to #{scope_params} on this scope",InvalidOperation::Error::DynamicScaffoldraise)values(valid_for_scope?!&&scope.dynamic_scaffoldif)permitting(permit.)underscore.name.model.dynamic_scaffold(require.params=valuesend)permitting(extract_parameters.item|item|doeach.}):carrierwave_image(type?.i|i|{select.items.form.dynamic_scaffold)permit_params.form.dynamic_scaffold(concat.permittingend)permitting(extract_parameters.item|item|doeach.}):carrierwave_image(type?.i|i|{reject.items.form.dynamic_scaffold][=permitting# set the parameters of carrierwave_image at the end for validates.# rubocop:disable Metrics/AbcSizeupdate_valuesdefend}last.v=]first.v[res|res,v|{)}{(each_with_object.})':'(split.v|v|{map.)','(split.pkey# Convert "key:1,code:foo" to {key: "1", code: "foo"}# Stop support multiple pkey, on this commit.# https://github.com/gomo/dynamic_scaffold/pull/9/commits/ff5de0e38b3544347e82539c45ffd2efaf3410da)pkey(pkey_string_to_hashdefendendscope.dynamic_scaffoldthenHashwhenendend]val[params=]val[reselse}v=]k[res|v,k|{each.valHashis_a?.valif|res,val|do)}{(each_with_object.scope.dynamic_scaffoldthenArraywhenscope.dynamic_scaffoldcasenil?.scope.dynamic_scaffoldif}{returnscope_paramsdefendend"pic_#{i}"=value.)'name'(attribute.node|i,node|doeach_with_index.nodes)"//draw:frame[@draw:name]"(xpath.content=nodes)content(avoid_duplicate_image_namesdefendend)fixture_name(load|fixture_name|doeach.reader)name(create_fixture_reader=reader)name(load_setupdefend)options(watch.load_plugin.SparkEngineconcat.@threads}exit!"\nspark_engine watcher stopped. Have a nice day!"puts{)"SIGINT"(trap'listen'require)options(build)}{=options(watchdefend}join.thr|thr|{each.@threadsargs,commandsend][=@threads)args*,command(dispatchdefend})'_'(start_with?.)f(basename.File|f|{reject.files# Filter out partials]))ext(asset_glob,]to_sym.ext[paths(join.File[Dir=files)ext(find_filesdefendend)path,self(new.klass|path|domap.)ext(find_filesklassasset_ext=ext)klass(add_filesdefend')'+)','(join.})value(convert_to_sass_value+':'+to_s.key|value,key|{map.item+'(')item(make_mapdefend@gem_temprm_rf.FileUtils# Remove temp direndend)'','/'+@cwd(sub.target,"create"action_logtarget,itemcp_r.FileUtilsitem,site_pathjoin.File=target|item|doeach.)logpublicRakefileconfig.rubinconfigapp%w(do"#{@gem_temp}/#{gem}/site"chdir.Dir## Copy Rails plugin filessite_pathmkdir_p.FileUtils'site',pathjoin.File=site_pathengine_copydefendengine_copyend}true:secure,)f,'site',@gem(join.Filerm_rf.FileUtils|f|{each.remove})f,'config'(join.File|f|{map.)database.ymlstorage.ymlcable.yml%w(concat.remove})f,'app'(join.File|f|{map.)viewsjobschannelsassetsmodelsmailers%w(=remove# light-weight Rails documentation site# Remove files and directories that are unnecessary for theend"FAILED: Please be sure you have the rails gem installed with `gem install rails`"abort]1[responseputsempty?.]1[response!if)"rails plugin new #{gem} --mountable --dummy-path=site --skip-test-unit"(capture3.Open3=responsedo)@gem_temp(chdir.Dir)@gem_temp(mkdir_p.FileUtilsengine_scaffolddefendrender.)block,html_options,options,content(new.DropdownLink::Components::Dropdowns::Forms::Core::Ui::UiBibz<<@actionsblock&,nil=html_options,nil=options,nil=contentlinkdefend)block,html_options,options,data_index(new.Column<<@columnsblock&,nil=html_options,nil=options,nil=data_indexcolumndefendtitle:sortable_link?sortable?translate.)defaults:default,translate_headers_by_model(new.Internationalization::Utils::UiBibz=@name])name(header_name,translate_headers_by_active_record,translate_headers_by_defaults_active_record,translate_headers_by_defaults[=defaultscolumn=@columnnil=name,columnheaderdefend)]value,name[Hash(update.]:data[html_optionsvalue:strip.value?)String(kind_of?.value=valuenil?.]:data[html_optionsif}{=]:data[html_optionstrue=value,nameadd_html_datadefendnil?.data_turbolinksunless)data_turbolinks,:turbolinks(add_html_data):turbolinks,:delete(try.options||):turbolinks,:[](try.):data,:[](try.html_options=data_turbolinks# To turbolinksnil?.data_actionunless)data_action,:action(add_html_data):action,:delete(try.options||):action,:[](try.):data,:[](try.html_options=data_actionnil?.data_controllerunless)data_controller,:controller(add_html_data):controller,:delete(try.options||):controller,:[](try.):data,:[](try.html_options=data_controllernil?.data_targetunless)data_target,:target(add_html_data):target,:delete(try.options||):target,:[](try.):data,:[](try.html_options=data_target# To stimulusjscomponent_html_datadefend)nil?.optionsunless]:tap[options(||))Hash(kind_of?.contentif]:tap[content(options,contentis_tapdefendrender.)block,html_options,options,content(new.AlertBody::Components::Notifications::Core::Ui::UiBibz=@bodyblock&,nil=html_options,nil=options,nil=contentbodydefend)html_options,}{,render.)block(tap.)options,content(new.Nav(new.Component::Core::Ui::UiBibz<<@itemsblock&,nil=html_options,}{=options,nil=contentnavdefend)}]:prompt[options:prompt,]:include_blank[options:include_blank,:disabled==]:state[options:disabled,]:multiple[options:multiple{(merge.supercomponent_html_optionsdefendendcontent<<@itemselse)block(capture.context<<@items)binding.block,"self"(eval=contextnil?.block!ifblock&,nil=contenthtmldefendrender.)block,html_options,options,content(new.CardImage::Components::Boxes::Core::Ui::UiBibz<<@itemsblock&,nil=html_options,nil=options,nil=contentimagedefendrender.)block(tap.)html_options,options,content(new.CardListGroup::Components::Boxes::Core::Ui::UiBibz<<@itemsblock&,nil=html_options,nil=options,nil=contentlist_groupdefendrender.)block,html_options,options,content(new.CardFooter::Components::Boxes::Core::Ui::UiBibz=@footer)block,options,content(inherit_options=content,optionsblock&,nil=html_options,nil=options,nil=contentfooterdefendendrender.)block,html_options,options,content(new.CardBody::Components::Boxes::Core::Ui::UiBibz<<@items)]:parent_collapse[@options:parent_collapse,):collapse,:[](try.options:collapse(merge.)}{||options(=optionselserender.)block(tap.)html_options,options,content(new.CardBody::Components::Boxes::Core::Ui::UiBibz<<@items)]:parent_collapse[@options:parent_collapse,):collapse,:[](try.options:collapse(merge.)}{||content(=content)options,content(is_tapif)block,options,content(inherit_options=content,optionsblock&,nil=html_options,nil=options,nil=contentbodydefendcontentnil?.as.colunlessrender.)@options,content,record,col(new.As=contentendnil?.format.colunless)record,records.@store(call.format.col=contentnil?.link.colunless)record,link.col(inject_url.action,contentlink_to=contentnil?.date_format.colunless)date_format.col(strftime.content=contentnil?.contentunless)data_index.col(send.record:count.)data_index.col(send.record?count.col=contentcol,recordtd_contentdefendblock,html_options,options,contentnew.ListBody::Components::Lists::Core::Ui::UiBibz=@bodyblock&,nil=html_options,nil=options,nil=contentbodydefendblock,html_options,options,contentnew.ListHeader::Components::Lists::Core::Ui::UiBibz=@headerblock&,nil=html_options,nil=options,nil=contentheaderdefendendendentitypack_file_entitypathfile?.Fileelsifentitypostpone_dirpathdirectory?.Fileelsifentitypostpone_symlinkpathsymlink?.Fileif]:path[entity=path]:path[entity&&)Hash(is_a?.entityunlessnext# ignore bad entities|entity|doeach.entities)entities(pack_entitiesdefendendendlinkpack_symbolic_link_entity]:abs_path[link=]:name[link))]:path[link(readlink.File,]:abs_path[link(linked_path.Entitypath_exists?.@wif|link|doeach.@lreset_statepack_symlinksdefendendpack_current_dirnext_dircdhas_dir?whileentitiespack_entitiesreset_stateempty?.entitiesifreturnfilesentities_from.Entity=entities)files(packdefend)'a*'(pack.]str[endendende=>rescue'?'=>:replace,:replace=>:undef,:replace=>:invalid,'Shift_JIS'encode!.str'?',/\uff5e\\/gsub.str=strbegin:shift_jis==@eif:utf8==@e||nil?.@eunless)str(string_to_bytesdefend}})path(basename.File:name,)path(mtime.File:time,path:path{|path|{map!.)'/*'+)'\\\\\0',/\]\[\\/(gsub.]:path[dir(glob.Dir)@current_dir=dir(subdir_entitiesdefendendend)sym(key?.@results|sym|doany?.required_unless.optunlessfail_msg,NoRequiredOptionraise"One of the following options is required: #{opt}, #{opt.required_unless.join(', ')}"=fail_msg)to_sym.opt(key?.@results||empty?.required_unless.optifnext)to_sym.opt(key?.@results!&&required?.optif"The option #{opt} is required",NoRequiredOptionraise|opt|doeach.@optspost_processingdefend)to_sym.opt(include?.@symbols_usedif"The option #{opt.to_sym} is already used !",Errorraise)OptBase(is_a?.optunless"The option is not an OptBase, #{opt.class} supplied",Errorraise)opt(check_optiondefendwritable?.parent.path!||writable?.path!&&exist?.pathif"'#{path}' is not writable",Errorraise)path(check_writabledefendsuccessend)text,index,misspelled(print_misspelledfalse=successempty?.misspelledifnext)text(misspelled_on_line=misspelled|index,text|doeach_with_index.linestrue=success)"\n"(split.)file(read.File=lines# spell check each line separately so we can report error locations properlytrue==verboseif"Checking #{file}..."puts)file(check_filedefend@config)custom_config(merge!.@config# override the global values by the local if presentuniq!.]"dictionary"[custom_configto_a.]"dictionary"[custom_config+]"dictionary"[@config=]"dictionary"[custom_config)to_a.]"dictionary"[custom_config,]"dictionary"[config(report_duplicates)CUSTOM_SPELL_CONFIG_FILE(read_spell_config=custom_config)GLOBAL_SPELL_CONFIG_FILE(read_spell_config=@config@configif@configreturnconfigdefendputs.$stderr}" #{duplicate}"puts.$stderr|duplicate|{each.duplicates"(#{CUSTOM_SPELL_CONFIG_FILE}):\n""Warning: Found dictionary duplicates in the local dictionary "puts.$stderrempty?.duplicatesifreturndict2&dict1=duplicates)dict2,dict1(report_duplicatesdefend)file(load_file.YAML"yaml"requiretrue==verboseif"Loading config file (#{file})..."puts)file(exist?.Fileunless}{return)file(read_spell_configdefend}]e[Dir-a|e,a|{)files(reduce.]"ignore"[config}]e[Dir+a|e,a|{)][(reduce.]"check"[config=filesfiles_to_checkdefend@speller)"html","mode"(set_option.@speller# ignore the HTML tags in the textNORMAL::Aspell=suggestion_mode.@speller)"en_US"(new.Aspell=@speller# initialize aspellend1exit"ERROR: Ruby gem \"raspell\" is not installed."puts.$stderrLoadErrorrescue"raspell"requirebegin# raspell is an optional dependency, handle the missing case nicely@spellerif@spellerreturnspellerdefendfalsereturnendsuffixend_with?.name.filenameiftruereturn|suffix|doeach.suffixs]".cpp",".swift",".mm",".m",".c",".h"[=suffixsfilenamevalid_source_file?defendendendendend)true,uuid,file(add_file_reference_with_uuid.resource_phaseelse)true,uuid,file(add_file_reference_with_uuid.phase)file(valid_source_file?.selfif# Treat a file as resource file unless confirm it can be compiled."#{target.name}:#{file.name}"uuid_with_name::Xcodeproj=uuid)name.parent.file(include?.seed_namesnotifnext".h"end_with?.name.fileifnext|seed_names|doeach.addingsendendfile==file_ref.build_fileif)build_file(delete.files.resource_phase|build_file|doeach.files.resource_phaseendfile==file_ref.build_fileif)build_file(delete.files.phase|build_file|doeach.files.phase)name.parent.file(include?.seed_namesnotifnext|seed_names|doeach.removings|file|doeach.file_references.selfendend)seed_name(include?.addingsnotifseed_name<:size,first_block.@root=>:first_block,@bbatnew.RangesIOResizeable=@sb_file# which mode to use here?# hmm. nor do i write it. it means what exactly again?# FIXME i don't currently use @header.num_sbat which i should0>unusedif"#{unused} unused directories"warn.Loglength.):idx(reject.@dirents=unused#Log.warn "root name was #{@root.name.inspect}" unless @root.name == 'Root Entry'# like some kind of UTF16 snafu, but scottwillson also has had some kanji...# fairly common one appears to be "R" (from office OS X?) which smells# silence this warning by default, its not really important (issue #5).}0==type_id.d|d|{reject!.@direntsfirst.to_tree.@dirents=@rootendend)next.d(to_tree+]d[+)prev.d(to_treeidx=idx.didx.dif"directory #{d.inspect} used twice",FormatErrorraise}child<length.output=outputchomp.]'output'[]'check'[@event=output)'/'(join.]]'name'[]'check'[@event,source[=event_context]'name'[]'client'[@event||]'source'[]'check'[@event=sourcenil?.summaryif]'description'[]'check'[@event||]'notification'[]'check'[@event=summary)100=trim_at(event_summarydefend))r/w*)1-t1(p+r/)1+wr(t2pn+)2**r(/)1+wr(*)1-t1(p-xt2n(/)r/)1+wr(*)1-t1(p+xt1+y(()1-n(**)1+r(=t2n**)1+r(=t1)w,y,x,p,n,r(newton_iterdefend]0[guess)guess,func(nlsolve]eps.func[=guess)values(new.IrrHelper::Helpers=func)values(irrdefendtotalend))1+index(**)to_f.discount+1(/to_f.cashflow(+=total|index,cashflow|doeach_with_index.cashflows0=total)cashflows,discount(npvdefendnext_guessclose!whileendnext_guess=guesstolerancylength.speakersunlessnilreturnnil=new_masterparty_modedefendssl_socketVERIFY_NONE::SSL::OpenSSL!=verify_mode.ssl_contextif)address,ssl_socket(ssl_verify# Verify Peer certificateend)exception,to_s.address,message(new.ConnectionFailureraise):logger(respond_to?ifmessageerror.logger"#connect SSL handshake failure with '#{address.to_s}': #{exception.class}: #{exception.message}"=messageexception=>IOError,SSLError::SSL::OpenSSL,SystemCallErrorrescueendend)"SSL handshake Timed out after #{timeout} seconds trying to connect to #{address.to_s}"(new.ConnectionTimeoutraiseNonBlockingTimeoutrescue# Connection was successful.EISCONN::Errnorescue}connect_nonblock.ssl_socket{)deadline,socket(non_blockingbegintimeout+utc.now.Time=deadlineelseconnect.ssl_socket# Timeout of -1 means wait forever for a connection1-==timeoutifbegintrue=sync_close.ssl_sockethost_name.address=hostname.ssl_socket)ssl_context,socket(new.SSLSocket::SSL::OpenSSL=ssl_socket)}{:ssl?)Hash(is_a?.ssl(set_params.ssl_contextnew.SSLContext::SSL::OpenSSL=ssl_context)timeout,address,socket(ssl_connectdefend)exception,to_s.address,message(new.ConnectionFailureraise):logger(respond_to?ifmessageerror.logger"#write Connection failure while writing to '#{address.to_s}': #{exception.class}: #{exception.message}"=messageexception=>IOError,SystemCallErrorrescue)"Timed out after #{timeout} seconds trying to write to #{address}"(new.WriteTimeoutraise):logger(respond_to?if"#write Timeout after #{timeout} seconds"warn.loggerNonBlockingTimeoutrescueendendend)1-..count(byteslice.data=datalength>=total_countiftotal_countreturncount+=total_countendretryEWOULDBLOCK::Errnorescue)data(write_nonblock.socket=countbegindoloopdo)deadline,socket(non_blocking0=total_countbytesize.data=lengthtimeout+utc.now.Time=deadlineelse)data(write.socket0IOError,SystemCallErrorrescue)"Timed out after #{timeout} seconds trying to connect to #{address}"(new.ConnectionTimeoutraiseNonBlockingTimeoutrescue# Connection was successful.EISCONN::Errnorescue})socket_address(connect_nonblock.socket{)deadline,socket(non_blockingbegintimeout+utc.now.Time=deadline1-==timeoutif)socket_address(connect.socketreturn# Timeout of -1 means wait forever for a connection)ip_address.address,port.address(pack_sockaddr_in.Socket=socket_address)timeout,address,socket(socket_connectdefendfalseIOErrorrescueendtrueelsefalserescueeof?.socket!)0,nil,nil,]socket[(select.IOifclosed?||nil?.socketiffalsereturnalive?defendfalse):logger(respond_to?if"IOError when attempting to close socket: #{exception.class}: #{exception.message}"warn.loggerexception=>IOErrorrescuetruenil=@addressnil=@socketclosed?.socket!&&socketifclose.socketclosedefendexcraiseclose_on_errorifcloseexc=>Exceptionrescueend)timeout,buffer,length(socket_readelseenddatatrace?.loggerifdata=]:data[payload# With trace level also log the received data)timeout,buffer,length(socket_read=datado)payload:payload,'#read'(benchmark_debug.logger}timeout:timeout,length:bytes{=payload):logger(respond_to?if)read_timeout=timeout,nil=buffer,length(readdefendexcraiseclose_on_errorifcloseexc=>Exceptionrescueend)timeout,data(socket_writeelseend)timeout,data(socket_write=]:bytes[payloaddo)payload:payload,'#write'(benchmark_debug.loggertrace?.loggerifdata=]:data[payload# With trace level also log the sent data}timeout:timeout{=payload):logger(respond_to?ifto_s.data=data)write_timeout=timeout,data(writedefendendend)cause,to_s.address,message(new.ConnectionFailureraise):logger(respond_to?if))start_time-now.Time(:duration,exception:exception,message(benchmark_error.logger"#connect Failed to connect to any of #{servers.join(',')} after #{retries} retries. #{exception.class}: #{exception.message}"=messageelseretry)connect_retry_interval(sleep):logger(respond_to?if"#connect Failed to connect to any of #{servers.join(',')}. Sleeping:#{connect_retry_interval}s. Retry: #{retries}"warn.logger1+=retries)to_i.connect_retry_countConnectionTimeout,ConnectionFailurerescue):logger(respond_to?if)1000*)start_time-now.Time(:duration,"Connected to #{address}":message(info.logger)policy,servers(connect_to_serverbegin# Number of times to tryclose0=retriesnow.Time=start_timeconnectdefendfirst.parts||}]seg[COMMON_SEGMENTS!|seg|{find.parts# Find the last segment not in common segments, fall back to the last segment.reverse!.to_a.each_filename.)path(new.Pathname=parts)path(parse_service_namedefend)]'TOKEN'[ENV:bearer_token,stream_uri:base_url(new.Client::Streaming::Mastodon=@streamer)'https',//(gsub.]'streaming_api'[]'urls'[attributes.)(instance.@client=stream_urisetup_streamingdefend}account.mention:account,mentions.mention:mentions,sensitive?.mention:hide_media,spoiler_text.mention:spoiler,visibility.mention:visibility,id.mention:reply_id{=@mention_data)mention(store_mention_datadefendendend)status.update,self(call.@on_replyelse)status.update,self(yieldblock_given?ifstatus.updatestore_mention_data@strip_htmlif}:strip,:contentalias_method{module_eval.class.status.update# this makes it so .content calls strip instead 'mention'==type.updateandNotification::Mastodonkind_of?.updateunlessnext|update|douser.@streamerrun_replydefend)}:account==kor:mentions==k|k|{reject.)options(merge.@mention_data**,"@#{@mention_data[:account].acct} #{text}"(post]options[Hash=options)options*,text(replydefendendendendnil?.@on_followunless)update,self(call.@on_follow'follow'whennil?.@on_faveunless)update,self(call.@on_fave'favourite'whennil?.@on_boostunless)update,self(call.@on_boost'reblog'whennil?.@on_replyunless)status.update,self(call.@on_replystatus.updatestore_mention_data@strip_htmlif}:strip,:contentalias_method{module_eval.class.status.update# this makes it so .content calls strip instead 'mention'whentype.updatecaseNotification::Mastodonkind_of?.updateif|update|douser.@streamerrun_interactdefend)}:rules==k|k|{reject.opts**,)text(flatten.]rules[@grammar(actually_post)'default',:rules(fetch.opts=rules]options[Hash=opts)options*,text(expand_and_postdefendend})'reply':rules,'#default#'(reply_with_mentions.bot|bot|{on_replynil?.]'reply'[@grammarunless# if we have a reply rule file# go ahead and makes a default mention-handlerendend)))"#{dir_path}/#{file}"(read.File(parse.JSON(createGrammar=]first.)'.'(split.file[@grammar# read the rule file into the files hash/\.\./=~fileifnext# skip our current and parent dir|file|doeach.dir|dir|do)dir_path(open.Dir}{=@grammar)dir_path(exist?.Dirunless"Provided path not a directory"raisedir_pathsetup_tracerydefendendfalsereturnelsetruereturnworker=locked_by.selfnow=locked_at.self1==affected_rowsifend)]worker,id,"id = ? and locked_by = ?"[,]now,"locked_at = ?"[(update_all.class.self# Simply resume and update the locked_at# We already own this job, this may happen if the job queue crashes.else)])to_i.max_run_time-now(,id,"id = ? and (locked_at is null or locked_at < ?)"[,]worker,now,"locked_at = ?, locked_by = ?"[(update_all.class.self# We don't own this job so we will update the locked_by name and the locked_atworker!=locked_byif=affected_rowsdb_time_now.class.self=now)worker_name=worker,max_run_time(lock_exclusively!defendmessageendremaining_width*' '+=messagemessage_length-@last_render_width=remaining_widthmessage_length>@last_render_widthif)message(display_columns.class.self=message_length)message(padoutdefendrender)true,"\n"+sanitized_message(write)sanitized_message(padout=sanitized_messageendreturn)false,"\n"+sanitized_message(writedone?if)' ',/\n\r/(gsub.message=sanitized_message)message(logdefend):stopped(emittrue=@stoppedclear.@meterensure)false,"\n"(write:clear_line?clearrenderdone?ifreturnend)false,show.Cursor::TTY(write0!=@last_render_width&&hide_cursorif# reenable cursor if it is turned offstopdefend):done(emitend)false,show.Cursor::TTY(write0!=@last_render_width&&hide_cursorif# reenable cursor if it is turned offtrue=@doneclear.@meterensure)false,"\n"(write:clear_line?clearrenderno_widthunlesstotal=@currentdone?ifreturnfinishdefendendflush.output)"#{characters_in}#{data}"(print.output@multibarif)self(line_inset.@multibar=characters_inclear_firstif))1(column.Cursor::TTY(print.outputdomove_to_row# write only to terminaltty?unlessreturn)false=clear_first,data(writedefendendblock_given?ifyieldelseendendrestore.Cursor::TTYprint.outputblock_given?ifyield)lines_up(up.Cursor::TTYprint.outputsave.Cursor::TTYprint.output@row-)1+rows.@multibar(=lines_upelsefalse=@first_render"\n"print.outputblock_given?ifyieldnext_row.@multibar=@row@first_renderifdosynchronize.CURSOR_LOCK@multibarifmove_to_rowdefend)formatted(display_columns.class.self=@last_render_widthnow.Time=@last_render_time)true,padded(write)formatted(padout=paddedend)val,":#{token}"(gsub.formatted=formatted|val,token|doeach.@tokens)@format,self(decorate.@formatter=formattedend))characters_in(display_columns.class.self:inset(update)self(line_inset.@multibar=characters_in@multibarifend)hide.Cursor::TTY(write)total>=@current(!&&0==@last_render_width&&hide_cursorifdone?ifreturnrenderdefendendendend)val,"#{name}="(public_send.@configuration)"#{name}="(respond_to?.@configurationif|val,name|doeach.optionsdosynchronize)}{=options(updatedefendprogress_enum:)block(each.progress_enum?block_given?endend)elem(yield.iter)progress(advance|elem|doeach.collection|iter|donew.Enumerator=progress_enumtotalunless)progress*count.collection:total(update)block&,1=progress,collection(iteratedefendendrender@render_period<)@last_render_time-now(ifreturnnow.Time=nowendreturn&&finishtotal>=@current&&no_width!if)progress,now.Time(sample.@metertokens=@tokensprogress+=@current@started!&&zero?.@currentifnow.Time=@start_atend1,progress=progress,tokens):to_hash(respond_to?.progressif)progress,:progress(emitdosynchronizedone?ifreturn)}{=tokens,1=progress(advancedefendclear.@meter}{=@tokensfalse=@startednow.Time=@start_atfalse=@stoppedfalse=@done0=@last_render_widthnow.Time=@last_render_time0=@currentfrequency/1.0:0?0==frequency=@render_periodno_widthif0=@widthresetdefend7%)start_day_number-current_day_number(6:1-wday?0!=wday=current_day_number]start_day[DAYS_INTO_WEEK=start_day_number)beginning_of_week.Date=start_day(days_to_week_startdefendend)]]other,:seconds[[+@parts,other+value(new.Durationelse)parts.other+@parts,value.other+value(new.Durationother===Durationif)other(+defendall_signalsreturnendsuperclass.current=currentendsignals.metaconcat.all_signalsnil?.meta!if]name.current[Meta=metaBase::Qt!=currentwhile@klass=current][=all_signalsget_signalsdefendversion_file.configexist?.Fileif)version_file.config(remove_entry.FileUtilsclean!.checksum_validatortmp_save_dir.configexist?.Fileif)true,tmp_save_dir.config(remove_entry.FileUtils)download_dir.config(exist?.Fileif)true,download_dir.config(remove_entry.FileUtilsremove_instance_dir!stopclean!defendend]:persist[optionsunlessnamedeleteensurenameyieldbegin)options(create=nameempty?.optionsifyieldreturn)options(merge.collection_options.config=options)}{=options(with_collectiondefend]:name[optionsdownconfig_options,'zk'exec]:zkhost[optionsif]:zkhost[options=]:z[downconfig_options]:dir[optionsif]:dir[options=]:d[downconfig_options}]:name[options:n,true:downconfig{=downconfig_optionszkhost||=]:zkhost[optionshex.SecureRandom||=]:name[options)}{=options(downconfigdefend]:name[optionsupconfig_options,'zk'exec]:zkhost[optionsif]:zkhost[options=]:z[upconfig_options]:dir[optionsif]:dir[options=]:d[upconfig_options}]:name[options:n,true:upconfig{=upconfig_optionszkhost||=]:zkhost[optionshex.SecureRandom||=]:name[options)}{=options(upconfigdefend]:name[options)create_options,"create"(exec)]:c[create_options(exists?.client&&]:c[create_options&&]:persist[optionsifreturn# short-circuit if we're using persisted data with an existing core/collectionendstarted?unless"Not started yet"raisedoretriable.Retriable]:dir[optionsif]:dir[options=]:d[create_options]:config_name[optionsif]:config_name[options=]:n[create_options]:name[optionsif]:name[options=]:c[create_options}port:p{=create_optionshex.SecureRandom||=]:name[options)}{=options(createdefendend)cloud.config:c,port:p,'restart'(execstarted?&&managed?.configifrestartdefendendafter_startendpoll_interval.configsleepstatusunless# Wait for solr to start)cloud.config:c,port:p,'start'(execmanaged?.configifextract_and_configurestartdefendend)attr(send=]to_s.attr[hash|hash,attr|do)}{(each_with_object.mail_attributes.class.selfmail_form_attributesdefendenddeliver.mailerelsedeliver_now.mailer):deliver_now(respond_to?.mailerif)self(contact.Notifier::MailForm=mailerdeliver!defendfalseendendtruereturnelse"The captcha field #{field} was supposed to be blank",ScriptErrorraisedevelopment?.env.Rails&&)Rails(defined?ifblank?.)field(sendifnext|field|doeach.mail_captcha.class.selfspam?defend)number,field(register_field_by_number)block,ref_field,self(new.AltField=fieldend"Unknown ref_field: #{ref_field}"raise)ref_field(include?.@fields_by_nameunless)block&,ref_field,number(alt_fielddefend)number,field(register_field_by_number)name,field(register_field_by_name)opts,name,type(new.Field=field)}{=opts,name,type,number(fielddefendendend"the FIT file.""Session references lap #{i} which is not contained in "fatal.Logelselap<<@laps)]i[lap.activity=lap(if|i|do)@num_laps-@first_lap_index(upto.@first_lap_indexend'num_laps is not set'fatal.Log@num_lapsunlessend'first_lap_index is not set'fatal.Log@first_lap_indexunless)activity(checkdefendrecordendnil=recordelse))field_values(new.PersonalRecords=record(<<@personal_records'personal_records'when))field_values(new.HeartRateZones=record(<<@heart_rate_zones'heart_rate_zones'when))field_values(new.HRV=record(<<@hrv'hrv'whenrecord<<@records))field_values(new.Record=record(<<@cur_lap_records'record'when)field_values(create_new_lap=record'lap'when][=@cur_session_laps))field_values,@lap_counter,@cur_session_laps(new.Session=record(<<@sessions1+=@num_sessionsend)lap_field_values(create_new_lap=record# Ensure that all previous records have been assigned to a lap.end)f(include?.field_valuesif]f[field_values=]f[lap_field_values|f|doeach.]:sport,:timestamp[}{=lap_field_values# Copy selected fields from section to lap.empty?.@cur_lap_recordsunless'session'when))field_values(new.Event=record(<<@events'event'when))field_values(new.PhysiologicalMetrics=record(<<@physiological_metrics'physiological_metrics'when))field_values(new.UserProfile=record(<<@user_profiles'user_profile'when))field_values(new.UserData=record(<<@user_data'user_data'when))field_values(new.DataSources=record(<<@data_sources'data_sources'when))field_values(new.SensorSettings=record(<<@sensor_settings'sensor_settings'when))field_values(new.DeviceInfo=record(<<@device_infos'device_info'when))field_values(new.FileCreator=record(=@file_creator'file_creator'when))field_values(new.EPO_Data=record(=@epo_data'epo_data'when))field_values(new.DeveloperDataId=record(<<@developer_data_ids'developer_data_id'when))field_values(new.FieldDescription=record(<<@field_descriptions'field_description'when))field_values(new.FileId=record(=@file_id'file_id'whenrecord_typecase)}{=field_values,record_type(new_fit_data_recorddefendsuperend)id_mapper,io(write.s|s|doeach.sort.)@personal_records+@heart_rate_zones+@records+@laps+@sessions+@events+@physiological_metrics+@user_profiles+@data_sources+@sensor_settings+@device_infos+@developer_data_ids+@field_descriptions()id_mapper,io(write.@file_creator)id_mapper,io(write.@file_id)id_mapper,io(writedefendnilendmetmax.uif3.5*metmax.ureturn|u|doeach.@user_data# is same value as VO2max.# Then check the user_data entries for a metmax entry. METmax * 3.5end'vo2max'==event.eifvo2max.ereturn|e|doeach.@events# First check the event log for a vo2max reporting event.vo2maxdefenddendendendtimestamp.r=last_timestamplong=last_longlat=last_latelseshift.timer_stopsnil=last_timestampnil=last_long=last_lat# is not added to the total.# last_* values so that the distance covered while being stopped# If a stop event was found for this record timestamp we clear thetimestamp.r==]0[timer_stopsifend)last_timestamp-timestamp.r(/distance=speedlast_timestampifenddistance+=d)long,lat,last_long,last_lat(distance.GeoMath::Fit4Ruby=distancelast_long&&last_latif)position_long.r=long(&&)position_lat.r=lat(if|r|doeach.@records# neiboring coordinates.# Iterate over all the records and accumlate the distances between thenil=last_timestampnil=last_long=last_lat0.0=d# the total distance purely on the GPS coordinates found in the records.# button was pressed. This introduces a slight inaccurcy when computing# with it. The GPS location of the first record is not where the start# The first record of a FIT file can already have a distance associatedendendtimestamp.e<distance.)]i[@records=ri(if|i|do)0(downto.)1-idx(# Index of the list record to be discarded."(#{r.distance}) than an earlier record (#{distance})."+"Record #{r.timestamp} has smaller distance "error.Log# problem and discard the earlier records.# produces such broken FIT files. So we just warn about this# broken. Unfortunately, the Skiing/Boarding app in the Fenix3# Normally this should be a fatal error as the FIT file is clearlydistancelength.@device_infosunlessend"Activity has no valid total_timer_time"fatal.Log@total_timer_timeunlessend"Activity has no valid timestamp"fatal.Log)'1990-01-01T00:00:00+00:00'(parse.Time>=@timestamp&&@timestampunlesscheckdefend@top_level_recordendnilreturn"Unsupported FIT file type #{type}"error.Logelse'metrics'=@typenew.Metrics=@top_level_record'metrics',44when'monitoring_b'=@typenew.Monitoring_B=@top_level_record'monitoring_b',32when'activity'=@typenew.Activity=@top_level_record'activity',4whentypecaseend"#{@top_level_record.class}"+"FIT file type has already been set to "fatal.Log@top_level_recordif)type(set_typedefendend"Cannot open log file: #{e.message}"fatal.Log)$stderr(new.Logger=@@loggere=>rescue)io(new.Logger=@@loggerbegin)io(opendefendendend'device info record 0 must have a serial number set'fatal.Lognil?.@serial_numberifendend'device info record 0 must have a product �.�����Ѝ��o� 5���z��@ � D � �  � ���"���w��nCb��,�Uj@� H �"�$�&�'m(k)w*,,�,�,�-0.�2Z3�3�7�8�8�9�@0BC�C]D�D�DH8IYI(J�J�JK�KBL�N�OQ�Q�RbST�TQU}V�VWW�W�X�Y)ZTZ�ZW[�\�`�a�a�btc�c�de�h�il:mwn@o�o+pnp�p�p,qlq�qr]r�r�rKs�su)v?w�w�x2y�y�yNz�z{*g�����s����c���;�U�����χ��1�g����T��������7�l���ōk�'���E�p��.�U���ɘ��+����9�`�����ț���Ӝ���������9�C�y�=�����j�B�t�����������ߧ��*�[�#�V�v���ܩ�r���ݪ-�r���Ы��X��2�c���í��>�Ȯ�N���S�۱���޲��f���մ�ֵ��ڷ��0�o�[�������e���̼��9�����1�X���������������"���\����B����������*�����V���~�*���$���s�\�����������f�������"��%����������U�������9����������A�c�������>� �A������'�9�v�����Z��������������{�����m��T�J q  6 ^ � � �   < � X � � 2�:,\��k��`��= 4"4$P'�(�)6*Z,�1�=jlj�j k�k;l�l m>m�mVn�q r�u'vSv�v!w?w�w�wxix%yA{�{x}~�~�~�9���*�O��������m���,����e�ԏ��A�ے5���F���ߜ0�D�6������š��ڣ����¥<�����æ�=����4�a����.�p����y���j��� �I���Ҭ��K�j�����˭� �+�=�T�b����Ʈݮ����K��������4�V�~�ذ�4�T����� �=�l���?��g�+��ں%�a��� �.������8�t�������ڿ���-�E�X������������R�p�����������X������� �2�M���%�����x���)�����"�[���*�}������@�Z�����s� �1�j���������S����W���K��� �0�@�k���������6�P�r��������������x�����|���������������������W�`���$�8�K�b�>�����5������C��7u�f�.��Ev��� � � � � ���P���f��c��6t��%f��Gu���'R��'<Tx���$ � :!x!�!�!�#�%5* +@+B,)-�-�-.�.:/�/ 1M3�3�3Y4�45697�7�8�9�9}:A;<(=r>�>�?�ASB�BzC�C�D�D)F�H!KIKLIL�LMtMWN�N�O�P*Q@Q�Q�Q�RSpS�T�U�U�U�UAV}V�V�V~W�W�WEX�XY�Y�Y�YZ`Zm\^�^�b5f hBh_h�hk�k[m)nVn�nzo,p�p9r�swt�t.u�u�uPv�v�w�x�yY{#|�|N}�f�ăB��ƈ��S����<�����j�Q�[�ɖ\�j����%���ؠO�Q�Ť٥y��W�B�2����Ӳ�Ŵ����j�A���Ź��W�&�ڼ,�ӿ�P�����e���L�m�����e�*�q�<�L�w���R���<�N�����!�O�������������<�a�|����������"�1�c���p�����������R�V���������o���;�������� �����%�������u��������n������O�����-���^������� �i��Z�"��E~� �  N w } 3L�hcZ�*SU���&p1*��6��:��������� \!�!u",#r#�#-$V$k$}$�$�$,%\%�%�&'C't'�'�'"(q(&)h)|*�*�*,`,�,�,.�./�/�/1q1�1�12T2�2�2j3,4�4Z5)6T6�6p7�7�8R9�9:b:];�;;=O=}=�=�=�= >=>�>�>1?�?�?�?@<@�@&B�BDZD�DE5E�E�FlG7H�HI�I�I�I�IK�KL�M�M0N_NFO^PKQR�R�S�T�T�UKV�V�V}]�]O_�a�ab$dbe�e�f�g9h�h�h�i�j�k�khl�l m4m�m�m�n�p�q-sjs�s�t�t�u�u�u;v�v�w�wRxwz�z�z-{|{�{�|}�}~=~�~dC�y�(�m�ʂ*�������?�Ą��z���և �J�8�h�|���Y���.�����ȌE�u���Ѝ����������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������get part by its name param @return Partpublic_keyKey = aG "a" is generated form a secretdecompress point that is compressed into 32bytesregion point manipulation Compute corresponding x-coordinate, with low bit corresponding to sign, or return nil on failurereturn point A == point Bcalculate public key from secretReplaces the original implementation of the method with an implementation that allows disabling.The replacement for the original method. It will raise a NoMethodError if the method is disabled. Otherwise, it will execute the original method. @param [Object] object The "self" object of the method being called. @param [Array] args The arguments that were passed to the method. @param [Proc] block The block that was passed to the method. @return Whatever the original method returns.Returns a Proc that acts as a replacement for the disabled method.Disables an instance method. @param [Symbol,String] method_name The name of the method to disable. @param [String] message An error message. Defaults to "Class#method is disabled".Get the endpoint listAdd an endpoint listAdd a service to the keystone services directoryAuthenticate via keystone, unless a token and tenant are defined then a unscoped token is returned with all associated data and stored in the @data variable. Does not return anything, but all data is accessible through accessor methods.Run httperf from low_rate to high_rate, stepping by rate_stepOutput the results based on the requested output formatrun the action if valid and return true if successfulSpecifies a new irregular that applies to both pluralization and singularization at the same time. This can only be used for strings, not regular expressions. You simply pass the irregular in singular and plural form. Examples: irregular 'octopus', 'octopi' irregular 'person', 'people'Specifies a new singularization rule and its replacement. The rule can either be a string or a regular expression. The replacement should always be a string that may include references to the matched data from the rule.Specifies a new pluralization rule and its replacement. The rule can either be a string or a regular expression. The replacement should always be a string that may include references to the matched data from the rule.Turns all email addresses into clickable links. If a block is given, each email is yielded and the result is used as the link text.return a hash of the configfile or empty hash if error encounteredShould be run by another thread - respond to all queued requestsAtomically write to +path+. An open temp file is yielded.Copy mode, atime and mtime from +src+ to +dst+. This one is rarely used and doesn't echo.Like rm -rf && mkdir -p. Like all file commands, the operation will be printed out if verbose?.Like chmod mode file. Like all file commands, the operation will be printed out if verbose?.Like ln -sf +src+ +dst. The command will be printed out if verbose?.Like mv +src+ +dst. If +mkdir+ is true, the dst directoy will be created if necessary before the copy. Like all file commands, the operation will be printed out if verbose?.Like cp -pr +src+ +dst. If +mkdir+ is true, the dst directoy will be created if necessary before the copy. If +owner+ is specified, the directory will be chowned to owner. If +mode+ is specified, the directory will be chmodded to mode. Like all file commands, the operation will be printed out if verbose?.Like mkdir -p +dir+. If +owner+ is specified, the directory will be chowned to owner. If +mode+ is specified, the directory will be chmodded to mode. Like all file commands, the operation will be printed out if verbose?.Adds a member to an image. @param member_id The member to be added @param can_share Optional boolean specifiying can_share value. Will default to false.Replaces the membership list for an image. @param memberships List of memberships in format [{'member_id': 'tenant1', 'can_share': 'false'}]Registers a virtual machine image.No ID provided - Lists details for available images. ID provided - Shows the image details as headers and the image binary in the body.Make a GET API call with the current path value and @options. Return a JSON string if successful, otherwise an ExceptionAdd expired time functionality to this gem By default is 1.hour, and can be replaced anywherequick set value. @example form = browser.form(id: "foo") form.set2("//input[@name='value']", "hello") form.set2("//input[@name='check']", true) form.set2("//select[@name='foo']", "Bar") form.set2("//textarea[@name='foo']", "bar")Write cookies to Mozilla cookies.txt-style IO stream @param file [IO,String]Read cookies from Mozilla cookies.txt-style IO stream @param file [IO,String]Uniq deals from Sqoot, because there are some many duplicated deals with different ids Simplely distinguish them by their titlesAuto Increment for deals query.Retrieve a deal by idRetrieve a list of deals based on the following parameters @param [String] query (Search deals by title, description, fine print, merchant name, provider, and category.) @param [String] location (Limit results to a particular area. We'll resolve whatever you pass us (including an IP address) to coordinates and search near there.) @param [Integer] radius (Measured in miles. Defaults to 10.) @param [Integer] page (Which page of result to return. Default to 1.) @param [Integer] per_page (Number of results to return at once. Defaults to 10.)if chainable method or returns "self" for some other reason, return this proxy insteaddef nil_if_blank self.trial_end = nil if self.trial_end.blank? endThis method sets up the +Role+ class with all baked in methods. A role requires the presence of the +name+ and +default_path+ attributes. Once this method has been called, the {InstanceMethods} and {ClassMethods} modules will be accessibile within the Role model.Retrieve a list of categories base on the following parameters @return [RSqoot::SqootCategory] category listRetrieve a list of providers base on the following parameters @return [RSqoot::SqootProvider]load config from filesfind in self find in ancestors find types find any typesDelete a connection between a subnet and router given either port or subnet ids. :call-seq: delete_router_interface(router_id, subnet_id, "subnet") delete_router_interface(router_id, port_id, "port")Create a new router with a given name.Get a list of a tenants routers :call-seq: routers(id) => A single router with the id matching the parameter routers => All routers visible to the tenant making the requestProviders must define an authorize method. This is used to initialize and set authentication parameters to access the APIAllow reading and writing cell values by their accessor name.Access multiple values by either index, index-range, accessor or header-name. @example table = Tabledata.table header: %w[x y z], body: [[:a,:b,:c]], accessors: %i[foo bar baz] row = table.row(1) row.values_at(2,1,0) # => [:c, :b, :a] row.values_at(:foo,'z') # => [:a, :c] row.values_at(0..1, 2..-1) # => [:a, :b, :c]Access a single cell by either index, index-range, accessor or header-name. @example table = Tabledata.table header: %w[x y z], body: [[:a,:b,:c]], accessors: %i[foo bar baz] row = table.row(1) row.at(0) # => :a row.at(:foo) # => :a row.at("x") # => :aTries to return the value of the column identified by index, corresponding accessor or header. It throws an IndexError exception if the referenced index lies outside of the array bounds. This error can be prevented by supplying a second argument, which will act as a default value. Alternatively, if a block is given it will only be executed when an invalid index is referenced. Negative values of index count from the end of the array.Add `match` method, which work like `case` statement but for types == Usage include Ov::Ext match("String", "dsa") do try(String, Array) {|str, arr| "#{str} #{arr}" } try(String) {|str| "#{str}" } otherwise { "none" } endList all available leagues.Retrieve information of commissions based on the following parameters @param [String] :to Start date @param [String] :from End date @return [RSqoot::SqootCommission]operations with pathGet method, use by all other API qeury methods, fetch records from the Sqoot API V2 url, and provide wrapper functionalityDelete an image stored on Openstack through the nova endpointPerform an action on a server on Openstack, by passing an id, and an action, some actions require more data. E.g. action(id, "reboot", "hard")Creates a server on OpenStack.Gets a list of servers from OpenStack :call-seq: servers(id) => A single server with the id matching the parameter servers() => All servers visible to the tenant making the requestThis is a convenience method that forms an absolute URL based on the url parameter, which can be a relative or absolute URL, and then sets the headers and the body appropriately to do a 302 redirect. @see #absolute_url @return [String] The absolute urlThis is a convenience method that sets the Content-Type headers and writes the JSON String to the response. @param [Hash] data The data @param [Hash] options The options @option options [Fixnum] :status The response status code @return [String] The JSONWeird function for adding a port to multiple subnets if nessessary.Create a new port given network and device ids, optional parameter subnet id allows for scoping the port to a single subnet.Create a new network on Openstack given a name and tenant id.makes a POST request ==== Attributes * +hash+ - Hash of parameters ** +endpoint+ - Url endpoint ex. /product/createOrUpdate ** +args+ - Request arguments, (add headers key for extra headers options) ex. hash[:headers] = { 'content-type' => 'xml' } * +payload+ - Data for the request ex. { merchantId: 'asdasdsadas', products: [{ ... },{ ...}...]}This method sets up the +Permission+ class with all baked in methods. A permission requires the presence of the +name+, +key+ and +description+ Once this method has been called, the {InstanceMethods} module will be accessibile within the Permission model.Encode a standard payload to a hybi10 WebSocket frameRetrieve a list of merchants base on the following parameters @param [String] id (The merchant's ID, Use the Sqoot ID or ID for any supported namespace. Must supply namespace if we don't use Sqoot) @param [String] namespace (One of the supported namespaces. Factual, Foursquare, Facebook, Google, CitySearch, Yelp.)Calculates the co-ordinates of neighbors of a given pair of co-ordinates. @param [Integer] x the x-coordinate @param [Integer] y the y-coordinate @return [Array] the list of neighboring co-ordinates @example coords_of_neighbors(1,1) => [ [0, 0], [0, 1], [0, 2], [1, 0], [1, 2], [2, 0], [2, 1], [2, 2], ] @note This method returns all possible co-ordinate pairs of neighbors, so it can contain coordinates of cells not in the board, or negative ones. @see #neighbors_of_cell_atadd errors, error_on can be a symbol or object instanceDatabase Instance ActionsThis is the method that will actually spit out the div that the footnote's content is in. This will generally be called after all of the paragraph's text has been spit out so that the footnotes can be appended after. Note that it needs to be passed an id from the caller so that it can be linked to corretly with an anchor tag in the body of the main text. I'm passing in a time variable here to make links unique. You see, if you parse many of these entries on a single HTML page you'll end up with multiple #footnote1 divs. To make them unique, we'll pass down a time variable from above to seed them.This is the method that will place the anchor tag and id of the footnote within the paragraph body itself. I'm passing in a time variable here to make links unique. You see, if you parse many of these entries on a single HTML page you'll end up with multiple #footnote1 divs. To make them unique, we'll pass down a time variable from above to seed them.Append a row to the table. @param [Array, #to_ary] row The row to append to the table @return [self]Create a new table. @param [Hash] options A list of options. Mostly identical to {Table#initialize}'s options hash, but with the additional options :file_type and :table_class. @option options [String] :name The name of the table @option options [Array, Hash Integer>, nil] :accessors A list of accessors for the columns. Allows accessing columns by that accessor. @option options [Symbol] :data An array of arrays with the table data. Mutually exclusive with :header, :body and :footer. @option options [Symbol] :header An array with the header values. To be used together with :body and :footer. Mutually exclusive with :data. Automatically sets :has_headers to true. @option options [Symbol] :body An array with the header values. To be used together with :header and :footer. Mutually exclusive with :data. Automatically sets :has_headers to false if :header is not also present. Automatically sets :has_footer to false if :footer is not also present. @option options [Symbol] :footer An array with the header values. To be used together with :header and :body. Mutually exclusive with :data. Automatically sets :has_footer to true. @option options [true, false] :has_headers Whether the table has a header, defaults to true @option options [true, false] :has_footer Whether the table has a footer, defaults to false Automatically create accessors from the headers of the table. It does that by downcasing the headers, replace everything which is not in [a-z0-9_] with an _, replace all repeated occurrences of _ with a single _. @note The actual transformation algorithm might change in the future.Renders an index page for the specified directory.Returns a path relative to the base path, given the full path. This is the inverse of full_path.Special rest call for sending a file stream using an octet-stream main change is just custom headers. Still implemented using do_request function.BELOW HERE IS OLD CODE THAT MAY OR MAYNOT WORK, THAR BE DRAGONS Upload an image to the Image Service from a file, takes in a ruby file object. More convoluted than it should be because for a bug in Quantum which just returns an error no matter the outcome.Gets an article by IDWrapper function for a put request, just provide a uri and a hash of the data to send, then it will return you a hash with the result data. For authenticated transactions a token can be provided.Wrapper function for a put request, just provide a uri and a hash of the data to send, then it will return you a hash with the result data. For authenticated transactions a token can be provided. Implemented using the do_request methodWrapper function for delete requests, just provide a uri and it will return you a hash with the result data. For authenticated transactions a token can be provided. Implemented using the do_request method.Wrapper function for a get request, just provide a uri and it will return you a hash with the result data. For authenticated transactions a token can be provided. Implemented using the do_request method.The function which you call to perform a http request using the request object given in the parameters. By default manage errors is true, so all responses are passed through the error manager which converts the into Ropenstack errors.All responses from openstack where any errors need to be caught are passed through this function. Unless a successful response is passed it will throw a Ropenstack error. If successful returns a hash of response body, unless response body is nil then it returns an empty hash.Stores information about the retrieval, including ETag, Last-Modified, and MD5 digests of all entries to the backend store. This enables conditional GET usage on subsequent requests and marking of entries as either new or seen.Sets the headers from the backend, if availableMarks entries as either seen or not seen based on the unique signature of the entry, which is calculated by taking the MD5 of common attributes.read options from YAML configInitialize a new ScopeCreator object @param [ActiveRecord] @param [String, Symbol] Add a scope of the enum to the class. It creates an instance method - ? and a ActiveRecord class scope with the same name as the enum scope. @param [String, Symbol] The name of the enum scope @param [Array, Array] The list of keys of the enumBuild instances using build options if :template is passed, only build on, used as a template for a new imageRetrieve a list of clicks based on the following parameters @param [String] :to Start date @param [String] :from End date @return [RSqoot::SqootClick]Run an external command. Raise Error if something goes wrong. The command will be echoed if verbose?. Usage is similar to Kernel#system. If +args+ is nil, +command+ will be passed to the shell. If +args+ are included, the +command+ and +args+ will be run directly without the shell.Iterate over all items using key streaming.Iterate over all keys.Return the md5 checksum for the file at +path+.Set a torrent's upload limit A limit of 0 means unlimited. torrent_hash: string limit: integer (bytes)Set a torrent's download limit A limit of 0 means unlimited. torrent_hash: string limit: integer (bytes)Set the download priority of a file within a torrent file_id is a 0 based position of the file within the torrentDecrease the priority of one or more torrents to the minimum value If passing multiple torrent hashes, pass them as an array. Note: This does nothing unless queueing has been enabled via preferences.Increase the priority of one or more torrents to the maximum value If passing multiple torrent hashes, pass them as an array. Note: This does nothing unless queueing has been enabled via preferences.Decrease the priority of one or more torrents If passing multiple torrent hashes, pass them as an array. Note: This does nothing unless queueing has been enabled via preferences.Increase the priority of one or more torrents If passing multiple torrent hashes, pass them as an array. Note: This does nothing unless queueing has been enabled via preferences.Set location for a torrentDelete one or more torrents AND THEIR DATA If passing multiple torrent hashes, pass them as an array.Begin downloading one or more torrents. If passing mulitple urls, pass them as an array.Add one or more trackers to a torrent If passing mulitple urls, pass them as an array.Requests partial data from the client. @param response_id [Integer] Response ID. Used to keep track of what has already been sent by qBittorrent. @return [Hash, nil] parsed json data on success, nil otherwise @note Read more about `response_id` at https://github.com/qbittorrent/qBittorrent/wiki/WebUI-API-Documentation#get-partial-dataPolls the client for incremental changes. @param interval Update interval in seconds. @yield [Hash] the return result of #sync.Executes the given block and asserts if the result is true. This allows you to assert on complex, custom expressions and be able to disable those expressions together with the assertions. See the README for more. The block will be passed a single array, to which error messages can be append. The assertion will always fail if an error is appended to the array.Asserts that the given element is a string that is not nil and not an empty string, or a string only containing whitspacesAssert if something is of the right typeAssert if two objects are equalIdentifies a valid URL for this REST instanceConverts a path and params to a Salesforce-suitable URL.Runs httperf with a given request rate. Parses the output and returns a hash with the results.Allow configuration options to be set for named objects.Inject a named object into this contextWarning, this will probably gain inappropriate accuracy - Ruby does not support the same level of timing accuracy as TAI64N and TA64NA can provide.sums up statistics across all models and queriessums up statistics across all queries, indexed by modelList the contents of an OW path.Write a value to an OW path.Read a value from an OW path.Wait for all the instances to become InServiceRotate servers givenAdd Value is how we add keys to the resulting Struct We need a name and a type, and potentially a subtype For example: types could be String, Fixnum, or Array If the tyoe is Array, then we need the subtype of the array, is it an array of integers or strings? @param name [String] what is this key in the struct @param type [Class] What typs are we @param subtype [Class] What typs are we @return trueReturns a string containing +rows+ as a csv. Similar to csv_write.Write +rows+ to +path+ as csv. Rows can be an array of hashes, Structs, OpenStructs, or anything else that responds to to_h. The keys from the first row are used as the csv header. If +cols+ is specified, it will be used as the column keys instead.Read a csv from +path+. Returns an array of Structs, using the keys from the csv header row.Return a hash of all instancesReturn a has representing the named instance. This is suitable for Puppet type and provider, or you can use the returned info for whatever you likeMake a DELETE API call with the current path value and @options. Return true if successful, otherwise an Exception TODO - test AuthenticatedClient.delete()== instance methods Make a POST API call with the current path value and @options. Return a JSON string if successful, otherwise an Exception TODO - test AuthenticatedClient.post()Send a message to the remote host data - The string contents of your message Examples ws.onping do |data| end Returns nothingSet current time for the marking. This will cause moving tokens from waiting to active list. Putting clock back will cause error.Create a new TimedHashMarking Creates token with +object+ as its value and adds it to the marking. if no timestamp is given, current time will be used.Stampa i comandi possibili. @return [nil]Inizializza l'eseguibile, in base al comando passato. @param [Array] argv gli argomenti del comando. Carica i dati del progetto prendendoli dal file di configurazione del file 'dev.yml'. @return [nil]Alza la versione dell'app corrente a quella specificata. @param [String] version la versione a cui arrivare. @return [nil]Ritorna la versione dell'app. Prende l'app corrente se non viene specificata nessuna app. @param [String] app_name il nome dell'app. @return [String] la versione dell'app.Determina il file di versione dell'app. Prende l'app corrente se non viene specificata nessuna app. @param [String] app_name il nome dell'app. @return [String] il file di versione dell'app.Ottiene la directory corrente nella cartella dell'app specificata. Prende l'app corrente se non viene specificata nessuna app. @param [String] app_name il nome dell'app. @return [nil]Deprecated and Not recommendedReturns all matching ids for all words of the search query.Finds all matching ids for a single word of the search query.Converts the ids to classes, if the user wants classes.Adds the WHERE clauses from the given query to the given arel construct.Creates a JOIN to the given expression.Deletes the +token+ from the marking. To do it you must first find the token in the marking.Creates new token of the +object+ and adds it to the marking. Objects added to the marking are deep-cloned, so you can use them without fear to interfere with TCPN simulation. But have it in mind! If you put a large object with a lot of references in the marking, it will significanntly slow down simulation and increase memory usage.Defines the searchable content in ActiveRecord objects.This method returns statistic information about user. @return [Array] Returns the user statistic as JSON objectThis method returns statistic information about the crises. @return [Array] Returns the crises statistic as JSON objectThis method returns a single crisis. @param [String] identifier A unique crisis identifier @return [Hash] The single crisis as JSON objectCopy the module under test to a temporary directory onto the host, and execute librarian-puppet to install dependencies into the 'distmoduledir'. This also manually installs the module under test into 'distmoduledir', but I'm noting here that this is something I believe should be handled automatically by librarian-puppet, but is not.Install rubygems and the librarian-puppet gem onto each hostProcess text with remote web-servicefire this transition if possible returns true if fired false otherwiseAdd output arc to the +place+. +block+ is the arc's expresstion, it will be called while firing transition. Value returned from the block will be put in output place. The block gets +binding+, and +clock+ values. +binding+ is a hash with names of input places as keys nad tokens as values.Starts simulation of this net.Create and return new transition for this model. +name+ identifies transition in the net.Create and return a new timed place for this model. If a place with this name exists somewhere in the model (e.g. on other pages), and object representing exisiting place will be returned. Keys of both keys will be merged. For description of keys see doc for HashMarking.run request. Extracted from do_request to make cache code simplerWrapper for sending requests through to the API. Takes care of making sure requests authenticated, and if set, attempts to retry a number of times set when initialising the classrun each request through some basic error checking, and if needed log requestsPost to the sign in resource on the API, so that all future requests are signedPUT to the AMEE API, passing in a string of dataPUT to the AMEE API, passing in a hash of dataPOST to the AMEE API, passing in a string of dataPOST to the AMEE API, passing in a hash of valuesGET data from the API, passing in a hash of parametersEnsure valid credentials, either by restoring from the saved credentials files or intitiating an OAuth2 authorization. If authorization is required, the user's default browser will be launched to approve the request. @return [Google::Auth::UserRefreshCredentials] OAuth2 credentialsAdds token with specified timestamp to the place. Any callbacks defined for places will be fired.Wrap up parameters into a request and execute itPerform a PUT request options hash should contain request body parametersPerform a GET request options hash should contain query parametersHandle things like `self.removed?`List current tasksRun the mixml commandMust be called within a mutex synchronizeRegisters a workflow relationship and sets up a hook to additional builder methods. @param [Symbol] jobs_active_record_relation_symbol The Job IdentifierCreate a caramelize config file.Returns an OptionGroup @return [OptionGroup] the selected OptionGroupTagifies the supplied input. @param [String] input The string to tagify. @raise [StandardError] @tags must not be empty. @return A string with the tags replaced with their values.Execute block for each node @param selection [Selection] Selected nodes @yield Block to execute for each node @yieldparam node [Nokogiri::XML::Node] Current nodeExecute a script or a block @param program [String] DSL script to execute @yield Block to execute @return [void]Select nodes using CSS selectors and execute DSL commands for these nodes @param selectors [Array] CSS selectors @yield Block to execute for each nodeset @return [void]Select nodes using an XPath expression and execute DSL commands for these nodes @param paths [Array] XPath expression @yield Block to execute for each nodeset @return [void]Perform work on a list of XML files Perform the following steps: #. Remove all loaded XML files without saving them #. Load the supplied XML files #. Execute the supplied block #. Flush all XML files @param file_names [Array] Names of the XML files to load @yield Block to execute with loaded XML files @return [void]Print all loaded XML files Pretty prints the XML if {#pretty} is enabled. If more than one file is loaded, a header with the file's name is printed before each file. @return [void]Save all loaded XML files Pretty prints the XML if {#pretty} is enabled. @return [void]Intialize a new mixml tool Load XML files @param file_names [Array] Names of the XML files to load @return [void]If a location is given then extraction can take placeWrite the pid.Read the working pid from the pid file.Redirect file descriptors inherited from the parent.See Stevens's "Advanced Programming in the UNIX Environment" chapter 13memoized hash of built in object idsReturns true if strict ancestor ofTransmits packets to connected client @param [Hash] packet Packet with changes notificationsReturns the selected options of this OptionGroup. @return [Array] the selected options.Returns all available options fields and their respective label as a Hash. @return [Hash