text
stringlengths
2
104M
meta
dict
## Summary - Brief summary of the changes included in this PR - Any additional information or context which may help the reviewer ### Checklist Please ensure you have addressed all concerns below before marking a PR "ready for review" or before requesting a re-review. If you cannot complete an item below, replace the checkbox with the ⚠️ `:warning:` emoji and explain why the step was not completed. #### Functionality Checks - [ ] You have merged the latest changes from the target branch (usually `main`) into your branch. - [ ] Your primary commit message is of the format **SRCH-#### \<description\>** matching the associated Jira ticket. - [ ] PR title is either of the format **SRCH-#### \<description\>** matching the associated Jira ticket (i.e. "SRCH-123 implement feature X"), or **Release - SRCH-####, SRCH-####, SRCH-####** matching the Jira ticket numbers in the release. - [ ] Automated checks pass. If Code Climate checks do not pass, explain reason for failures: #### Process Checks - [ ] You have specified at least one "Reviewer".
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class MrssAlbumDetector < AlbumDetector QUERY_FIELDS_THRESHOLD_HASH = { tags: 0.75, title: 0.5, description: 0.8 }.freeze FILTER_FIELDS = %w[mrss_names taken_at].freeze def initialize(mrss_photo) super(mrss_photo, QUERY_FIELDS_THRESHOLD_HASH, FILTER_FIELDS) end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class AlbumDetectionPhotoIterator def initialize(klass, query_body) @klass = klass @query_body = query_body end def run seen = Set.new @klass.find_each(size: 1000, scroll: '20m', query: @query_body) do |photo| next if seen.include?(photo.id) ids = AlbumDetector.detect_albums!(photo) seen.merge(ids) end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class ImageSearchResults attr_reader :total, :offset, :results, :suggestion Image = Struct.new(:type, :title, :url, :thumbnail_url, :taken_at) def initialize(result, offset = 0, window_size = 0) @total = result['aggregations']['album_agg']['buckets'].size @offset = offset @results = extract_results(extract_hits(result['aggregations']['album_agg']['buckets'].slice(offset, window_size))) @suggestion = extract_suggestion(result['suggest']['suggestion']) if result['suggest'] end def override_suggestion(suggestion) @suggestion = suggestion end private def extract_suggestion(suggestions) suggestion = suggestions.first['options'].first suggestion.delete('score') suggestion rescue NoMethodError nil end def extract_hits(buckets) buckets.map do |bucket| bucket['top_image_hits']['hits']['hits'] end.flatten end def extract_results(hits) hits.map do |hit| type = hit['_type'].camelize Image.new( type, hit['_source']['title'], hit['_source']['url'], hit['_source']['thumbnail_url'], hit['_source']['taken_at'] ) end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class FlickrPhoto include Elasticsearch::Persistence::Model include IndexablePhoto attribute :owner, String, mapping: ElasticSettings::KEYWORD attribute :groups, String, mapping: ElasticSettings::KEYWORD attribute :title, String, mapping: { type: 'text', analyzer: 'en_analyzer', copy_to: 'bigram' } attribute :description, String, mapping: { type: 'text', analyzer: 'en_analyzer', copy_to: 'bigram' } validates :owner, presence: true validates :title, presence: true def generate_album_name [owner, taken_at, id].join(':') end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class FlickrProfile include Elasticsearch::Persistence::Model include AliasedIndex settings(ElasticSettings::COMMON) attribute :name, String, mapping: ElasticSettings::KEYWORD validates :name, presence: true attribute :profile_type, String, mapping: ElasticSettings::KEYWORD validates :profile_type, presence: true after_save { Rails.logger.info "Successfuly saved #{self.class.name.tableize}: #{self}" } end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class MrssProfile include Elasticsearch::Persistence::Model include AliasedIndex settings(ElasticSettings::COMMON) attribute :name, String, mapping: ElasticSettings::KEYWORD validates :name, presence: true validates :id, presence: true after_save { Rails.logger.info "Successfuly saved #{self.class.name.tableize}: #{self}" } def initialize(options) assign_name super(options) end def self.find_by_mrss_profile_name(mrss_name) mrss_names_filter = TermsFilter.new('name', [mrss_name]) all(query: mrss_names_filter.query_body).first end def self.create_or_find_by_id(id) MrssProfile.create({ id: id }, op_type: 'create') rescue Elasticsearch::Transport::Transport::Errors::Conflict MrssProfile.find(id) end private REDIS_KEY_NAME = "#{name}.name".freeze def assign_name # rubocop:disable Style/GlobalVars self.name = $redis.incr(REDIS_KEY_NAME) # rubocop:enable Style/GlobalVars end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class FlickrAlbumDetector < AlbumDetector QUERY_FIELDS_THRESHOLD_HASH = { tags: 0.75, title: 0.5, description: 0.8 }.freeze FILTER_FIELDS = %w[owner groups taken_at].freeze def initialize(flickr_photo) flickr_photo.owner = flickr_photo.owner.downcase super(flickr_photo, QUERY_FIELDS_THRESHOLD_HASH, FILTER_FIELDS) end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class MrssPhoto include Elasticsearch::Persistence::Model include IndexablePhoto attribute :mrss_names, String, mapping: ElasticSettings::KEYWORD attribute :title, String, mapping: { type: 'text', analyzer: 'en_analyzer', copy_to: 'bigram' } attribute :description, String, mapping: { type: 'text', analyzer: 'en_analyzer', copy_to: 'bigram' } def generate_album_name [mrss_names, taken_at, id].join(':') end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class AlbumDetector MAX_PHOTOS_PER_ALBUM = 10_000 MIN_SIMILAR_PHOTOS = 4 def initialize(photo, query_fields_thresholds_hash, filter_fields) @photo = photo @query_fields_thresholds_hash = query_fields_thresholds_hash @filter_fields = filter_fields end def album album_results = more_like_this first_bucket_size = begin album_results['aggregations']['scores_histogram']['buckets'].first['doc_count'] rescue StandardError 0 end first_bucket_size >= MIN_SIMILAR_PHOTOS ? album_results['hits']['hits'].first(first_bucket_size) : [] end def self.detect_albums!(photo) photo_klass = photo.class photo_source = photo_klass.name.split(/(?=[A-Z])/).first album_detector_klass = "#{photo_source}AlbumDetector".constantize assign_default_album(photo) album_detector = album_detector_klass.new(photo) album = album_detector.album ids = album.pluck('_id') if ids.present? Rails.logger.info "Setting #{photo_klass.name} album: #{photo.album} for ids: #{ids}" bulk_assign(ids, photo.album, photo.class.index_name, photo._type) end ids end private_class_method def self.assign_default_album(photo) photo.update(album: photo.generate_album_name) rescue StandardError => e Rails.logger.error "Unable to assign album to photo '#{photo.id}': #{e}" end def self.bulk_assign(ids, album, index, type) body = ids.reduce([]) do |bulk_array, id| meta_data = { _index: index, _type: type, _id: id } bulk_array << { update: meta_data } bulk_array << { doc: { album: album } } end Elasticsearch::Persistence.client.bulk(body: body) end def more_like_this album_detection_query = AlbumDetection.new(@photo, @query_fields_thresholds_hash, @filter_fields) params = { index: @photo.class.index_name, body: album_detection_query.query_body, size: MAX_PHOTOS_PER_ALBUM } Elasticsearch::Persistence.client.search(params) end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class ImageSearch IMAGE_INDEXES = [FlickrPhoto.index_name, MrssPhoto.index_name].join(',') DEFAULT_SIZE = 10 DEFAULT_FROM = 0 NO_HITS = { 'hits' => { 'total' => 0, 'max_score' => 0.0, 'hits' => [] }, 'aggregations' => { 'album_agg' => { 'buckets' => [] } } }.freeze def initialize(query, options) @query = (query || '').squish @size = options.delete(:size) || DEFAULT_SIZE @from = options.delete(:from) || DEFAULT_FROM @flickr_groups = normalize_profile_names(options.delete(:flickr_groups)) @flickr_users = normalize_profile_names(options.delete(:flickr_users)) @mrss_names = normalize_profile_names(options.delete(:mrss_names)) end def search image_search_results = execute_client_search ensure_no_suggestion_when_results_present(image_search_results) if image_search_results.total.zero? && image_search_results.suggestion.present? suggestion = image_search_results.suggestion @query = suggestion['text'] image_search_results = execute_client_search image_search_results.override_suggestion(suggestion) if image_search_results.total.positive? end image_search_results rescue StandardError => e Rails.logger.error "Problem in ImageSearch#search(): #{e}" ImageSearchResults.new(NO_HITS) end private def ensure_no_suggestion_when_results_present(image_search_results) image_search_results.override_suggestion(nil) if image_search_results.total.positive? && image_search_results.suggestion.present? end def execute_client_search top_hits_query = TopHits.new(@query, @size, @from, @flickr_groups, @flickr_users, @mrss_names) # https://www.elastic.co/guide/en/elasticsearch/reference/5.5/breaking_50_search_changes.html#_literal_search_type_count_literal_removed params = { preference: '_local', index: IMAGE_INDEXES, body: top_hits_query.query_body(search_type: :count) } result = Elasticsearch::Persistence.client.search(params) ImageSearchResults.new(result, @from, @size) end def normalize_profile_names(profile_names) profile_names.try(:collect, &:downcase) end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true module IndexablePhoto extend ActiveSupport::Concern include AliasedIndex included do settings ElasticSettings::COMMON do mappings dynamic: 'false' do indexes :bigram, analyzer: 'bigram_analyzer', type: 'text' end end attribute :taken_at, Date attribute :tags, String, mapping: ElasticSettings::TAG attribute :url, String, mapping: ElasticSettings::KEYWORD attribute :thumbnail_url, String, mapping: ElasticSettings::KEYWORD attribute :popularity, Integer, default: 0, mapping: { type: 'integer' } attribute :album, String, mapping: { type: 'keyword', index: true } validates :url, presence: true validates :thumbnail_url, presence: true validates :taken_at, presence: true end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true module AliasedIndex extend ActiveSupport::Concern included do index_name alias_name end module ClassMethods def timestamped_index_name [base_name, Time.current.to_s(:number)].join('-') end def alias_name [base_name, 'alias'].join('-') end def base_name [Rails.env, Rails.application.engine_name.split('_').first, name.tableize].join('-') end def create_index_and_alias! current_name = timestamped_index_name # We *should* be able to simplify this as: `create_index!(index: current_name)`. # However, elasticsearch-model 5.x does not support the include_type_name option, # which is necessary for compatibility with Elasticsearch 7.x. Until our gems # are upgraded, we're using a more verbose request via the client: Elasticsearch::Persistence.client.indices.create( index: current_name, body: { mappings: mappings, settings: settings }, include_type_name: true ) create_index!(index: current_name) Elasticsearch::Persistence.client.indices.put_alias(index: current_name, name: alias_name) end def alias_exists? Elasticsearch::Persistence.client.indices.get_alias(name: alias_name).keys.present? rescue Elasticsearch::Transport::Transport::Errors::NotFound false end # For use in test and development environments. Purging existing indices is # significantly faster than deleting and recreating them. def delete_all refresh_index! Elasticsearch::Persistence.client.delete_by_query( index: alias_name, conflicts: :proceed, body: { query: { match_all: {} } } ) end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class TopHits DEFAULT_PRE_TAG = '<strong>' DEFAULT_POST_TAG = '</strong>' TEXT_FIELDS = %w[title description caption].freeze CUTOFF_FOR_DECAY = 'now-6w/w' # https://github.com/elastic/elasticsearch/pull/19102 DECAY_SCALE = '28d' CUTOFF_WEIGHT = 0.119657286 def initialize(query, size, from, flickr_groups, flickr_users, mrss_names) @query = query @size = size @from = from @flickr_groups = flickr_groups @flickr_users = flickr_users @mrss_names = mrss_names end def query_body(search_type: :query_then_fetch) Jbuilder.encode do |json| json.size 0 if search_type == :count filtered_query(json) aggs(json) suggest(json) end end def aggs(json) json.aggs do json.album_agg do albums(json) top_hits(json) end end end def top_hits(json) json.aggs do json.top_image_hits do json.top_hits do json.size 1 end end json.top_score do json.max do # https://www.elastic.co/guide/en/elasticsearch/reference/2.0/breaking_20_scripting_changes.html#_scripting_syntax json.script do json.source '_score' json.lang 'painless' end end end end end def albums(json) json.terms do json.field 'album' json.order do json.top_score 'desc' end json.size @from + @size + 1 end end def suggest(json) json.suggest do json.text @query json.suggestion do phrase_suggestion(json) end end end def phrase_suggestion(json) json.phrase do json.analyzer 'bigram_analyzer' json.field 'bigram' json.size 1 direct_generator(json) suggestion_highlight(json) end end def suggestion_highlight(json) json.highlight do json.pre_tag pre_tags.first json.post_tag post_tags.first end end def direct_generator(json) json.direct_generator do json.child! do json.field 'bigram' json.prefix_length 1 # https://www.elastic.co/guide/en/elasticsearch/reference/current/search-suggesters-phrase.html#_direct_generators end end end def filtered_query(json) json.query do json.function_score do json.functions do popularity_boost(json) recency_decay(json) older_photos(json) end json.query do # https://www.elastic.co/guide/en/elasticsearch/reference/2.0/breaking_20_query_dsl_changes.html#_literal_filtered_literal_query_and_literal_query_literal_filter_deprecated json.bool do filtered_query_query(json) filtered_query_filter(json) end end end end end def older_photos(json) json.child! do json.filter do json.range do json.taken_at do json.lt CUTOFF_FOR_DECAY end end end # https://www.elastic.co/guide/en/elasticsearch/reference/1.4/query-dsl-function-score-query.html#_boost_factor json.weight CUTOFF_WEIGHT end end def recency_decay(json) json.child! do json.filter do json.range do json.taken_at do json.gte CUTOFF_FOR_DECAY end end end json.gauss do json.taken_at do json.scale DECAY_SCALE end end end end def popularity_boost(json) json.child! do json.field_value_factor do json.field 'popularity' json.modifier 'log2p' end end end def filtered_query_filter(json) return unless some_profile_specified? json.filter do json.bool do json.set! :should do should_flickr(json) should_mrss(json) end end end end def should_mrss(json) json.child! { mrss_profiles_filter(json, @mrss_names) } if @mrss_names.present? end def should_flickr(json) json.child! { flickr_profiles_filter(json, @flickr_groups, @flickr_users) } if @flickr_users.present? || @flickr_groups.present? end def mrss_profiles_filter(json, mrss_names) type_and_terms_filter(json, 'mrss_photo', :mrss_names, mrss_names) end def flickr_profiles_filter(json, flickr_groups, flickr_users) json.bool do json.must do json.child! { json.term { json._type 'flickr_photo' } } end json.set! :should do flickr_profiles_filter_child('owner', flickr_users, json) flickr_profiles_filter_child('groups', flickr_groups, json) end json.minimum_should_match 1 end end def flickr_profiles_filter_child(field, terms, json) json.child! { json.terms { json.set! field, terms } } if terms.present? end def filtered_query_query(json) json.must do json.bool do json.set! :should do json.child! { match_tags(json) } json.child! { simple_query_string(json) } match_phrase_collection(json) end end end end def match_tags(json) json.match do json.tags do json.query @query json.analyzer 'tag_analyzer' end end end def simple_query_string(json) json.simple_query_string do json.fields TEXT_FIELDS json.query @query json.analyzer 'en_analyzer' json.default_operator 'AND' end end def pre_tags [DEFAULT_PRE_TAG] end def post_tags [DEFAULT_POST_TAG] end def some_profile_specified? @flickr_groups.present? || @flickr_users.present? || @mrss_names.present? end def match_phrase_collection(json) TEXT_FIELDS.each do |field| json.child! do json.match_phrase do json.set! field, @query end end end end def type_and_terms_filter(json, type, field, terms) json.bool do json.must do json.child! { json.terms { json.set! field, terms } } json.child! { json.term { json._type type } } end end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class AlbumDetection def initialize(photo, query_fields_thresholds_hash, filter_fields) @photo = photo @query_fields_thresholds_hash = query_fields_thresholds_hash @filter_fields = filter_fields end def query_body Jbuilder.encode do |json| filtered_query(json) aggregations(json) end end private def filtered_query(json) json.query do json.bool do filtered_query_query(json) filtered_query_filter(json) end end end def filtered_query_filter(json) json.filter do json.bool do json.must do @filter_fields.each do |filter_field| term_filter_child(json, filter_field) end end end end end def filtered_query_query(json) json.must do @query_fields_thresholds_hash.each do |query_field, minimum_should_match| more_like_this(json, query_field, minimum_should_match) end end end # https://www.elastic.co/guide/en/elasticsearch/reference/2.0/breaking_20_query_dsl_changes.html#_more_like_this def more_like_this(json, query_field, minimum_should_match) return if @photo.send(query_field).blank? json.child! do json.more_like_this do json.fields [query_field] json.like [{ _id: @photo.id }] json.min_term_freq 1 json.max_query_terms 500 json.minimum_should_match percentize(minimum_should_match) end end end def term_filter_child(json, filter_field) filter_value = @photo.send(filter_field) return if filter_value.blank? json.child! do if filter_value.is_a? Array json.terms do json.set! filter_field, filter_value end else json.term do json.set! filter_field, filter_value end end end end def aggregations(json) json.aggregations do json.scores_histogram do json.histogram do json.script do json.source '_score' json.lang 'painless' end json.interval 2 json.order do json._key 'desc' end end end end end def percentize(number) "#{(number * 100).round}%" end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class TermsFilter def initialize(key, values) @key = key @values = values end def query_body builder = Jbuilder.new do |json| filtered_query(json) end builder.attributes! end private def filtered_query(json) json.bool do json.filter do json.terms do json.set! @key, @values end end end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class PhotoFilter def initialize(key, value) @key = key @value = value end def query_body builder = Jbuilder.new do |json| filtered_query(json) end builder.attributes! end private def filtered_query(json) json.bool do json.filter do json.term do json.set! @key, @value end end end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true module Feedjira module Parser module Oasis class Mrss include SAXMachine include FeedUtilities element :title element :link element :description elements :item, as: :entries, class: Oasis::MrssEntry attr_accessor :feed_url REGEX_MATCH = %r{http://purl.org/rss/1.0/modules/content/|http://search.yahoo.com/mrss/} def self.able_to_parse?(first_2k_xml) first_2k_xml =~ REGEX_MATCH end end end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true module Feedjira module Parser module Oasis class MrssEntry include SAXMachine include FeedEntryUtilities element :guid, as: :entry_id element :'dc:identifier', as: :entry_id element :title element :link, as: :url element :pubDate, as: :published element :pubdate, as: :published element :'dc:date', as: :published element :'dc:Date', as: :published element :'dcterms:created', as: :published element :issued, as: :published element 'media:thumbnail', value: :url, as: :thumbnail_url element :description, as: :summary element 'media:description', as: :summary element 'content:encoded', as: :summary def title sanitize(@title) end def summary sanitize(@summary) end def url ensure_scheme_present(@url) end def thumbnail_url ensure_scheme_present(@thumbnail_url) end private def sanitize(unsafe_html) doc = Loofah.fragment(unsafe_html) doc.text.strip.squish end def ensure_scheme_present(link) scheme_regex = %r{^https?://}i scheme_regex.match?(link) ? link : "http://#{link}" end end end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true module Api class Base < Grape::API rescue_from :all do |e| Rails.logger.error "#{e.message}\n\n#{e.backtrace.join("\n")}" Rack::Response.new({ message: e.message, backtrace: e.backtrace }, 500, 'Content-type' => 'application/json').finish end mount Api::V1::Base end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true module Api module V1 class MrssProfiles < Grape::API version 'v1' format :json resource :mrss_profiles do desc 'Return list of indexed MRSS profiles ordered by created_at timestamp' get do MrssProfile.all(sort: :created_at) end desc 'Create an MRSS profile and enqueue backfilling photos.' params do requires :url, type: String, desc: 'MRSS feed URL.' end post do profile = MrssProfile.create_or_find_by_id(params[:url]) if profile.persisted? MrssProfile.refresh_index! MrssPhotosImporter.perform_async(profile.name) profile end end end end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true module Api module V1 class FlickrProfiles < Grape::API version 'v1' format :json resource :flickr_profiles do desc 'Return list of indexed Flickr profiles' get do FlickrProfile.all(sort: :name) end desc 'Create a Flickr profile and enqueue backfilling photos.' params do requires :id, type: String, desc: 'Flickr profile id.' requires :name, type: String, desc: 'Flickr profile name.' requires :profile_type, type: String, desc: 'Flickr profile type (user|group).' end post do flickr_profile = FlickrProfile.new(name: params[:name], id: params[:id], profile_type: params[:profile_type]) flickr_profile.save && FlickrPhotosImporter.perform_async(flickr_profile.id, flickr_profile.profile_type) flickr_profile end end end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true module Api module V1 class ImageSearches < Grape::API version 'v1' format :json resource :image do desc 'Return image search results' params do requires :query, type: String, desc: 'query term' optional :size, type: Integer, desc: 'number of results (defaults to 10)' optional :from, type: Integer, desc: 'starting result (defaults to 0)' optional :flickr_groups, type: String, desc: 'restrict results to these Flickr groups (comma separated)' optional :flickr_users, type: String, desc: 'restrict results to these Flickr users (comma separated)' optional :mrss_names, type: String, desc: 'restrict results to these MRSS names (comma separated)' end get do image_search = ImageSearch.new(params[:query], size: params[:size], from: params[:from], flickr_groups: params[:flickr_groups].try(:split, ','), flickr_users: params[:flickr_users].try(:split, ','), mrss_names: params[:mrss_names].try(:split, ',')) image_search.search end end end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true module Api module V1 class Base < Grape::API mount Api::V1::FlickrProfiles mount Api::V1::MrssProfiles mount Api::V1::ImageSearches end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class FlickrPhotosImporter include Sidekiq::Worker sidekiq_options unique: true MAX_PHOTOS_PER_REQUEST = 500 DAYS_BACK_TO_CHECK_FOR_UPDATES = 30 EXTRA_FIELDS = 'description, date_upload, date_taken, owner_name, tags, views, url_q, url_o' OPTIONS = { per_page: MAX_PHOTOS_PER_REQUEST, extras: EXTRA_FIELDS }.freeze def perform(id, profile_type, days_ago = nil) page = 1 pages = 1 min_ts = days_ago.present? ? days_ago.days.ago.to_i : 0 oldest_retrieved_ts = Time.now.to_i while page <= pages && oldest_retrieved_ts >= min_ts photos = get_photos(id, profile_type, OPTIONS.merge(page: page)) return if photos.nil? Rails.logger.info("Storing #{photos.count} photos from page #{page} of #{pages} for Flickr #{profile_type} profile #{id}") group_id = (profile_type == 'group' ? id : nil) stored_photos = store_photos(photos, group_id) stored_photos.each { |photo| AlbumDetector.detect_albums!(photo) } pages = photos.pages page += 1 oldest_retrieved_ts = last_uploaded_ts(photos) end end def self.refresh FlickrProfile.find_each do |flickr_profile| FlickrPhotosImporter.perform_async(flickr_profile.id, flickr_profile.profile_type, DAYS_BACK_TO_CHECK_FOR_UPDATES) end end private def get_photos(id, profile_type, options) method = "get_#{profile_type}_photos" send(method, id, options) rescue StandardError => e Rails.logger.warn("Trouble fetching Flickr photos for id: #{id}, profile_type: #{profile_type}, options: #{options}: #{e}") nil end def get_user_photos(id, options) FlickRaw::Flickr.new.people.getPublicPhotos(options.merge(user_id: id)) end def get_group_photos(id, options) FlickRaw::Flickr.new.groups.pools.getPhotos(options.merge(group_id: id)) end def store_photos(flickr_photo_structures, group_id) flickr_photo_structures.collect do |flickr_photo_structure| store_photo(flickr_photo_structure, group_id) end.compact.select(&:persisted?) end def store_photo(flickr_photo_structure, group_id) attributes = get_attributes(flickr_photo_structure, group_id) FlickrPhoto.create(attributes, op_type: 'create') rescue Elasticsearch::Transport::Transport::Errors::Conflict script = { source: 'ctx._source.popularity = params.new_popularity;', lang: 'painless', params: { new_popularity: flickr_photo_structure.views } } if group_id.present? script[:params][:new_group] = group_id script[:source] += <<~SOURCE.squish ctx._source.groups.add(params.new_group); ctx._source.groups = ctx._source.groups.stream().distinct().collect(Collectors.toList()) SOURCE end FlickrPhoto.gateway.update(flickr_photo_structure.id, script: script) nil rescue StandardError => e Rails.logger.warn("Trouble storing Flickr photo #{flickr_photo_structure.inspect}: #{e}") nil end def get_attributes(photo, group_id) tags = photo.tags.try(:split) || [] groups = group_id.present? ? [group_id] : [] { id: photo.id, owner: photo.owner, tags: strip_irrelevant_tags(tags), groups: groups, title: photo.title.squish, description: photo.description.squish, taken_at: normalize_date(photo.datetaken), popularity: photo.views, url: flickr_url(photo.owner, photo.id), thumbnail_url: photo.url_q } end def flickr_url(owner, flickr_id) "http://www.flickr.com/photos/#{owner}/#{flickr_id}/" end def last_uploaded_ts(photos) photos.to_a.last.dateupload.to_i rescue StandardError => e Rails.logger.warn("Trouble getting oldest upload date from photo #{photos.to_a.last}: #{e}") Time.now.to_i end def strip_irrelevant_tags(tags) tags.reject { |tag| tag.include?(':') } end def normalize_date(datetaken) datetaken.gsub('-00', '-01') end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class FlickrPhotosAlbumWorker include Sidekiq::Worker def perform(flickr_profile_id) photo_filter = PhotoFilter.new('owner', flickr_profile_id.downcase) iterator = AlbumDetectionPhotoIterator.new(FlickrPhoto, photo_filter.query_body) iterator.run end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class MrssPhotosAlbumWorker include Sidekiq::Worker def perform(mrss_url) photo_filter = PhotoFilter.new('mrss_url', mrss_url) iterator = AlbumDetectionPhotoIterator.new(MrssPhoto, photo_filter.query_body) iterator.run end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true class MrssPhotosImporter include Sidekiq::Worker sidekiq_options unique: true def perform(mrss_name) @mrss = MrssProfile.find_by_mrss_profile_name(name: mrss_name) photos = get_photos return if photos.blank? Rails.logger.info("Storing #{photos.count} photos for MRSS feed #{@mrss.id}") stored_photos = store_photos(photos) stored_photos.each { |photo| AlbumDetector.detect_albums!(photo) } end def self.refresh MrssProfile.find_each do |mrss_profile| MrssPhotosImporter.perform_async(mrss_profile.name) end end private def get_photos xml = fetch_xml(@mrss.id) feed = Feedjira::Feed.parse(xml) feed.entries rescue StandardError => e Rails.logger.warn("Trouble fetching MRSS photos for URL: #{@mrss.id}: #{e}") nil end def store_photos(mrss_entries) mrss_entries.collect do |mrss_entry| store_photo(mrss_entry) end.compact.select(&:persisted?) end def store_photo(mrss_entry) attributes = get_attributes(mrss_entry) MrssPhoto.create(attributes, op_type: 'create') rescue Elasticsearch::Transport::Transport::Errors::Conflict script = { params: { new_name: @mrss.name }, lang: 'painless', source: <<~SOURCE.squish if (ctx._source.mrss_names.contains(params.new_name)) { ctx.op = "none" } else { ctx._source.mrss_names.add(params.new_name) } SOURCE } MrssPhoto.gateway.update(mrss_entry.entry_id, script: script) nil rescue StandardError => e Rails.logger.warn("Trouble storing MRSS photo #{mrss_entry}: #{e}") nil end def get_attributes(mrss_entry) { id: mrss_entry.entry_id, mrss_names: [@mrss.name], title: mrss_entry.title, description: mrss_entry.summary, taken_at: mrss_entry.published, url: mrss_entry.url, thumbnail_url: mrss_entry.thumbnail_url } end def fetch_xml(url) connection = Faraday.new do |faraday| faraday.use(FaradayMiddleware::FollowRedirects) faraday.adapter(:net_http) faraday.headers['User-Agent'] = 'Oasis' faraday.options.timeout = 30 end connection.get(url).body end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
#!/usr/bin/env ruby ENV['BUNDLE_GEMFILE'] ||= File.expand_path('../Gemfile', __dir__) load Gem.bin_path('bundler', 'bundle')
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
#!/usr/bin/env ruby require_relative '../config/boot' require 'rake' Rake.application.run
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
#!/usr/bin/env ruby # frozen_string_literal: true # This file loads spring without using Bundler, in order to be fast. # It gets overwritten when you run the `spring binstub` command. unless defined?(Spring) require 'rubygems' require 'bundler' lockfile = Bundler::LockfileParser.new(Bundler.default_lockfile.read) spring = lockfile.specs.detect { |spec| spec.name == 'spring' } if spring Gem.use_paths Gem.dir, Bundler.bundle_path.to_s, *Gem.path gem 'spring', spring.version require 'spring/binstub' end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
#!/usr/bin/env ruby APP_ROOT = File.expand_path('..', __dir__) Dir.chdir(APP_ROOT) do begin exec "yarnpkg", *ARGV rescue Errno::ENOENT $stderr.puts "Yarn executable was not detected in the system." $stderr.puts "Download Yarn at https://yarnpkg.com/en/docs/install" exit 1 end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
#!/usr/bin/env ruby require 'fileutils' # path to your application root. APP_ROOT = File.expand_path('..', __dir__) def system!(*args) system(*args) || abort("\n== Command #{args} failed ==") end FileUtils.chdir APP_ROOT do # This script is a way to setup or update your development environment automatically. # This script is idempotent, so that you can run it at anytime and get an expectable outcome. # Add necessary setup steps to this file. puts '== Installing dependencies ==' system! 'gem install bundler --conservative' system('bundle check') || system!('bundle install') # Install JavaScript dependencies # system('bin/yarn') puts "\n== Removing old logs and tempfiles ==" system! 'bin/rails log:clear tmp:clear' puts "\n== Restarting application server ==" system! 'bin/rails restart' end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
#!/usr/bin/env ruby # frozen_string_literal: true # # This file was generated by Bundler. # # The application 'sidekiqctl' is installed as part of a gem, and # this file is here to facilitate running it. # require 'pathname' ENV['BUNDLE_GEMFILE'] ||= File.expand_path('../../Gemfile', Pathname.new(__FILE__).realpath) require 'rubygems' require 'bundler/setup' load Gem.bin_path('sidekiq', 'sidekiqctl')
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
#!/usr/bin/env ruby require 'fileutils' include FileUtils # path to your application root. APP_ROOT = File.expand_path('..', __dir__) def system!(*args) system(*args) || abort("\n== Command #{args} failed ==") end chdir APP_ROOT do # This script is a way to update your development environment automatically. # Add necessary update steps to this file. puts '== Installing dependencies ==' system! 'gem install bundler --conservative' system('bundle check') || system!('bundle install') # Install JavaScript dependencies if using Yarn # system('bin/yarn') puts "\n== Removing old logs and tempfiles ==" system! 'bin/rails log:clear tmp:clear' puts "\n== Restarting application server ==" system! 'bin/rails restart' end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
#!/usr/bin/env ruby # frozen_string_literal: true # # This file was generated by Bundler. # # The application 'sidekiq' is installed as part of a gem, and # this file is here to facilitate running it. # require 'pathname' ENV['BUNDLE_GEMFILE'] ||= File.expand_path('../../Gemfile', Pathname.new(__FILE__).realpath) require 'rubygems' require 'bundler/setup' load Gem.bin_path('sidekiq', 'sidekiq')
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
#!/usr/bin/env ruby APP_PATH = File.expand_path('../config/application', __dir__) require_relative '../config/boot' require 'rails/commands'
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true module ElasticSettings KEYWORD = { type: :keyword, normalizer: :case_insensitive_keyword_normalizer }.freeze TAG = { type: :text, analyzer: :tag_analyzer }.freeze # rubocop:disable Style/MutableConstant COMMON = { number_of_shards: Rails.configuration.elasticsearch['number_of_shards'], index: { analysis: { char_filter: { ignore_chars: { type: 'mapping', mappings: ["'=>", '’=>', '`=>'] }, strip_whitespace: { type: 'mapping', mappings: ['\\u0020=>'] } }, filter: { bigram_filter: { type: 'shingle' }, en_stop_filter: { type: 'stop', stopwords: Rails.root.join('config/locales/analysis/en_stopwords.txt').readlines }, en_synonym: { type: 'synonym', synonyms: Rails.root.join('config/locales/analysis/en_synonyms.txt').readlines.map(&:chomp) }, en_protected_filter: { type: 'keyword_marker', keywords: Rails.root.join('config/locales/analysis/en_protwords.txt').readlines.map(&:chomp) }, en_stem_filter: { type: 'stemmer', name: 'minimal_english' } }, analyzer: { en_analyzer: { type: 'custom', tokenizer: 'standard', char_filter: %w[ignore_chars], filter: %w[asciifolding lowercase en_stop_filter en_protected_filter en_stem_filter en_synonym] }, bigram_analyzer: { type: 'custom', tokenizer: 'standard', char_filter: %w[ignore_chars], filter: %w[asciifolding lowercase bigram_filter] }, tag_analyzer: { type: 'custom', tokenizer: 'standard', char_filter: %w[strip_whitespace], filter: %w[asciifolding lowercase] } }, normalizer: { case_insensitive_keyword_normalizer: { type: 'custom', char_filter: %w[ignore_chars], filter: %w[asciifolding lowercase] } } } } # rubocop:enable Style/MutableConstant } end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true namespace :deploy do desc 'Updates shared/config/*.yml files with the proper ones for environment' task :upload_shared_config_files do config_files = {} run_locally do Dir.chdir('config') do Dir.glob('*.yml') do |file_name| cksum = capture('cksum', File.join(Dir.pwd, file_name)) config_files[file_name] = cksum end end end on roles(:all) do config_path = File.join(shared_path, 'config') execute "mkdir -p #{config_path}" config_files.each do |file_name, local_cksum| remote_file_name = "#{config_path}/#{file_name}" # Get the lsum, _lsize, lpath = local_cksum.split if test("[ -f #{remote_file_name} ]") remote_cksum = capture('cksum', remote_file_name) rsum, _rsize, _rpath = remote_cksum.split if lsum != rsum upload! lpath, remote_file_name info "Replaced #{file_name} -> #{remote_file_name}" end else upload! lpath, remote_file_name info "Upload new #{file_name} -> #{remote_file_name}" end end end end # before :check, :upload_shared_config_files end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'csv' namespace :oasis do desc 'Create initial batch of Flickr & MRSS profiles from CSV files' task seed_profiles: :environment do CSV.foreach("#{Rails.root}/config/flickr_profiles.csv") do |row| flickr_profile = FlickrProfile.new(name: row[2], id: row[1], profile_type: row[0]) flickr_profile.save && FlickrPhotosImporter.perform_async(flickr_profile.id, flickr_profile.profile_type) end CSV.foreach("#{Rails.root}/config/mrss_profiles.csv") do |row| mrss_profile = MrssProfile.new(id: row[0]) mrss_profile.save && MrssPhotosImporter.perform_async(mrss_profile.name) end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true # This file is copied to spec/ when you run 'rails generate rspec:install' ENV['RAILS_ENV'] ||= 'test' require 'spec_helper' require File.expand_path('../config/environment', __dir__) require 'rspec/rails' # Requires supporting ruby files with custom matchers and macros, etc, in # spec/support/ and its subdirectories. Files matching `spec/**/*_spec.rb` are # run as spec files by default. This means that files in spec/support that end # in _spec.rb will both be required and run as specs, causing the specs to be # run twice. It is recommended that you do not name files matching this glob to # end with _spec.rb. You can configure this pattern with the --pattern # option on the command line or in ~/.rspec, .rspec or `.rspec-local`. Dir[Rails.root.join('spec/support/**/*.rb')].each { |f| require f } # Checks for pending migrations before tests are run. # If you are not using ActiveRecord, you can remove this line. # ActiveRecord::Migration.maintain_test_schema! RSpec.configure do |config| # Remove this line if you're not using ActiveRecord or ActiveRecord fixtures # config.fixture_path = "#{::Rails.root}/spec/fixtures" # If you're not using ActiveRecord, or you'd prefer not to run each of your # examples within a transaction, remove the following line or assign false # instead of true. # config.use_transactional_fixtures = true # RSpec Rails can automatically mix in different behaviours to your tests # based on their file location, for example enabling you to call `get` and # `post` in specs under `spec/requests`. # # You can disable this behaviour by removing the line below, and instead # explicitly tag your specs with their type, e.g.: # # RSpec.describe UsersController, :type => :controller do # # ... # end # # The different available types are documented in the features, such as in # https://relishapp.com/rspec/rspec-rails/docs config.infer_spec_type_from_file_location! # Between indivdual specs, we use the "AliasedIndex#delete_all" method to purge documents # from the indices. This is significantly faster than recreating the indices each time. # However, the deleted documents can leave behind cruft that can cause some specs to fail # intermittently. The workaround for those specs is to fully recreate the indices as below. config.before(:suite) do TestServices.delete_es_indexes TestServices.create_es_indexes end config.after(:suite) do TestServices.delete_es_indexes end end RSpec::Sidekiq.configure do |config| config.clear_all_enqueued_jobs = false config.warn_when_jobs_not_processed_by_sidekiq = false end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'simplecov' require 'webmock/rspec' SimpleCov.start 'rails' do minimum_coverage 100 end WebMock.allow_net_connect! # This file was generated by the `rails generate rspec:install` command. Conventionally, all # specs live under a `spec` directory, which RSpec adds to the `$LOAD_PATH`. # The generated `.rspec` file contains `--require spec_helper` which will cause this # file to always be loaded, without a need to explicitly require it in any files. # # Given that it is always loaded, you are encouraged to keep this file as # light-weight as possible. Requiring heavyweight dependencies from this file # will add to the boot time of your test suite on EVERY test run, even for an # individual file that may not need all of that loaded. Instead, make a # separate helper file that requires this one and then use it only in the specs # that actually need it. # # The `.rspec` file also contains a few flags that are not defaults but that # users commonly want. # # See http://rubydoc.info/gems/rspec-core/RSpec/Core/Configuration RSpec.configure do |config| # The settings below are suggested to provide a good initial experience # with RSpec, but feel free to customize to your heart's content. # # These two settings work together to allow you to limit a spec run # # to individual examples or groups you care about by tagging them with # # `:focus` metadata. When nothing is tagged with `:focus`, all examples # # get run. # config.filter_run :focus # config.run_all_when_everything_filtered = true # # # Many RSpec users commonly either run the entire suite or an individual # # file, and it's useful to allow more verbose output when running an # # individual spec file. # if config.files_to_run.one? # # Use the documentation formatter for detailed output, # # unless a formatter has already been configured # # (e.g. via a command-line flag). # config.default_formatter = 'doc' # end # # # Print the 10 slowest examples and example groups at the # # end of the spec run, to help surface which specs are running # # particularly slow. # config.profile_examples = 10 # # # Run specs in random order to surface order dependencies. If you find an # # order dependency and want to debug it, you can fix the order by providing # # the seed, which is printed after each run. # # --seed 1234 # config.order = :random # # # Seed global randomization in this process using the `--seed` CLI option. # # Setting this allows you to use `--seed` to deterministically reproduce # # test failures related to randomization by passing the same `--seed` value # # as the one that triggered the failure. # Kernel.srand config.seed # # # rspec-expectations config goes here. You can use an alternate # # assertion/expectation library such as wrong or the stdlib/minitest # # assertions if you prefer. # config.expect_with :rspec do |expectations| # # Enable only the newer, non-monkey-patching expect syntax. # # For more details, see: # # - http://myronmars.to/n/dev-blog/2012/06/rspecs-new-expectation-syntax # expectations.syntax = :expect # end # # # rspec-mocks config goes here. You can use an alternate test double # # library (such as bogus or mocha) by changing the `mock_with` option here. # config.mock_with :rspec do |mocks| # # Enable only the newer, non-monkey-patching expect syntax. # # For more details, see: # # - http://teaisaweso.me/blog/2013/05/27/rspecs-new-message-expectation-syntax/ # mocks.syntax = :expect # # # Prevents you from mocking or stubbing a method that does not exist on # # a real object. This is generally recommended. # mocks.verify_partial_doubles = true # end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'open3' describe 'sidekiq CLI' do it 'runs without errors' do skip 'this slow integration spec only runs in CI' unless ENV['CIRCLECI'] # Inspired by: https://github.com/sidekiq/sidekiq/issues/3214 # Kick off sidekiq, wait a bit, and make sure the output doesn't include errors. # It's slow, but appears to be the only way to detect errors outside the workers. errors = Open3.popen2e('bundle exec sidekiq') do |_stdin, stdout_and_stderr, wait_thread| sleep 30 Process.kill('KILL', wait_thread.pid) # certain errors are written to STDOUT, so we look at both STDOUT and STDERR stdout_and_stderr.select { |line| line.include?('ERROR') } end expect(errors).to be_empty end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe MrssAlbumDetector do context 'when 4 or more other MRSS photos are sufficiently similar in their tags, title, and description fields' do before do 5.times do |x| i = x + 1 MrssPhoto.create(id: "photo#{i}", mrss_names: %w[95 96], tags: ['alpha', 'bravo', 'charlie', i.ordinalize], title: "#{i.ordinalize} Aircrew members traverse SERE combat survival training challenges", description: "#{i.ordinalize} Aircrew members simulate being captured by a mock adversary during a combat survival refresher course", taken_at: Date.parse('2014-10-24'), popularity: 0, url: "http://photo#{i}", thumbnail_url: "http://photo_thumbnail#{i}", album: "photo#{i}") end MrssPhoto.refresh_index! end let(:photo) { MrssPhoto.find 'photo1' } it 'assigns them all to the same album' do AlbumDetector.detect_albums! photo 5.times do |x| i = x + 1 expect(MrssPhoto.find("photo#{i}").album).to eq('95:96:2014-10-24:photo1') end end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe MrssPhoto do it_behaves_like 'a model with an aliased index name' end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe FlickrProfile do it_behaves_like 'a model with an aliased index name' end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe ImageSearch do before do FlickrPhoto.delete_all MrssPhoto.delete_all end context 'when relevant results exist in Flickr and MRSS indexes' do before do FlickrPhoto.create(id: 'photo1', owner: 'owner1', tags: [], title: 'title1 petrol', description: 'desc 1', taken_at: Date.current, popularity: 100, url: 'http://photo1', thumbnail_url: 'http://photo_thumbnail1', album: 'album1', groups: []) FlickrPhoto.refresh_index! MrssPhoto.create(id: 'guid', mrss_names: ['some url'], tags: %w[tag1 tag2], title: 'petrol title', description: 'initial description', taken_at: Date.current, popularity: 0, url: 'http://mrssphoto2', thumbnail_url: 'http://mrssphoto_thumbnail2', album: 'album3') MrssPhoto.refresh_index! end it 'returns results from all indexes' do image_search = described_class.new('gas', {}) image_search_results = image_search.search expect(image_search_results.results.collect(&:type).uniq).to match_array(%w[FlickrPhoto MrssPhoto]) end end context 'when smooshed user query matches tag in either Mrss or Flickr indexes' do before do FlickrPhoto.create(id: 'photo1', owner: 'owner1', tags: %w[apollo11 space], title: 'title1 earth', description: 'desc 1', taken_at: Date.current, popularity: 100, url: 'http://photo1', thumbnail_url: 'http://photo_thumbnail1', album: 'album1', groups: []) FlickrPhoto.refresh_index! MrssPhoto.create(id: '123456', username: 'user1', tags: %w[earth apollo11], caption: 'first photo of earth', taken_at: Date.current, popularity: 101, url: 'http://photo2', thumbnail_url: 'http://photo_thumbnail2', album: 'album2') MrssPhoto.refresh_index! end it 'returns results from both indexes' do image_search = described_class.new('apollo 11', {}) image_search_results = image_search.search expect(image_search_results.results.collect(&:type).uniq).to match_array(%w[MrssPhoto FlickrPhoto]) end end context 'when exact phrase matches' do before do FlickrPhoto.create(id: 'phrase match 1', owner: 'owner1', tags: %w[jeffersonmemorial], title: 'jefferson township Petitions and Memorials', description: 'stuff about jefferson memorial', taken_at: Date.current, popularity: 100, url: 'http://photo1', thumbnail_url: 'http://photo_thumbnail1', album: 'album1', groups: []) FlickrPhoto.create(id: 'phrase match 2', owner: 'owner1', tags: %w[jeffersonmemorial], title: 'jefferson Memorial and township Petitions', description: 'stuff about jefferson memorial', taken_at: Date.current, popularity: 100, url: 'http://photo1', thumbnail_url: 'http://photo_thumbnail1', album: 'album1', groups: []) FlickrPhoto.refresh_index! end it 'positively influences the relevancy score' do image_search = described_class.new('jefferson memorial', {}) image_search_results = image_search.search expect(image_search_results.results.first.title).to eq('jefferson Memorial and township Petitions') end end context 'when search term yields no results but a similar spelling does have results' do before do # This spec can fail intermittently due to cruft from deleted documents. # To avoid this, we completely recreate the indices (see note in spec/rails_helper.rb): TestServices.delete_es_indexes TestServices.create_es_indexes FlickrPhoto.create(id: 'photo1', owner: 'owner1', tags: [], title: 'title1 earth', description: 'desc 1', taken_at: Date.current, popularity: 100, url: 'http://photo1', thumbnail_url: 'http://photo_thumbnail1', album: 'album1', groups: []) MrssPhoto.create(id: '123456', username: 'user1', tags: %w[tag1 tag2], title: 'photo of the cassini probe', taken_at: Date.current, popularity: 101, url: 'http://photo2', thumbnail_url: 'http://photo_thumbnail2', album: 'album2') MrssPhoto.refresh_index! FlickrPhoto.refresh_index! end it 'returns results for the close spelling' do image_search = described_class.new('casini', {}) image_search_results = image_search.search expect(image_search_results.results.first.title).to eq('photo of the cassini probe') expect(image_search_results.suggestion['text']).to eq('cassini') expect(image_search_results.suggestion['highlighted']).to eq('<strong>cassini</strong>') end end context 'when a spelling suggestion exists even when results are present (https://github.com/elasticsearch/elasticsearch/issues/7472)' do before do result = { 'took' => 86, 'timed_out' => false, '_shards' => { 'total' => 2, 'successful' => 2, 'failed' => 0 }, 'hits' => { 'total' => 50, 'max_score' => 0.0, 'hits' => [] }, 'aggregations' => { 'album_agg' => { 'buckets' => [{ 'key' => '41555360@N03:2014-07-31:14794249441', 'doc_count' => 50, 'top_image_hits' => { 'hits' => { 'total' => 50, 'max_score' => 0.70445955, 'hits' => [{ '_index' => 'development-oasis-flickr_photos', '_type' => 'flickr_photo', '_id' => '14610842557', '_score' => 0.70445955, '_source' => { 'created_at' => '2014-09-02T18:00:36.525+00:00', 'updated_at' => '2014-09-13T18:42:12.145Z', 'owner' => '41555360@N03', 'groups' => %w[group1 group2], 'title' => 'President Obama Visits HUD', 'description' => '', 'taken_at' => '2014-07-31', 'tags' => %w[president potus barrackobama juliancastro sohud], 'url' => 'http://www.flickr.com/photos/41555360@N03/14610842557/', 'thumbnail_url' => 'https://farm4.staticflickr.com/3841/14610842557_ed0ff5879a_q.jpg', 'popularity' => 982, 'album' => '41555360@N03:2014-07-31:14794249441' } }] } }, 'top_score' => { 'value' => 0.704459547996521 } }] } }, 'suggest' => { 'suggestion' => [{ 'text' => 'president obama visits hud', 'offset' => 0, 'length' => 26, 'options' => [] }] } } expect(Elasticsearch::Persistence.client).to receive(:search).and_return(result) end it 'does not return a spelling suggestion' do image_search = described_class.new('accordion', {}) image_search_results = image_search.search expect(image_search_results.suggestion).to be_nil end end context 'when there is some unforseen problem during the search' do it 'returns a no results response' do image_search = described_class.new('uh oh', {}) expect(Elasticsearch::Persistence).to receive(:client).and_return(nil) image_search_results = image_search.search expect(image_search_results.total).to eq(0) expect(image_search_results.results).to eq([]) end end describe 'filtering on flickr/mrss profiles' do before do FlickrPhoto.create(id: 'photo1', owner: 'owner1', tags: [], title: 'title1 earth', description: 'desc 1', taken_at: Date.current, popularity: 100, url: 'http://photo1', thumbnail_url: 'http://photo_thumbnail1', album: 'album1') FlickrPhoto.create(id: 'photo2', owner: 'owner2', tags: [], title: 'title2 earth', description: 'desc 2', taken_at: Date.current, popularity: 100, url: 'http://photo2', thumbnail_url: 'http://photo_thumbnail2', album: 'album2', groups: %w[group1]) mrss_profile = MrssProfile.create(id: 'http://some/mrss.url/feed.xml3') MrssProfile.refresh_index! MrssPhoto.create(id: 'guid1', mrss_names: [mrss_profile.name], tags: %w[tag1 tag2], title: 'mrss earth title', description: 'initial description', taken_at: Date.current, popularity: 0, url: 'http://mrssphoto2', thumbnail_url: 'http://mrssphoto_thumbnail2', album: 'album3') MrssPhoto.refresh_index! FlickrPhoto.refresh_index! end it 'filters on flickr users' do image_search = described_class.new('earth', flickr_users: ['owner1']) image_search_results = image_search.search expect(image_search_results.total).to eq(1) expect(image_search_results.results.first.title).to eq('title1 earth') end it 'filters on flickr groups' do image_search = described_class.new('earth', flickr_groups: ['group1']) image_search_results = image_search.search expect(image_search_results.total).to eq(1) expect(image_search_results.results.first.title).to eq('title2 earth') end it 'filters on the union of flickr groups and users' do image_search = described_class.new('earth', flickr_groups: ['group1'], flickr_users: ['owner1']) image_search_results = image_search.search expect(image_search_results.total).to eq(2) end it 'filters on MRSS feeds' do image_search = described_class.new('earth', mrss_names: [MrssProfile.all.last.name]) image_search_results = image_search.search expect(image_search_results.total).to eq(1) expect(image_search_results.results.first.title).to eq('mrss earth title') end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe AlbumDetectionPhotoIterator, 'run' do before do FlickrPhoto.delete_all 5.times do |x| i = x + 1 FlickrPhoto.create(id: "photo #{i}", owner: 'owner1', tags: ['alpha', 'bravo', 'charlie', i.ordinalize], title: "#{i.ordinalize} presidential visit to Mars", description: "#{i.ordinalize} title from unverified data provided by the Bain News Service on the negatives or caption cards", taken_at: Date.parse('2014-09-16'), popularity: 100 + i, url: "http://photo#{i}", thumbnail_url: "http://photo_thumbnail#{i}", album: "photo #{i}", groups: []) end FlickrPhoto.refresh_index! end let(:iterator) { described_class.new(FlickrPhoto, PhotoFilter.new('owner', 'owner1').query_body) } it 'runs the album detector on each photo' do expect(AlbumDetector).to(receive(:detect_albums!).exactly(5).times { [] }) iterator.run end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe FlickrAlbumDetector do context 'when 4 or more other Flickr photos are sufficiently similar in their tags, title, and description fields' do before do 5.times do |x| i = x + 1 FlickrPhoto.create(id: "photo#{i}", owner: 'owner1', tags: ['alpha', 'bravo', 'charlie', i.ordinalize], title: "#{i.ordinalize} presidential visit to Mars", description: "#{i.ordinalize} title from unverified data provided by the Bain News Service on the negatives or caption cards", taken_at: Date.parse('2014-09-16'), popularity: 100 + i, url: "http://photo#{i}", thumbnail_url: "http://photo_thumbnail#{i}", album: "photo#{i}", groups: []) end FlickrPhoto.refresh_index! end let(:photo) { FlickrPhoto.find 'photo1' } it 'assigns them all to the same album' do AlbumDetector.detect_albums! photo 5.times do |x| i = x + 1 expect(FlickrPhoto.find("photo#{i}").album).to eq('owner1:2014-09-16:photo1') end end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe FlickrPhoto do it_behaves_like 'a model with an aliased index name' end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe MrssProfile do it_behaves_like 'a model with an aliased index name' end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe AlbumDetector do describe 'assigning a default album' do subject(:detect_albums) { described_class.detect_albums!(photo) } let(:photo) do FlickrPhoto.create( id: 'flickr_photo', owner: 'owner1', tags: [], title: 'title1 earth', description: 'desc 1', taken_at: Date.current, popularity: 100, url: 'http://photo1', thumbnail_url: 'http://photo_thumbnail1', album: nil, groups: [] ) end it 'assigns the album name' do allow(photo).to receive(:update) detect_albums expect(photo).to have_received(:update).with(album: photo.generate_album_name) end context 'when something goes wrong' do before do allow(photo).to receive(:update).and_raise StandardError.new('failure') allow(Rails.logger).to receive(:error) end it 'logs the error' do detect_albums expect(Rails.logger).to have_received(:error). with("Unable to assign album to photo 'flickr_photo': failure") end it 'does not raise an error' do expect { detect_albums }.not_to raise_error end end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe Api::V1::ImageSearches do describe 'GET /api/v1/image_searches' do context 'when all params passed in' do let(:image_search) { double(ImageSearch) } let(:search_results) { Hashie::Mash.new('total' => 1, 'offset' => 0, 'results' => [{ 'type' => 'MrssPhoto', 'title' => 'title', 'url' => 'https://www.flickr.com/photos/41555360@N03/14610842557/', 'thumbnail_url' => 'https://farm4.staticflickr.com/3841/14610842557_ed0ff5879a_q.jpg', 'taken_at' => '2013-09-20' }], 'suggestion' => { 'text' => 'cindy', 'highlighted' => '<strong>cindy</strong>' }) } let(:params) do { query: 'some query', size: 11, from: 10, flickr_groups: 'fg1,fg2', flickr_users: 'fu1,fu2', mrss_names: '4,9' } end before do expect(ImageSearch).to receive(:new).with('some query', size: 11, from: 10, flickr_groups: %w[fg1 fg2], flickr_users: %w[fu1 fu2], mrss_names: %w[4 9]).and_return(image_search) end it 'performs the search with the appropriate params' do expect(image_search).to receive(:search) { search_results } get '/api/v1/image', params: params expect(response).to have_http_status(:ok) expect(JSON.parse(response.body)).to match(hash_including('total' => 1, 'offset' => 0, 'results' => [{ 'type' => 'MrssPhoto', 'title' => 'title', 'url' => 'https://www.flickr.com/photos/41555360@N03/14610842557/', 'thumbnail_url' => 'https://farm4.staticflickr.com/3841/14610842557_ed0ff5879a_q.jpg', 'taken_at' => '2013-09-20' }], 'suggestion' => { 'text' => 'cindy', 'highlighted' => '<strong>cindy</strong>' })) end end context 'when an exception is raised' do let(:params) { { query: 'some query' } } it 'logs the error' do expect(ImageSearch).to receive(:new).and_raise expect(Rails.logger).to receive(:error) get '/api/v1/image', params: params end it 'returns 500 error' do expect(ImageSearch).to receive(:new).and_raise get '/api/v1/image', params: params expect(response).to have_http_status(:internal_server_error) end end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe Api::V1::MrssProfiles do before do MrssProfile.delete_all MrssProfile.refresh_index! end describe 'GET /api/v1/mrss_profiles' do context 'when profiles exist' do before do MrssProfile.create(id: 'http://some.mrss.url/feed2.xml') MrssProfile.create(id: 'http://some.mrss.url/feed1.xml') MrssProfile.refresh_index! end it 'returns an array of indexed MRSS profiles ordered by name' do get '/api/v1/mrss_profiles' expect(response).to have_http_status(:ok) expect(JSON.parse(response.body).first).to match(hash_including('id' => 'http://some.mrss.url/feed2.xml')) expect(JSON.parse(response.body).last).to match(hash_including('id' => 'http://some.mrss.url/feed1.xml')) end end end describe 'POST /api/v1/mrss_profiles' do context 'when MRSS feed URL does not already exist in index' do before do post '/api/v1/mrss_profiles', params: { url: 'http://some.mrss.url/feed2.xml' } end it 'creates a MRSS profile' do expect(MrssProfile.find('http://some.mrss.url/feed2.xml')).to be_present end it 'enqueues the importer to download and index photos' do expect(MrssPhotosImporter).to have_enqueued_sidekiq_job(MrssProfile.all.last.name) end it 'returns created profile as JSON' do expect(response).to have_http_status(:created) expect(JSON.parse(response.body)).to match(hash_including('id' => 'http://some.mrss.url/feed2.xml', 'name' => an_instance_of(String))) end end context 'when MRSS feed URL already exists in index' do before do @mrss_profile = MrssProfile.create(id: 'http://some.mrss.url/already.xml') post '/api/v1/mrss_profiles', params: { url: 'http://some.mrss.url/already.xml' } end it 'returns existing profile as JSON' do expect(response).to have_http_status(:created) expect(JSON.parse(response.body)).to match(hash_including('id' => 'http://some.mrss.url/already.xml', 'name' => @mrss_profile.name)) end end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe Api::V1::FlickrProfiles do describe 'GET /api/v1/flickr_profiles' do context 'when profiles exist' do before do FlickrProfile.delete_all FlickrProfile.create(name: 'profile2', id: '2', profile_type: 'group') FlickrProfile.create(name: 'profile1', id: '1', profile_type: 'user') FlickrProfile.refresh_index! end it 'returns an array of indexed Flickr profiles' do get '/api/v1/flickr_profiles' expect(response).to have_http_status(:ok) expect(JSON.parse(response.body).first).to match(hash_including('name' => 'profile1', 'id' => '1', 'profile_type' => 'user')) expect(JSON.parse(response.body).last).to match(hash_including('name' => 'profile2', 'id' => '2', 'profile_type' => 'group')) end end end describe 'POST /api/v1/flickr_profiles' do before do post '/api/v1/flickr_profiles', params: { id: '61913304@N07', name: 'commercegov', profile_type: 'user' } FlickrProfile.refresh_index! end it 'creates a Flickr profile' do expect(FlickrProfile.find('61913304@N07')).to be_present end it 'enqueues the importer to download and index photos' do expect(FlickrPhotosImporter).to have_enqueued_sidekiq_job('61913304@N07', 'user') end it 'returns created profile as JSON' do expect(response).to have_http_status(:created) expect(JSON.parse(response.body)).to match(hash_including('name' => 'commercegov', 'id' => '61913304@N07', 'profile_type' => 'user')) end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true module TestServices module_function def create_es_indexes Dir[Rails.root.join('app', 'models', '*.rb')].map do |f| klass = File.basename(f, '.*').camelize.constantize klass.create_index_and_alias! if klass.respond_to?(:create_index_and_alias!) end end def delete_es_indexes Elasticsearch::Persistence.client.indices.delete(index: 'test-oasis-*') rescue StandardError nil end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true shared_examples_for 'an album worker' do subject(:perform) { described_class.new.perform(id) } let(:iterator) { instance_double(AlbumDetectionPhotoIterator) } describe '.perform' do it 'runs the AlbumDetectionPhotoIterator on photos for the given source' do expect(AlbumDetectionPhotoIterator).to receive(:new). with(photo_class, PhotoFilter.new(id_type, id.downcase).query_body). and_return(iterator) expect(iterator).to receive(:run) perform end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true shared_examples 'a model with an aliased index name' do describe 'alias_exists?' do context 'when alias exists' do it 'returns true' do expect(described_class.alias_exists?).to be_truthy end end context 'when alias does not exist' do before do expect(Elasticsearch::Persistence.client.indices).to receive(:get_alias).with(name: described_class.alias_name).and_raise(Elasticsearch::Transport::Transport::Errors::NotFound) end it 'returns false' do expect(described_class.alias_exists?).to be_falsey end end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe Feedjira::Parser::Oasis::Mrss do context 'for DMA feed' do let(:dma_mrss_xml) { file_fixture('dma.xml').read } describe '#able_to_parse?' do context 'when first 2000 chars of XML contains MRSS text string' do it 'returns true' do expect(described_class.able_to_parse?(dma_mrss_xml)).to be_truthy end end end describe 'the parser' do it 'pulls out the entries properly' do feed = Feedjira::Feed.parse(dma_mrss_xml) expect(feed.entries.first.class).to eq(Feedjira::Parser::Oasis::MrssEntry) end end end context 'for RSS with content module' do let(:mrss_xml) { file_fixture('rss_with_content_module.xml').read } describe '#able_to_parse?' do context 'when first 2000 chars of XML contains the content namespace text string' do it 'returns true' do expect(described_class.able_to_parse?(mrss_xml)).to be_truthy end end end describe 'the parser' do it 'pulls out the entries properly' do feed = Feedjira::Feed.parse(mrss_xml) expect(feed.entries.first.class).to eq(Feedjira::Parser::Oasis::MrssEntry) end end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe Feedjira::Parser::Oasis::MrssEntry do context 'when entry has media:thumbnail and media:description' do let(:entry) do dma_mrss_xml = file_fixture('dma.xml').read feed = Feedjira::Feed.parse(dma_mrss_xml) feed.entries.first end describe 'a parsed entry' do it 'has the correct title stripped and squished' do expect(entry.title).to eq('') end it 'has the correct summary stripped and squished' do expect(entry.summary).to eq('Official Photo- of something important (U.S. Air Force Photo)') end it 'has the correct url' do expect(entry.url).to eq('http://www.af.mil/News/Photos.aspx?igphoto=2000949217') end it 'has the correct thumbnail url' do expect(entry.thumbnail_url).to eq('http://media.dma.mil/2014/Oct/22/2000949217/145/100/0/141022-F-PB123-223.JPG') end it 'has the correct entry_id' do expect(entry.entry_id).to eq('http://www.af.mil/News/Photos.aspx?igphoto=2000949217') end it 'has the correct published time' do expect(entry.published).to eq(Time.parse('2014-10-22 14:24:00Z')) end end end context 'when entry has description and media:description' do let(:entries) do mrss_xml = file_fixture('desc_plus_mediadesc.xml').read feed = Feedjira::Feed.parse(mrss_xml) feed.entries end describe 'a parsed entry' do it 'uses whatever comes last in the XML' do expect(entries.first.summary).to eq('This came from description') expect(entries.last.summary).to eq('But this came from media:description') end end end context 'when the feed uses RSS content module' do let(:entry) do mrss_xml = file_fixture('rss_with_content_module.xml').read feed = Feedjira::Feed.parse(mrss_xml) feed.entries.first end describe 'a parsed entry' do it 'uses the content:encoded field for the summary' do expect(entry.summary).to eq('Sentence one. Sentence two. more...') end end end context 'when URLs are missing scheme' do let(:entry) do mrss_xml = file_fixture('missing_scheme.xml').read feed = Feedjira::Feed.parse(mrss_xml) feed.entries.first end it 'prepends with http' do expect(entry.url).to eq('http://www.af.mil/News/Photos.aspx?igphoto=2000949217') expect(entry.thumbnail_url).to eq('http://media.dma.mil/2014/Oct/22/2000949217/145/100/0/141022-F-PB123-223.JPG') end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe 'ActiveSupport::ParameterFilter' do let(:config) { Oasis::Application.config } let(:parameter_filter) { ActiveSupport::ParameterFilter.new(config.filter_parameters) } it 'filters query from logs' do expect(config.filter_parameters).to match(array_including(:query)) end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe MrssPhotosImporter do it { is_expected.to be_retryable true } it { is_expected.to be_unique } describe '#perform' do subject(:perform) do importer.perform(mrss_profile.name) MrssPhoto.refresh_index! end let(:mrss_profile) do MrssProfile.create({ id: mrss_url }, refresh: true) end let(:mrss_xml) { file_fixture('nasa.xml').read } let(:mrss_url) { 'http://some.mrss.url/importme.xml' } let(:importer) { described_class.new } before do stub_request(:get, mrss_url).to_return(body: mrss_xml) MrssPhoto.delete_all MrssPhoto.refresh_index! end it 'fetches the xml with the correct user agent' do perform expect(a_request(:get, mrss_url).with(headers: { user_agent: 'Oasis' })). to have_been_made end context 'when the URL has been redirected' do let(:new_url) { 'https://some.mrss.url/new.xml' } before do stub_request(:get, mrss_url).to_return(status: 301, headers: { location: new_url }) stub_request(:get, new_url).to_return(body: mrss_xml) end it 'indexes the photos' do expect { perform }.to change{ MrssPhoto.count }.from(0).to(4) end end context 'when MRSS photo entries are returned' do it 'indexes the photos' do expect { perform }.to change{ MrssPhoto.count }.from(0).to(4) end it 'indexes the expected content' do perform photo = MrssPhoto.find( 'http://www.nasa.gov/archive/archive/content/samantha-cristoforettis-birthday-celebration' ) expect(photo.id).to eq( 'http://www.nasa.gov/archive/archive/content/samantha-cristoforettis-birthday-celebration' ) expect(photo.mrss_names.first).to eq(mrss_profile.name) expect(photo.title).to eq("Samantha Cristoforetti's Birthday Celebration") expect(photo.description).to match(/ISS043E142528/) expect(photo.taken_at).to eq(Date.parse('2015-05-04')) expect(photo.popularity).to eq(0) expect(photo.url).to eq( 'http://www.nasa.gov/archive/archive/content/samantha-cristoforettis-birthday-celebration' ) expect(photo.thumbnail_url).to eq( 'http://www.nasa.gov/sites/default/files/styles/100x75/public/thumbnails/image/17147956078_0b4b9761d6_k.jpg?itok=BmnIF3ZZ' ) end end context 'when photo cannot be created' do let(:photos) do photo1 = Hashie::Mash.new(entry_id: 'guid1', title: 'first photo', summary: 'summary for first photo', published: 'this will break it', thumbnail_url: 'http://photo_thumbnail1', url: 'http://photo1') photo2 = Hashie::Mash.new(entry_id: 'guid2', title: 'second photo', summary: 'summary for second photo', published: Time.parse('2014-10-22 14:24:00Z'), thumbnail_url: 'http://photo_thumbnail2', url: 'http://photo2') [photo1, photo2] end let(:feed) { double(Feedjira::Parser::Oasis::Mrss, entries: photos) } before do allow(Feedjira::Feed).to receive(:parse).with(mrss_xml) { feed } end it 'logs the issue and moves on to the next photo' do expect(Rails.logger).to receive(:warn) importer.perform(mrss_profile.name) expect(MrssPhoto.find('guid2')).to be_present end end context 'when photo already exists in the index' do let(:photos) do photo1 = Hashie::Mash.new(entry_id: 'already exists', title: 'new title', summary: 'new summary', published: Time.parse('2014-10-22 14:24:00Z'), thumbnail_url: 'http://photo_thumbnail1', url: 'http://photo1') [photo1] end let(:feed) { double(Feedjira::Parser::Oasis::Mrss, entries: photos) } before do allow(Feedjira::Feed).to receive(:parse).with(mrss_xml) { feed } MrssPhoto.create(id: 'already exists', mrss_names: %w[existing_mrss_name], tags: %w[tag1 tag2], title: 'initial title', description: 'initial description', taken_at: Date.current, popularity: 0, url: 'http://mrssphoto2', thumbnail_url: 'http://mrssphoto_thumbnail2', album: 'album3') end it 'adds the mrss_name to the mrss_names array and leaves other meta data alone' do importer.perform(mrss_profile.name) already_exists = MrssPhoto.find('already exists') expect(already_exists.album).to eq('album3') expect(already_exists.popularity).to eq(0) expect(already_exists.title).to eq('initial title') expect(already_exists.description).to eq('initial description') expect(already_exists.tags).to match_array(%w[tag1 tag2]) expect(already_exists.mrss_names).to match_array( ['existing_mrss_name', mrss_profile.name] ) end end context 'when MRSS feed generates some error' do before do allow(Feedjira::Feed).to receive(:parse).and_raise StandardError end it 'logs a warning and continues' do expect(Rails.logger).to receive(:warn) importer.perform(mrss_profile.name) end end end describe '.refresh' do before do allow(MrssProfile).to receive(:find_each). and_yield(double(MrssProfile, name: '3', id: 'http://some/mrss.url/feed.xml1')). and_yield(double(MrssProfile, name: '4', id: 'http://some/mrss.url/feed.xml2')) end it 'enqueues importing the photos' do described_class.refresh expect(described_class).to have_enqueued_sidekiq_job('3') expect(described_class).to have_enqueued_sidekiq_job('4') end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe FlickrPhotosAlbumWorker do let(:photo_class) { FlickrPhoto } let(:id_type) { 'owner' } let(:id) { '61913304@N07' } it_behaves_like 'an album worker' end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe FlickrPhotosImporter do it { is_expected.to be_retryable true } it { is_expected.to be_unique } describe '#perform' do subject(:perform) do importer.perform(*args) FlickrPhoto.refresh_index! end let(:args) { %w[flickr_id user] } let(:importer) { described_class.new } before do FlickrPhoto.delete_all FlickrPhoto.refresh_index! end describe 'days_ago param' do before do photo1 = Hashie::Mash.new(id: 'photo1', owner: 'owner1', tags: '', title: 'title1', description: 'desc 1', datetaken: Time.now.strftime('%Y-%m-%d %H:%M:%S'), views: 100, url_o: 'http://photo1', url_q: 'http://photo_thumbnail1', dateupload: Time.now.to_i) photo2 = Hashie::Mash.new(id: 'photo2', owner: 'owner2', tags: '', title: 'title2', description: 'desc 2', datetaken: Time.now.strftime('%Y-%m-%d %H:%M:%S'), views: 200, url_o: 'http://photo2', url_q: 'http://photo_thumbnail2', dateupload: Time.now.to_i) photo3 = Hashie::Mash.new(id: 'photo3', owner: 'owner3', tags: '', title: 'title3', description: 'desc 3', datetaken: Time.now.strftime('%Y-%m-%d %H:%M:%S'), views: 300, url_o: 'http://photo3', url_q: 'http://photo_thumbnail3', dateupload: Time.now.to_i) photo4 = Hashie::Mash.new(id: 'photo4', owner: 'owner4', tags: '', title: 'title4', description: 'desc 4', datetaken: 8.days.ago.strftime('%Y-%m-%d %H:%M:%S'), views: 400, url_o: 'http://photo4', url_q: 'http://photo_thumbnail4', dateupload: 8.days.ago.to_i) photo5 = Hashie::Mash.new(id: 'photo5', owner: 'owner5', tags: '', title: 'title5', description: 'desc 5', datetaken: 9.days.ago.strftime('%Y-%m-%d %H:%M:%S'), views: 500, url_o: 'http://photo5', url_q: 'http://photo_thumbnail5', dateupload: 9.days.ago.to_i) batch1_photos = [photo1, photo2] batch2_photos = [photo3, photo4] batch3_photos = [photo5] allow(batch1_photos).to receive(:pages).and_return(3) allow(batch2_photos).to receive(:pages).and_return(3) allow(batch3_photos).to receive(:pages).and_return(3) allow(importer).to receive(:get_photos).with( 'flickr_id', 'user', per_page: FlickrPhotosImporter::MAX_PHOTOS_PER_REQUEST, extras: FlickrPhotosImporter::EXTRA_FIELDS, page: 1 ).and_return(batch1_photos) allow(importer).to receive(:get_photos).with( 'flickr_id', 'user', per_page: FlickrPhotosImporter::MAX_PHOTOS_PER_REQUEST, extras: FlickrPhotosImporter::EXTRA_FIELDS, page: 2 ).and_return(batch2_photos) allow(importer).to receive(:get_photos).with( 'flickr_id', 'user', per_page: FlickrPhotosImporter::MAX_PHOTOS_PER_REQUEST, extras: FlickrPhotosImporter::EXTRA_FIELDS, page: 3 ).and_return(batch3_photos) end context 'when days_ago is specified' do let(:args) { ['flickr_id', 'user', 7] } it 'stops fetching more photos when the last photo of the current batch is before days_ago' do perform FlickrPhoto.refresh_index! expect(FlickrPhoto.count).to eq(4) end end context 'when days_ago is not specified' do let(:args) { %w[flickr_id user] } it 'fetches all the pages available' do perform expect(FlickrPhoto.count).to eq(5) end end end context 'when user photos are returned' do before do photo1 = Hashie::Mash.new(id: 'photo1', owner: 'owner1', tags: 'tag1 tag2', title: 'title1', description: 'description1', datetaken: '2014-07-09 12:34:56', views: 100, url_o: 'http://photo1', url_q: 'http://photo_thumbnail1', dateupload: 9.days.ago.to_i) batch1_photos = [photo1] allow(batch1_photos).to receive(:pages).and_return(1) allow(importer).to receive(:get_photos).with( 'flickr_id', 'user', per_page: FlickrPhotosImporter::MAX_PHOTOS_PER_REQUEST, extras: FlickrPhotosImporter::EXTRA_FIELDS, page: 1 ).and_return(batch1_photos) end it 'stores and indexes them' do perform first = FlickrPhoto.find('photo1') expect(first.id).to eq('photo1') expect(first.owner).to eq('owner1') expect(first.tags).to eq(%w[tag1 tag2]) expect(first.title).to eq('title1') expect(first.description).to eq('description1') expect(first.taken_at).to eq(Date.parse('2014-07-09')) expect(first.popularity).to eq(100) expect(first.url).to eq('http://www.flickr.com/photos/owner1/photo1/') expect(first.thumbnail_url).to eq('http://photo_thumbnail1') end end context 'when group photos are returned' do let(:args) { %w[flickr_group_id group] } before do photo1 = Hashie::Mash.new(id: 'group_photo1', owner: 'owner1', tags: 'tag1 tag2', title: 'title1', description: 'description1', datetaken: '2014-07-09 12:34:56', views: 100, url_o: 'http://photo1', url_q: 'http://photo_thumbnail1', dateupload: 9.days.ago.to_i) batch1_photos = [photo1] allow(batch1_photos).to receive(:pages).and_return(1) allow(importer).to receive(:get_photos).with( 'flickr_group_id', 'group', per_page: FlickrPhotosImporter::MAX_PHOTOS_PER_REQUEST, extras: FlickrPhotosImporter::EXTRA_FIELDS, page: 1 ).and_return(batch1_photos) end it 'stores and indexes them with their group assigned' do perform first = FlickrPhoto.find('group_photo1') expect(first.id).to eq('group_photo1') expect(first.owner).to eq('owner1') expect(first.tags).to eq(%w[tag1 tag2]) expect(first.groups).to eq(['flickr_group_id']) expect(first.title).to eq('title1') expect(first.description).to eq('description1') expect(first.taken_at).to eq(Date.parse('2014-07-09')) expect(first.popularity).to eq(100) expect(first.url).to eq('http://www.flickr.com/photos/owner1/group_photo1/') expect(first.thumbnail_url).to eq('http://photo_thumbnail1') end end context 'when photo contains vision:* tags and other machine tag stuff with a colon' do before do photo1 = Hashie::Mash.new(id: 'photo1', owner: 'owner1', tags: 'tag1 vision:people=099 vision:groupshot=099 xmlns:dc=httppurlorgdcelements11 dc:identifier=httphdllocgovlocpnpggbain22915 tag2', title: 'title1', description: 'description1', datetaken: '2014-07-09 12:34:56', views: 100, url_o: 'http://photo1', url_q: 'http://photo_thumbnail1', dateupload: 9.days.ago.to_i) batch1_photos = [photo1] allow(batch1_photos).to receive(:pages).and_return(1) allow(importer).to receive(:get_photos).with( 'flickr_id', 'user', per_page: FlickrPhotosImporter::MAX_PHOTOS_PER_REQUEST, extras: FlickrPhotosImporter::EXTRA_FIELDS, page: 1 ).and_return(batch1_photos) end it 'strips them' do perform first = FlickrPhoto.find('photo1') expect(first.tags).to eq(%w[tag1 tag2]) end end context 'when photo contains datetaken with zero month or day' do before do photo1 = Hashie::Mash.new(id: 'photo1', owner: 'owner1', tags: 'tag2', title: 'title1', description: 'description1', datetaken: '2014-00-00 00:00:00', views: 100, url_o: 'http://photo1', url_q: 'http://photo_thumbnail1', dateupload: 9.days.ago.to_i) batch1_photos = [photo1] allow(batch1_photos).to receive(:pages).and_return(1) allow(importer).to receive(:get_photos).with( 'flickr_id', 'user', per_page: FlickrPhotosImporter::MAX_PHOTOS_PER_REQUEST, extras: FlickrPhotosImporter::EXTRA_FIELDS, page: 1 ).and_return(batch1_photos) end it 'assigns zero month as January and zero day as one' do perform first = FlickrPhoto.find('photo1') expect(first.taken_at).to eq(Date.parse('2014-01-01')) end end context 'when title/desc contain leading/trailing spaces' do before do photo1 = Hashie::Mash.new(id: 'photo1', owner: 'owner1', tags: 'tag1 tag2', title: ' title1 ', description: ' ', datetaken: '2014-07-09 12:34:56', views: 100, url_o: 'http://photo1', url_q: 'http://photo_thumbnail1', dateupload: 9.days.ago.to_i) batch1_photos = [photo1] allow(batch1_photos).to receive(:pages).and_return(1) allow(importer).to receive(:get_photos).with( 'flickr_id', 'user', per_page: FlickrPhotosImporter::MAX_PHOTOS_PER_REQUEST, extras: FlickrPhotosImporter::EXTRA_FIELDS, page: 1 ).and_return(batch1_photos) end it 'strips them' do perform first = FlickrPhoto.find('photo1') expect(first.title).to eq('title1') expect(first.description).to eq('') end end context 'when photo cannot be created' do before do photo1 = Hashie::Mash.new(id: 'photo1', owner: 'owner1', tags: 'hi', title: nil, description: 'tags are nil', datetaken: '2014-07-09 12:34:56', views: 100, url_o: 'http://photo1', url_q: 'http://photo_thumbnail1', dateupload: 9.days.ago.to_i) photo2 = Hashie::Mash.new(id: 'photo2', owner: 'owner2', tags: 'tag2 tag3', title: 'title2', description: 'description2', datetaken: '2024-07-09 22:34:56', views: 200, url_o: 'http://photo2', url_q: 'http://photo_thumbnail2', dateupload: 9.days.ago.to_i) batch1_photos = [photo1, photo2] allow(batch1_photos).to receive(:pages).and_return(1) allow(importer).to receive(:get_photos).with( 'flickr_id', 'user', per_page: FlickrPhotosImporter::MAX_PHOTOS_PER_REQUEST, extras: FlickrPhotosImporter::EXTRA_FIELDS, page: 1 ).and_return(batch1_photos) end it 'logs the issue and moves on to the next photo' do expect(Rails.logger).to receive(:warn) perform expect(FlickrPhoto.find('photo2')).to be_present end end context 'when photo already exists in the index' do before do photo1 = Hashie::Mash.new(id: 'already exists', owner: 'owner1', tags: nil, title: 'new title', description: 'tags are nil', datetaken: '2014-07-09 12:34:56', views: 101, url_o: 'http://photo1', url_q: 'http://photo_thumbnail1', dateupload: 9.days.ago.to_i) batch1_photos = [photo1] allow(batch1_photos).to receive(:pages).and_return(1) allow(importer).to receive(:get_photos).with( 'flickr_id', 'user', per_page: FlickrPhotosImporter::MAX_PHOTOS_PER_REQUEST, extras: FlickrPhotosImporter::EXTRA_FIELDS, page: 1 ).and_return(batch1_photos) FlickrPhoto.create(id: 'already exists', owner: 'owner1', tags: [], title: 'initial title', description: 'desc 1', taken_at: Date.current, popularity: 100, url: 'http://photo1', thumbnail_url: 'http://photo_thumbnail1', album: 'album1', groups: []) end it 'updates the popularity field' do perform already_exists = FlickrPhoto.find('already exists') expect(already_exists.popularity).to eq(101) expect(already_exists.album).to eq('album1') end end context 'when photo exists in the index and got fetched from a group pool' do let(:args) { %w[flickr_group_id group] } before do photo1 = Hashie::Mash.new(id: 'already exists with group', owner: 'owner1', tags: nil, title: 'new title', description: 'tags are nil', datetaken: '2014-07-09 12:34:56', views: 101, url_o: 'http://photo1', url_q: 'http://photo_thumbnail1', dateupload: 9.days.ago.to_i) batch1_photos = [photo1] allow(batch1_photos).to receive(:pages).and_return(1) allow(importer).to receive(:get_photos).with( 'flickr_group_id', 'group', per_page: FlickrPhotosImporter::MAX_PHOTOS_PER_REQUEST, extras: FlickrPhotosImporter::EXTRA_FIELDS, page: 1 ).and_return(batch1_photos) FlickrPhoto.create(id: 'already exists with group', owner: 'owner1', tags: [], title: 'initial title', description: 'desc 1', taken_at: Date.current, popularity: 100, url: 'http://photo1', thumbnail_url: 'http://photo_thumbnail1', album: 'album1', groups: []) end it 'updates the popularity field' do perform already_exists = FlickrPhoto.find('already exists with group') expect(already_exists.popularity).to eq(101) end it 'adds the group_id to the unique set of groups' do perform already_exists = FlickrPhoto.find('already exists with group') expect(already_exists.groups).to eq(%w[flickr_group_id]) end end context 'when photo exists in the index with a group and got fetched from the same group pool' do let(:args) { %w[flickr_group_id group] } before do photo1 = Hashie::Mash.new(id: 'already exists with group', owner: 'owner1', tags: nil, title: 'new title', description: 'tags are nil', datetaken: '2014-07-09 12:34:56', views: 101, url_o: 'http://photo1', url_q: 'http://photo_thumbnail1', dateupload: 9.days.ago.to_i) batch1_photos = [photo1] allow(batch1_photos).to receive(:pages).and_return(1) allow(importer).to receive(:get_photos).with( 'flickr_group_id', 'group', per_page: FlickrPhotosImporter::MAX_PHOTOS_PER_REQUEST, extras: FlickrPhotosImporter::EXTRA_FIELDS, page: 1 ).and_return(batch1_photos) FlickrPhoto.create(id: 'already exists with group', owner: 'owner1', tags: [], title: 'initial title', description: 'desc 1', taken_at: Date.current, popularity: 100, url: 'http://photo1', thumbnail_url: 'http://photo_thumbnail1', album: 'album1', groups: %w[group1 flickr_group_id]) end it 'adds the group_id to the unique set of groups' do perform already_exists = FlickrPhoto.find('already exists with group') expect(already_exists.groups).to match_array(%w[group1 flickr_group_id]) end end context 'when flickr owner is a user' do let(:flickr_user_client) { double('Flickr client for user call') } let(:no_results) { [] } before do allow(FlickRaw::Flickr).to receive(:new).and_return(flickr_user_client) allow(no_results).to receive(:pages).and_return 0 end it 'calls the user section of the API' do expect(flickr_user_client).to receive_message_chain('people.getPublicPhotos').and_return(no_results) importer.perform('user1', 'user') end end context 'when flickr owner is a group' do let(:args) { %w[group1 group] } let(:flickr_group_client) { double('Flickr client for group call') } let(:no_results) { [] } before do allow(FlickRaw::Flickr).to receive(:new).and_return(flickr_group_client) allow(no_results).to receive(:pages).and_return 0 end it 'calls the group section of the API' do expect(flickr_group_client).to receive_message_chain('groups.pools.getPhotos').and_return(no_results) perform end end context 'when Flickr API generates some error' do before do expect(FlickRaw::Flickr).to receive_message_chain('new.people.getPublicPhotos').and_raise StandardError end it 'logs a warning and continues' do expect(Rails.logger).to receive(:warn) importer.perform('user1', 'user') end end end describe '.refresh' do before do allow(FlickrProfile).to receive(:find_each). and_yield(double(FlickrProfile, id: 'abc', profile_type: 'user')). and_yield(double(FlickrProfile, id: 'def', profile_type: 'group')) end it 'enqueues importing the last X days of photos' do described_class.refresh expect(described_class).to have_enqueued_sidekiq_job('abc', 'user', FlickrPhotosImporter::DAYS_BACK_TO_CHECK_FOR_UPDATES) expect(described_class).to have_enqueued_sidekiq_job('def', 'group', FlickrPhotosImporter::DAYS_BACK_TO_CHECK_FOR_UPDATES) end end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'rails_helper' describe MrssPhotosAlbumWorker do let(:photo_class) { MrssPhoto } let(:id_type) { 'mrss_url' } let(:id) { 'http://foo.gov/photos.xml' } it_behaves_like 'an album worker' end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
<?xml version="1.0" encoding="utf-8"?> <rss version="2.0" xmlns:media="http://search.yahoo.com/mrss/" xmlns:atom="http://www.w3.org/2005/Atom"> <channel> <atom:link href="http://media.dma.mil/mrss/portal/144/detailpage/www.af.mil/News/Photos.aspx" rel="self" type="application/rss+xml"/> <title>Air Force Link Images</title> <link>http://www.af.mil</link> <description>The latest images from Air Force Link.</description> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000949217</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000949217</guid> <pubDate>Wed, 22 Oct 2014 14:24:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Official Photo- of something important (U.S. Air Force Photo) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/22/2000949217/145/100/0/141022-F-PB123-223.JPG" width="72" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/22/2000949217/-1/-1/0/141022-F-PB123-223.JPG" width="1500" height="2100"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000949189</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000949189</guid> <pubDate>Wed, 22 Oct 2014 13:29:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Ty Nordstrom and his family celebrate his fifth birthday at a pizza restaurant December 2007, in Abilene, Texas. Ty was diagnosed with non-rhabdomyosarcoma cancer in October 2007. He passed away November 2009 – one month before his seventh birthday. Ty’s dad, Master Sgt. Lyle Nordstrom, the 352nd Special Operations Group Inspector General superintendent, shares the story of his loss to raise awareness of childhood cancer. (Courtesy photo) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/22/2000949189/145/100/0/141021-F-XX123-004.JPG" width="77" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/22/2000949189/-1/-1/0/141021-F-XX123-004.JPG" width="1221" height="1600"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000949190</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000949190</guid> <pubDate>Wed, 22 Oct 2014 13:29:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Ty Nordstrom giggles as a bearded dragon reptile sits on his head July 2008, at the Houston Zoo, Texas. He was diagnosed with cancer October 2007, just before his 5th birthday. Ty and his family were in Houston for eight weeks of proton radiation therapy. Ty died in November 2009, one month before his seventh birthday. His dad, Master Sgt. Lyle Nordstrom, the 352nd Special Operations Group Inspector General superintendent, said his son loved animals and always wanted to go to zoos, aquariums and safari parks. (Courtesy photo) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/22/2000949190/145/100/0/141021-F-XX123-003.JPG" width="128" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/22/2000949190/-1/-1/0/141021-F-XX123-003.JPG" width="1113" height="876"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000949191</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000949191</guid> <pubDate>Wed, 22 Oct 2014 13:29:00 GMT</pubDate> <media:description type="html"> <![CDATA[ In June 2007, 4-year-old Ty Nordstrom caught a 7-pound catfish in Lake Kirby, Abilene, Texas. In October 2007, Ty faced an even bigger battle when he was diagnosed with non-rhabdomyosarcoma cancer. He died in November 2009, one month before his seventh birthday. Ty’s dad, Master Sgt. Lyle Nordstrom, the 352nd Special Operations Group Inspector General superintendent, shares the story of his loss to raise awareness of childhood cancer. (Courtesy photo) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/22/2000949191/145/100/0/141021-F-XX123-001.JPG" width="120" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/22/2000949191/-1/-1/0/141021-F-XX123-001.JPG" width="1272" height="1064"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000949182</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000949182</guid> <pubDate>Wed, 22 Oct 2014 12:48:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Cadet 2nd Class Brett Meyer prepares to land a Cessna T-51 Oct. 14, 2014, at the U.S. Air Force Academy, Colo. during the National Intercollegiate Flying Association Regional Safety and Flight Evaluation Conference. The Academy hosted this year's competition and scored first in overall school rankings, school flight events and school ground events. (U.S. Air Force photo/Bill Evans) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/22/2000949182/145/100/0/141021-F-RB000-001.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/22/2000949182/-1/-1/0/141021-F-RB000-001.JPG" width="3600" height="2400"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000949168</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000949168</guid> <pubDate>Wed, 22 Oct 2014 11:24:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Airman 1st Class Reece Zoller, left, operates an MJ-1 lift truck carrying an AIM-120 advanced medium-range air-to-air missile as Staff Sgt. Zachary Watts, center, and Airman 1st Class Robert Hughes, right, guide him during a qualification load Oct. 10, 2014, at Eglin Air Force Base, Fla. The F-35 training program at Eglin AFB currently serves as the primary source of F-35 expertise to new F-35A units across the Air Force. Zoller, Watts and Hughes are load crewmembers from the 58th Aircraft Maintenance Unit crew one. (U.S. Air Force photo/Staff Sgt. Marleah Robertson) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/22/2000949168/145/100/0/141010-F-SI788-177.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/22/2000949168/-1/-1/0/141010-F-SI788-177.JPG" width="4288" height="2848"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000949169</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000949169</guid> <pubDate>Wed, 22 Oct 2014 11:24:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Airmen with the 58th Aircraft Maintenance Unit crew one prepare to load a GBU-31 joint direct attack munition on to an F-35A Lightning II during a qualification load Oct. 10, 2014, at Eglin Air Force Base, Fla. The F-35A is now one step closer to its initial operational capability with the first weapons load crew qualification. The newly qualified crewmembers will continue to hone their skills and become experts at their jobs so they can train the weapons load crews at other bases receiving the F-35A. (U.S. Air Force photo/Staff Sgt. Marleah Robertson) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/22/2000949169/145/100/0/141010-F-SI788-244.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/22/2000949169/-1/-1/0/141010-F-SI788-244.JPG" width="4288" height="2848"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000949171</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000949171</guid> <pubDate>Wed, 22 Oct 2014 11:24:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Airman 1st Class Robert Hughes puts the tail fins on to an AIM-120 advanced medium-range air-to-air missile after loading it on to an F-35A Lightning II during a qualification load Oct. 10, 2014, at Eglin Air Force Base, Fla. The F-35 training program at Eglin AFB currently serves as the primary source of F-35 expertise to new F-35A units across the Air Force. The newly qualified crewmembers will continue to hone their skills and become experts at their jobs so they can go train the weapons load crews at those bases receiving the F-35A. Hughes is a load crewmember from the 58th Aircraft Maintenance Unit crew one. (U.S. Air Force photo/Staff Sgt. Marleah Robertson) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/22/2000949171/145/100/0/141010-F-SI788-360.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/22/2000949171/-1/-1/0/141010-F-SI788-360.JPG" width="4288" height="2848"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000949167</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000949167</guid> <pubDate>Wed, 22 Oct 2014 11:23:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Airman 1st Class Reece Zoller makes an AIM-120 advanced medium-range air-to-air missile safe before loading it onto an F-35A Lightning II during a qualification load Oct. 10, 2014, at Eglin Air Force Base, Fla. The F-35 training program at Eglin AFB currently serves as the primary source of F-35 expertise to new F-35A units across the Air Force. Zoller is a load crewmember from the 58th Aircraft Maintenance Unit crew one. (U.S. Air Force photo/Staff Sgt. Marleah Robertson) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/22/2000949167/145/100/0/141010-F-SI788-123.JPG" width="145" height="98"/> <media:content url="http://media.dma.mil/2014/Oct/22/2000949167/-1/-1/0/141010-F-SI788-123.JPG" width="4122" height="2768"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000949163</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000949163</guid> <pubDate>Wed, 22 Oct 2014 10:00:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Tech. Sgt. Saquadrea Crosby gets fitted for an N95 respirator by Airman 1st Class Aaron Gonzalez Oct. 17, 2014, at Ramstein Air Base, Germany. The N95 respirator is a device that is used to help prevent the spread of germs (viruses and bacteria) from one person to another. As members of the 86th Airlift Wing continue to support missions for Operation United Assistance, Airmen who are expected to interact with returnees from Ebola affected areas will be fitted for the N95 respirators. Crosby is the 86th Aerospace Medicine Squadron public health NCO in charge and Gonzalez is an 86th Bioenvironmental Engineering technician. (U.S. Air Force photo/Staff Sgt. Sara Keller) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/22/2000949163/145/100/0/141017-F-NH180-014.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/22/2000949163/-1/-1/0/141017-F-NH180-014.JPG" width="4928" height="3280"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000949164</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000949164</guid> <pubDate>Wed, 22 Oct 2014 10:00:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Maj. Mayra Zapata gets her temperature taken by Tech. Sgt. Saquadrea Crosby as she deplanes a C-130J Super Hercules Oct. 19, 2014, at Ramstein Air Base, Germany. Any personnel traveling into Ramstein AB from Ebola-affected areas will be medically screened upon their arrival and cleared by public health for onward travel to ensure the health and safety of all passengers, aircrew and members of the Kaiserslautern Military Community. Zapata is assigned to the 633rd Medical Operations Squadron and Crosby is a 86th Aerospace Medicine Squadron public health NCO in charge. (U.S. Air Force photo/Staff Sgt. Sara Keller) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/22/2000949164/145/100/0/141019-F-NH180-069.JPG" width="145" height="99"/> <media:content url="http://media.dma.mil/2014/Oct/22/2000949164/-1/-1/0/141019-F-NH180-069.JPG" width="4107" height="2796"/> </item> <item> <title type="html"> <![CDATA[ Bryan Bouchard, Capt. (Release authority/released) ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000949004</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000949004</guid> <pubDate>Tue, 21 Oct 2014 14:39:00 GMT</pubDate> <media:description type="html"> <![CDATA[ An F-16 Fighting Falcon from the Texas Air National Guard taxis as a Chilean F-16 takes off in the background at Cerro Moreno Air Base near Antofagasta, Chile. Aircraft from various nations participating in Salitre 2014 took part in large force employment exercises during the two-week long exercise which concluded Oct. 18. Salitre is a Chilean-led exercise where the U.S., Chile, Brazil, Argentina and Uruguay, focus on increasing interoperability between allied nations. (Air National Guard photo/Senior Master Sgt. Miguel Arellano) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/21/2000949004/145/100/0/141014-F-IJ251-108.JPG" width="145" height="82"/> <media:content url="http://media.dma.mil/2014/Oct/21/2000949004/-1/-1/0/141014-F-IJ251-108.JPG" width="1766" height="997"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000949003</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000949003</guid> <pubDate>Tue, 21 Oct 2014 14:37:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Lt. Col. Jon Talbot points to the eye of Hurricane Julio during a hurricane flight off the coast of Hawaii Aug. 9, 2014.Talbot is a 53rd Weather Reconnaissance Squadron aerial reconnaissance weather officer. The Hurricane Hunters returned from their second deployment to Hawaii this year. The 53rd WRS deployed to Hawaii Oct. 16-20, 2014, to fly Hurricane Ana. The 53rd WRS and 403rd Wing maintenance personnel deployed to Joint Base Pearl Harbor-Hickam, Hawaii, twice this year to fly storm missions into Hurricanes Iselle, Julio and Ana. The "Hurricane Hunters" fly storm missions in both the Atlantic and Pacific Oceans during the hurricane season, June 1 to Nov. 30 yearly. (U.S. Air Force photo/Master Sgt. Jessica Kendziorek) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/21/2000949003/145/100/0/140809-F-HC123-001.JPG" width="128" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/21/2000949003/-1/-1/0/140809-F-HC123-001.JPG" width="2668" height="2100"/> </item> <item> <title type="html"> <![CDATA[ Polish, US air forces unite for Av-Det rotation ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948994</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948994</guid> <pubDate>Tue, 21 Oct 2014 14:11:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Tech. Sgt. Press Chapin positions the propeller of a C-130 Hercules Oct. 20, 2014, at Powidz Air Base, Poland. The Illinois Air National Guard and Polish airmen have learned and worked together for more than 20 years on a variety of exercises and events, building interoperability through the partnership program. Chapin is a crew chief with the Illinois ANG’s 182nd Airlift Wing. (U.S. Air Force photo/Staff Sgt. Christopher Ruano) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/21/2000948994/145/100/0/141020-F-VS255-088.JPG" width="67" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/21/2000948994/-1/-1/0/141020-F-VS255-088.JPG" width="2867" height="4307"/> </item> <item> <title type="html"> <![CDATA[ Polish, US air forces unite for Av-Det rotation ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948995</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948995</guid> <pubDate>Tue, 21 Oct 2014 14:11:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Two C-130 Hercules wait to taxi on the flightline Oct. 20, 2014, during U.S. Air Force Aviation Detachment rotation 15-1, at Powidz Air Base, Poland. The C-130s are assigned to Illinois Air National Guard’s 182nd Airlift Wing. The 182nd AW brought three aircraft to participate in the rotation hosted by the U.S. Aviation Detachment, 52nd Operations Group, at Łask Air Base, Poland. (U.S. Air Force photo/Airman 1st Class Dylan Nuckolls) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/21/2000948995/145/100/0/141020-F-LX214-221.JPG" width="145" height="87"/> <media:content url="http://media.dma.mil/2014/Oct/21/2000948995/-1/-1/0/141020-F-LX214-221.JPG" width="1500" height="900"/> </item> <item> <title type="html"> <![CDATA[ Polish, US air forces unite for Av-Det rotation ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948993</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948993</guid> <pubDate>Tue, 21 Oct 2014 14:11:00 GMT</pubDate> <media:description type="html"> <![CDATA[ A C-130 Hercules taxi on the flightline Oct. 20, 2014, during U.S. Air Force Aviation Detachment rotation 15-1, at Powidz Air Base, Poland. The C-130s are assigned to Illinois Air National Guard’s 182nd Airlift Wing. The guardsmen’s night mission performed on-station training to test their capability to perform missions in low-light sorties. The U.S. Air Force’s forward presence in Europe allows allies and partners to develop and improve ready air forces capable of maintaining regional security. (U.S. Air Force photo/Staff Sgt. Christopher Ruano) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/21/2000948993/145/100/0/141020-F-VS255-068.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/21/2000948993/-1/-1/0/141020-F-VS255-068.JPG" width="4781" height="3182"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948953</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948953</guid> <pubDate>Tue, 21 Oct 2014 13:18:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Fake bruises are moulaged on Staff Sgt. Elizabeth Velez as part of the Black Eye Campaign Oct. 3, 2014, at Aviano Air Base, Italy. To help promote Domestic Violence Awareness Month, officers, enlisted, civilian employees and spouses roamed the base with fake bruises to see if fellow Airmen and co-workers would step up and ask them if they are OK. Velez is from the 555th Fighter Squadron. (U.S. Air Force photo/Airman 1st Class Deana Heitzman) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/21/2000948953/145/100/0/141003-F-FK724-007.JPG" width="141" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/21/2000948953/-1/-1/0/141003-F-FK724-007.JPG" width="5715" height="4082"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948946</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948946</guid> <pubDate>Tue, 21 Oct 2014 13:06:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Senior Airman Dale Hart loads F-16 Fighting Falcon training munitions onto a trailer during Red Flag-Alaska 15-1 Oct. 15, 2014, at Eielson Air Force Base, Alaska. The Pacific Air Forces field training exercise focused on improving combat readiness of U.S. and international forces flown under simulated air combat conditions to prepare for realistic threats. Hart is a 8th Maintenance Squadron munitions systems crew chief. (U.S. Air Force photo/Senior Airman Taylor Curry) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/21/2000948946/145/100/0/141016-F-NB144-064.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/21/2000948946/-1/-1/0/141016-F-NB144-064.JPG" width="4256" height="2832"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948947</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948947</guid> <pubDate>Tue, 21 Oct 2014 13:06:00 GMT</pubDate> <media:description type="html"> <![CDATA[ South Korea air force pilots prepare to taxi their KF-16 Fighting Falcons to the runway during Red Flag-Alaska 15-1 Oct. 17, 2014, at Eielson Air Force Base, Alaska. This field training exercise marked the first time South Korea air force KF-16s participated in Red Flag-Alaska. (U.S. Air Force photo/Senior Airman Taylor Curry) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/21/2000948947/145/100/0/141018-F-NB144-096.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/21/2000948947/-1/-1/0/141018-F-NB144-096.JPG" width="4256" height="2832"/> </item> <item> <title type="html"> <![CDATA[ Red Flag-Alaska ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948948</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948948</guid> <pubDate>Tue, 21 Oct 2014 13:06:00 GMT</pubDate> <media:description type="html"> <![CDATA[ A South Korea air force KF-16 Fighting Falcon takes off during Red Flag-Alaska 15-1 Oct. 9, 2014, at Eielson Air Force Base, Alaska. This exercise marks the first time South Korea air force KF-16s have participated in Red Flag-Alaska. (U.S. Air Force photo/Senior Airman Taylor Curry) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/21/2000948948/145/100/0/141009-F-NB144-268.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/21/2000948948/-1/-1/0/141009-F-NB144-268.JPG" width="4248" height="2832"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948949</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948949</guid> <pubDate>Tue, 21 Oct 2014 13:06:00 GMT</pubDate> <media:description type="html"> <![CDATA[ An F-16 Fighting Falcon takes off during Red Flag-Alaska 15-1 Oct. 10, 2014, at Eielson Air Force Base, Alaska. The Pacific Air Forces field training exercise focused on improving combat readiness of U.S. and international forces flown under simulated air combat conditions to prepare for realistic threats. The F-16 is from Kunsan Air Base, South Korea. (U.S. Air Force photo/Senior Airman Taylor Curry) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/21/2000948949/145/100/0/141010-F-NB144-141.JPG" width="145" height="82"/> <media:content url="http://media.dma.mil/2014/Oct/21/2000948949/-1/-1/0/141010-F-NB144-141.JPG" width="3540" height="1992"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948944</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948944</guid> <pubDate>Tue, 21 Oct 2014 13:00:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Maj. Gen. Thomas Masiello takes a question from an audience member after discussing Air Force Research Laboratory breakthrough technologies during the 2014 Air Force Association's Air & Space Conference and Technology Exposition, Sept. 16, 2014, in Washington, D.C. Masiello is the commander of Air Force Research Laboratory. (U.S. Air Force photo/Scott M. Ash) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/21/2000948944/145/100/0/141021-F-GT123-001.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/21/2000948944/-1/-1/0/141021-F-GT123-001.JPG" width="4256" height="2832"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948846</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948846</guid> <pubDate>Mon, 20 Oct 2014 13:55:00 GMT</pubDate> <media:description type="html"> <![CDATA[ This image is a photo illustration; Skin tone and hot spots were edited. ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/20/2000948846/145/100/0/141020-F-PB123-104.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/20/2000948846/-1/-1/0/141020-F-PB123-104.JPG" width="2400" height="3000"/> </item> <item> <title type="html"> <![CDATA[ Operation United Assistance ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948835</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948835</guid> <pubDate>Mon, 20 Oct 2014 13:01:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Master Sgt. Michael Skeens coordinates air movement from a mobile airfield operations center Oct. 18, 2014, at Léopold Sédar Senghor International Airport in Dakar, Senegal. Skeens and more than 70 other Airmen from the Kentucky Air National Guard’s 123rd Contingency Response Group are operating a cargo hub in Senegal to funnel humanitarian supplies and military support equipment into West Africa as part of Operation United Assistance, the U.S. Agency for International Development-led, whole-of-government effort to respond to the Ebola outbreak. Skeens is a command post controller for Joint Task Force-Port Opening Senegal. (U.S. Air National Guard photo/Maj. Dale Greer) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/20/2000948835/145/100/0/141018-F-VT419-115.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/20/2000948835/-1/-1/0/141018-F-VT419-115.JPG" width="3000" height="1996"/> </item> <item> <title type="html"> <![CDATA[ Operation United Assistance ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948836</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948836</guid> <pubDate>Mon, 20 Oct 2014 13:01:00 GMT</pubDate> <media:description type="html"> <![CDATA[ A group of 30 U.S. military personnel, including Marines, Airmen, and Soldiers from the 101st Airborne Division (Air Assault), board a C-17 Globemaster III Oct. 19, 2014, at Léopold Sédar Senghor International Airport in Dakar, Senegal. The service members are bound for Monrovia, Liberia, where U.S. troops will construct medical treatment units and train health care workers as part of Operation United Assistance, the U.S. Agency for International Development-led, whole-of-government effort to respond to the Ebola outbreak in West Africa. (U.S. Air National Guard photo/Maj. Dale Greer) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/20/2000948836/145/100/0/141019-F-VT419-207.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/20/2000948836/-1/-1/0/141019-F-VT419-207.JPG" width="3000" height="1996"/> </item> <item> <title type="html"> <![CDATA[ Operation United Assistance ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948832</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948832</guid> <pubDate>Mon, 20 Oct 2014 13:00:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Aerial porters from the Kentucky Air National Guard’s 123rd Contingency Response Group load a pallet of red blood cells and frozen plasma onto a C-130 Hercules Oct. 10, 2014, at Léopold Sédar Senghor International Airport in Dakar, Senegal. The aerial porters are part of Joint Task Force-Port Opening Sengal, an air cargo hub that’s funneling humanitarian supplies and equipment into West Africa in support of Operation United Assistance, the U.S. Agency for International Development-led, whole-of-government effort to respond to the Ebola outbreak there. The C-130 was from Ramstein Air Base, Germany. (U.S. Air National Guard photo/Maj. Dale Greer) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/20/2000948832/145/100/0/141010-F-VT419-030.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/20/2000948832/-1/-1/0/141010-F-VT419-030.JPG" width="3000" height="1996"/> </item> <item> <title type="html"> <![CDATA[ Operation United Assistance ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948833</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948833</guid> <pubDate>Mon, 20 Oct 2014 13:00:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Airmen from the Kentucky Air National Guard’s 123rd Contingency Response Group set up a mobile airfield operations center Oct. 17, 2014, at Léopold Sédar Senghor International Airport in Dakar, Senegal. The operations are in support of Operation United Assistance, the U.S. Agency for International Development-led, whole-of-government effort to respond to the Ebola outbreak in West Africa. The Airmen are operating an intermediate staging base in Dakar to funnel humanitarian aid into affected areas, working in concert with Soldiers from the U.S. Army’s 689th Rapid Port Opening Element to staff a Joint Task Force-Port Opening. (U.S. Air National Guard photo/Maj. Dale Greer) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/20/2000948833/145/100/0/141017-F-VT419-026.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/20/2000948833/-1/-1/0/141017-F-VT419-026.JPG" width="3000" height="1996"/> </item> <item> <title type="html"> <![CDATA[ Operation United Assistance ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948834</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948834</guid> <pubDate>Mon, 20 Oct 2014 13:00:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Airmen from the Kentucky Air National Guard’s 123rd Contingency Response Group offload cargo pallets from a C-17 Globemaster III, Oct. 18, 2014, as part of ramp operations at Léopold Sédar Senghor International Airport in Dakar, Senegal, in support of Operation United Assistance. The Airmen are operating an intermediate staging base in Dakar to funnel humanitarian aid and military support cargo into affected areas, working in concert with Soldiers from the U.S. Army’s 689th Rapid Port Opening Element to staff a Joint Task Force-Port Opening as part of the U.S. Agency for International Development-led, whole-of-government effort to respond to the Ebola outbreak. The C-17 is assigned to Travis Air Force Base, Calif. (U.S. Air National Guard photo/Maj. Dale Greer) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/20/2000948834/145/100/0/141018-F-VT419-076.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/20/2000948834/-1/-1/0/141018-F-VT419-076.JPG" width="3000" height="1996"/> </item> <item> <title type="html"> <![CDATA[ First Joint BOT and AMS Class graduates ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948827</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948827</guid> <pubDate>Mon, 20 Oct 2014 11:43:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force Officer Training School holds its first simultaneous graduation of active-duty, Air Force Reserve and Air National Guard officer trainees Oct. 10, 2014, at Maxwell Air Force Base, Ala. The graduation moved OTS closer to complete total force integration. (U.S. Air Force Photo/Melanie Rodgers-Cox) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/20/2000948827/145/100/0/141010-F-EX201-077.JPG" width="67" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/20/2000948827/-1/-1/0/141010-F-EX201-077.JPG" width="1884" height="2832"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948798</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948798</guid> <pubDate>Mon, 20 Oct 2014 10:15:00 GMT</pubDate> <media:description type="html"> <![CDATA[ BrozenickOct2014 ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/20/2000948798/145/100/0/141020-F-PB123-101.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/20/2000948798/-1/-1/0/141020-F-PB123-101.JPG" width="2832" height="3540"/> </item> <item> <title type="html"> <![CDATA[ ZobristOct2014 ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948790</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948790</guid> <pubDate>Mon, 20 Oct 2014 09:18:00 GMT</pubDate> <media:description type="html"> <![CDATA[ ZobristOct2014 ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/20/2000948790/145/100/0/141020-F-PB123-917.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/20/2000948790/-1/-1/0/141020-F-PB123-917.JPG" width="2400" height="3000"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948688</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948688</guid> <pubDate>Fri, 17 Oct 2014 15:12:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Airman 1st Class Kyle Rogers, left, an Aircrew Flight Equipment specialist assigned to the 355th Operations Support Squadron at Davis-Monthan Air Force Base, Ariz., is sprayed with a chemical agent by Miguel Vigil, an employee of Hazmat Training Consulting LLC, during an Air Combat Command Joint Aircrew Flight Equipment evaluation testing Oct. 14, 2014, at Seymour Johnson Air Force Base, N.C. Representatives from several bases were on hand to test current and future flight equipment for every aircraft in the Air Force inventory, including the newest fighter, the military's F-35 Lightning II. (U.S. Air Force photo/Airman 1st Class Brittain Crolley) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/17/2000948688/145/100/0/141014-F-JH807-006.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/17/2000948688/-1/-1/0/141014-F-JH807-006.JPG" width="2429" height="1617"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948686</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948686</guid> <pubDate>Fri, 17 Oct 2014 15:11:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Airman 1st Class Kyle Rogers goes through decontamination procedures during an Air Combat Command Joint Aircrew Flight Equipment evaluation testing Oct. 14, 2014, at Seymour Johnson Air Force Base, N.C. Representatives from several bases were on hand to test current and future flight equipment for every aircraft in the Air Force inventory. Rogers is an aircrew flight equipment specialist assigned to the 355th Operations Support Squadron at Davis-Monthan Air Force Base, Ariz. (U.S. Air Force photo/Airman 1st Class Brittain Crolley) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/17/2000948686/145/100/0/141014-F-JH807-106.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/17/2000948686/-1/-1/0/141014-F-JH807-106.JPG" width="3988" height="2654"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948687</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948687</guid> <pubDate>Fri, 17 Oct 2014 15:11:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Senior Airman Kailyn Moore, right, performs contamination mitigation measures on Airman 1st Class Kyle Rogers, during an Air Combat Command Joint Aircrew Flight Equipment evaluation testing Oct. 14, 2014, at Seymour Johnson Air Force Base, N.C. Representatives from several bases were on hand to test current and future flight equipment for every aircraft in the Air Force inventory. Moore is an aircrew flight equipment specialist assigned to the 4th Operations Support Squadron and Rogers is an AFE specialist assigned to the 355th Operations Support Squadron at Davis-Monthan Air Force Base, Ariz. (U.S. Air Force photo/Airman 1st Class Brittain Crolley) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/17/2000948687/145/100/0/141014-F-JH807-136.JPG" width="67" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/17/2000948687/-1/-1/0/141014-F-JH807-136.JPG" width="2738" height="4115"/> </item> <item> <title type="html"> <![CDATA[ Iconic “Elephant Cage” laid to rest ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948607</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948607</guid> <pubDate>Fri, 17 Oct 2014 12:02:00 GMT</pubDate> <media:description type="html"> <![CDATA[ An AN/FLR-9, also known as the “Elephant Cage,” is seen Oct. 15, 2014, before its demolition begins at Misawa Air Base, Japan. The demolition process of the 137-foot-tall structure is expected to last until September 2015. (U.S. Air Force photo/Airman Jordyn Rucker) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/17/2000948607/145/100/0/141015-F-KR223-086.JPG" width="145" height="82"/> <media:content url="http://media.dma.mil/2014/Oct/17/2000948607/-1/-1/0/141015-F-KR223-086.JPG" width="3412" height="1914"/> </item> <item> <title type="html"> <![CDATA[ Gen. Robinson take command of PACAF ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948562</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948562</guid> <pubDate>Fri, 17 Oct 2014 08:53:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Gen. Hawk Carlisle, outgoing Pacific Air Forces commander, addresses Airmen during the PACAF change of command ceremony Oct. 16, 2014, at Joint Base Pearl Harbor-Hickam, Hawaii. Carlisle led Airmen stationed across half the globe, serving principally in Japan, Korea, Hawaii, Alaska and Guam. (U.S. Air Force photo/Tech. Sgt. James Stewart) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/17/2000948562/145/100/0/141016-F-JU830-008.JPG" width="140" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/17/2000948562/-1/-1/0/141016-F-JU830-008.JPG" width="1778" height="1270"/> </item> <item> <title type="html"> <![CDATA[ Gen. Robinson take command of PACAF ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948563</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948563</guid> <pubDate>Fri, 17 Oct 2014 08:53:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Gen. Hawk Carlisle, outgoing Pacific Air Forces commander, relinquishes the PACAF flag to Air Force Chief of Staff Gen. Mark A. Welsh III during the PACAF change of command ceremony Oct. 16, 2014, at Joint Base Pearl Harbor-Hickam, Hawaii. Gen. Lori Robinson became the first woman to lead a U.S. Air Force Component Major Command when she succeeded Carlisle during the ceremony. (U.S. Air Force photo/Tech. Sgt. James Stewart) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/17/2000948563/145/100/0/141016-F-JU830-015.JPG" width="126" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/17/2000948563/-1/-1/0/141016-F-JU830-015.JPG" width="2746" height="2195"/> </item> <item> <title type="html"> <![CDATA[ Gen. Robinson take command of PACAF ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948564</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948564</guid> <pubDate>Fri, 17 Oct 2014 08:53:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force Chief of Staff Gen. Mark Welsh III congratulates Gen. Hawk Carlisle, outgoing Pacific Air Forces commander, during the PACAF change of command ceremony Oct. 16, 2014, at Joint Base Pearl Harbor-Hickam, Hawaii. Carlisle led Airmen spread across half the globe, serving principally in Japan, Korea, Hawaii, Alaska and Guam. (U.S. Air Force photo/Tech. Sgt. James Stewart) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/17/2000948564/145/100/0/141016-F-JU830-006.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/17/2000948564/-1/-1/0/141016-F-JU830-006.JPG" width="3029" height="2019"/> </item> <item> <title type="html"> <![CDATA[ Airmen participate in Chile’s Salitre exercise ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948527</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948527</guid> <pubDate>Thu, 16 Oct 2014 16:48:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Members from the 149th Fighter Wing, Texas Air National Guard, along with the other countries participating in the Salitre 2014, visit the children’s ward Oct. 11, 2014, at the Leonardo Guzman Regional Hospital, Antofagasta, Chile, to distribute gifts and bring a few moments of joy to the awaiting hospitalized children. Salitre is a Chilean-led exercise where the U.S., Chile, Brazil, Argentina and Uruguay focus on increasing interoperability between allied nations. (Air National Guard photo/Senior Master Sgt. Elizabeth Gilbert) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948527/145/100/0/141011-F-QV759-978.JPG" width="140" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948527/-1/-1/0/141011-F-QV759-978.JPG" width="1200" height="861"/> </item> <item> <title type="html"> <![CDATA[ B-2 Spirit soars over Royals vs. Orioles game ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948526</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948526</guid> <pubDate>Thu, 16 Oct 2014 16:48:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Airmen hold the American flag during the Royals vs. Orioles baseball game Oct. 15, 2014, at Kaufmann Stadium in Kansas City, Mo. The Airmen are assigned to the 509 and 131st Bomb wings at Whiteman Air Force Base, Mo. A B-2 Spirit stealth bomber made an appearance during the pre-game activities, representing the Air Force to a packed stadium as well as a TV viewership of millions during Game 4 of the American League Championship Series. (U.S. Air Force photo/Staff Sgt. Brigitte N. Brantley) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948526/145/100/0/141015-F-GO396-007.JPG" width="145" height="83"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948526/-1/-1/0/141015-F-GO396-007.JPG" width="4256" height="2408"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948525</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948525</guid> <pubDate>Thu, 16 Oct 2014 16:48:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Crew members of a C-5 Galaxy from Westover Air Reserve Base, Mass., prepare to unload their cargo of donated goods Oct. 11, 2014, at Soto Cano Air Base, Honduras. The cargo transporting aircraft delivered over 6,000-pounds of humanitarian aid and supplies that were donated to Honduran citizens in need through the Denton Program. The Denton Program allows private U.S. citizens and organizations to use space available on U.S. military cargo planes to transport humanitarian goods to approved countries in need. (U.S. Air Force photo/ Tech. Sgt. Heather Redman) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948525/145/100/0/141011-F-ZT243-031.JPG" width="145" height="67"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948525/-1/-1/0/141011-F-ZT243-031.JPG" width="4105" height="1874"/> </item> <item> <title type="html"> <![CDATA[ 736th Security Forces Members perform night operations ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948524</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948524</guid> <pubDate>Thu, 16 Oct 2014 16:48:00 GMT</pubDate> <media:description type="html"> <![CDATA[ A member from the 736th Security Forces Squadron prepares to land during a static line jump Oct. 8, 2014, on Andersen Air Force Base, Guam. The 736th perform jumps to maintain mission standards. (U.S. Air Force photo/Senior Airman Katrina M. Brisbin) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948524/145/100/0/141010-F-EP111-190.JPG" width="72" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948524/-1/-1/0/141010-F-EP111-190.JPG" width="3952" height="5533"/> </item> <item> <title type="html"> <![CDATA[ Red Flag - Alaska 15-1 ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948523</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948523</guid> <pubDate>Thu, 16 Oct 2014 16:48:00 GMT</pubDate> <media:description type="html"> <![CDATA[ A Republic of Korea air force F-16 Fighting Falcon fighter aircraft is prepared for take off Oct. 9, 2014, from Eielson Air Force Base, Alaska, during Red Flag-Alaska 15-1. RF-A is a series of Pacific Air Forces commander-directed field training exercises for U.S. and partner nation forces, providing combined offensive counter-air, interdiction, close air support and large force employment training in a simulated combat environment. (U.S. Air Force photo/Tech. Sgt. Joseph Swafford Jr.) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948523/145/100/0/141009-F-QN515-162.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948523/-1/-1/0/141009-F-QN515-162.JPG" width="6170" height="4118"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948519</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948519</guid> <pubDate>Thu, 16 Oct 2014 16:47:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Capt. Chris Ryan and Capt. Chris Montgomery fly their MV-22 Osprey making contact with a KC-10 Extender's drogue from Travis Air Force Base off the coast of San Francisco at 10,000 feet Oct. 12, 2014. This was the first operational training mission for Travis aircrews to refuel an Osprey. The pilots are assigned to the Marine Medium Tiltrotor Squadron 165, Marine Aircraft Group 16, 3rd Marine Aircraft Wing. (U.S. Air Force photo by Staff Sgt. Christopher Carranza) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948519/145/100/0/141005-F-DJ064-246.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948519/-1/-1/0/141005-F-DJ064-246.JPG" width="4288" height="2848"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948522</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948522</guid> <pubDate>Thu, 16 Oct 2014 16:47:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Pararescuemen walk toward an HH-60G Pave Hawk Oct. 9, 2014, at Avon Park Air Force Range, Fla. The PJs, from the 38th Rescue Squadron, are trained in emergency medical tactics as well as combat and survival skills. (U.S. Air Force Photo/Airman 1st Class Ryan Callaghan) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948522/145/100/0/141009-F-NI493-075.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948522/-1/-1/0/141009-F-NI493-075.JPG" width="2700" height="1802"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948521</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948521</guid> <pubDate>Thu, 16 Oct 2014 16:47:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force firefighters fight a controlled fire Oct. 9, 2014, at Misawa Air Base, Japan. The live fire demonstration, hosted by the 35th Civil Engineer Squadron, allowed friends and family members to be educated and entertained as part of fire prevention week. (U.S. Air Force photo/Senior Airman Jose L. Hernandez-Domitilo) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948521/145/100/0/141009-F-DT489-056.JPG" width="145" height="94"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948521/-1/-1/0/141009-F-DT489-056.JPG" width="3816" height="2460"/> </item> <item> <title type="html"> <![CDATA[ RED FLAG participants take off ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948520</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948520</guid> <pubDate>Thu, 16 Oct 2014 16:47:00 GMT</pubDate> <media:description type="html"> <![CDATA[ An Air Force F-16 Fighting Falcon assigned to the 35th Fighter Squadron, Kunsan Air Base, South Korea, takes off for a sortie Oct. 6, 2014, at Eielson Air Force Base, Alaska, during Red Flag-Alaska 15-1. RF-A is a series of Pacific Air Forces commander-directed field training exercises for U.S. and partner nation forces, providing combined offensive counter-air, interdiction, close air support and large force employment training in a simulated combat environment. (U.S. Air Force photo/Senior Airman Peter Reft) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948520/145/100/0/141006-F-YW474-109.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948520/-1/-1/0/141006-F-YW474-109.JPG" width="4609" height="3073"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948518</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948518</guid> <pubDate>Thu, 16 Oct 2014 16:47:00 GMT</pubDate> <media:description type="html"> <![CDATA[ A Ranger Assessment Course student completes the water survival portion of the course Oct. 2, 2014, at the Municipal Pool in Las Vegas. During this portion of the test, students are required to keep their heads and weapons above the surface of the water. The two-week course develops a student’s ability to lead and command under heavy mental, emotional and physical stress. (U.S. Air Force photo/Airman 1st Class Thomas Spangler) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948518/145/100/0/141002-F-AT963-249.JPG" width="140" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948518/-1/-1/0/141002-F-AT963-249.JPG" width="3320" height="2372"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948514</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948514</guid> <pubDate>Thu, 16 Oct 2014 16:38:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Airman 1st Class Carson Ponder reviews the features of the iPad KC-10 Load Management application Sept. 26, 2014, at Scott Air Force Base, Ill. He was part of a team of more than a dozen programmers that built the award winning app, which earned the "Outstanding Information Technology Achievement in Government" Award in the 27th Annual GCN Awards. Ponder is a 375th Communications Support Squadron programmer. (Courtesy photo) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948514/145/100/0/140926-F-BD468-007.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948514/-1/-1/0/140926-F-BD468-007.JPG" width="4256" height="2832"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948515</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948515</guid> <pubDate>Thu, 16 Oct 2014 16:38:00 GMT</pubDate> <media:description type="html"> <![CDATA[ The 375th Communications Support Squadron Programming team at Scott Air Force Base, Ill., created an iPad app to assist KC-10 Extender loadmasters and boom operators during pre-flight operations. More than a dozen programmers built the award winning app that earned the "Outstanding Information Technology Achievement in Government" Award in the 27th Annual Government Computer News Awards. (Courtesy image) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948515/145/100/0/140926-F-XX000-001.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948515/-1/-1/0/140926-F-XX000-001.JPG" width="2490" height="3150"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948503</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948503</guid> <pubDate>Thu, 16 Oct 2014 15:28:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Retired Lt. Col. Robert Pardo surveys the surrounding area while in the F-15E Strike Eagle simulator at Seymour Johnson Air Force Base, N.C., Oct. 14, 2014. Pardo toured the base during his visit and spoke to the graduating pilots and weapons systems operators of the F-15E Basic Course. (U.S. Air Force photo/Airman 1st Class Ashley J. Thum) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948503/145/100/0/141010-F-FM358-058.JPG" width="145" height="98"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948503/-1/-1/0/141010-F-FM358-058.JPG" width="2724" height="1824"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948501</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948501</guid> <pubDate>Thu, 16 Oct 2014 15:25:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force Combat Ammunition Center students assemble a fuse mechanism on ammunition during the Iron Flag exercise Aug. 22, 2014, at Beale Air Force Base, Calif. Iron Flag tests the students' abilities to assemble their work pad, follow their created plan of execution, meet order numbers, time and quality, and repack the work pad. (U.S. Air Force photo/Airman 1st Class Ramon A. Adelan) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948501/145/100/0/140822-F-HK496-187.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948501/-1/-1/0/140822-F-HK496-187.JPG" width="4256" height="2832"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948502</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948502</guid> <pubDate>Thu, 16 Oct 2014 15:25:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force Combat Ammunition Center students load a trailer with ammunition during the Iron Flag exercise Aug. 22, 2014, at Beale Air Force Base, Calif. Iron Flag tests students' abilities to assemble their work pad, follow their created plan of execution, meet order numbers, time and quality, and repack the work pad. (U.S. Air Force photo/Airman 1st Class Ramon A. Adelan) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948502/145/100/0/140826-F-HK496-004.JPG" width="145" height="98"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948502/-1/-1/0/140826-F-HK496-004.JPG" width="3972" height="2680"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948500</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948500</guid> <pubDate>Thu, 16 Oct 2014 15:24:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Tech. Sgt. Craig Taylor evaluates the students on ammunition production during the Iron Flag exercise Aug. 22, 2014, at Beale Air Force Base, Calif. The Air Force Combat Ammunition Center is a school for senior airmen and above as upgrade training to provide the Air Force munitions community with advanced training in mass combat ammunition planning and production techniques. Taylor is an AFCOMAC instructor. (U.S. Air Force photo/Airman 1st Class Ramon A. Adelan) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948500/145/100/0/140822-F-HK496-259.JPG" width="142" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948500/-1/-1/0/140822-F-HK496-259.JPG" width="4016" height="2832"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948494</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948494</guid> <pubDate>Thu, 16 Oct 2014 15:09:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Retired Lt. Col. Robert Pardo in front of a 333rd Fighter Squadron F-15E Strike Eagle during a tour of Seymour Johnson Air Force Base, North Carolina, Oct. 10, 2014. Pardo is known for his “Pardo’s Push” maneuver as a 433rd Tactical Fighter Squadron F-4 Phantom pilot stationed at Ubon Royal Thai AFB, Thailand, when he saved another F-4 aircrew from having to eject in North Vietnam by pushing their plane in the air over the Laotian border and into relative safety. (U.S. Air Force photo/Airman 1st Class Ashley J. Thum) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948494/145/100/0/141010-F-FM358-071.JPG" width="144" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948494/-1/-1/0/141010-F-FM358-071.JPG" width="2454" height="1716"/> </item> <item> <title type="html"> <![CDATA[ RobinsonOct2014 ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948489</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948489</guid> <pubDate>Thu, 16 Oct 2014 14:59:00 GMT</pubDate> <media:description type="html"> <![CDATA[ RobinsonOct2014 ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948489/145/100/0/141016-F-PB123-257.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948489/-1/-1/0/141016-F-PB123-257.JPG" width="2400" height="3000"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948429</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948429</guid> <pubDate>Thu, 16 Oct 2014 08:44:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Master Sgt. John McCoy poses for a photo Oct. 10, 2014, on Minot Air Force Base, N.D. McCoy is a member of the last six Air Force EOD flights to come home and is a three-time bronze star recipient. He currently is the 5th Bomb Wing Explosive Ordinance Disposal flight chief. (U.S. Air Force graphic/Master Sgt. Charlene Spade) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/16/2000948429/145/100/0/141010-F-XX999-001.JPG" width="67" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/16/2000948429/-1/-1/0/141010-F-XX999-001.JPG" width="2556" height="3872"/> </item> <item> <title type="html"> <![CDATA[ Senior Master Sgt. Elizabeth Gilbert ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948341</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948341</guid> <pubDate>Wed, 15 Oct 2014 16:31:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Members from the 149th Fighter Wing of the Texas Air National Guard, along with the other countries participating in Salitre 2014, visit the children’s ward at the Leonardo Guzman Regional Hospital,Oct. 11, 2014, in Antofagasta, Chile, to distribute gifts and bring a few moments of joy to the hospitalized children. Salitre is a Chilean-led exercise where the U.S., Chile, Brazil, Argentina and Uruguay, focus on increasing interoperability between allied nations. (Air National Guard photo/Senior Master Sgt. Elizabeth Gilbert) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/15/2000948341/145/100/0/141011-F-QV759-178.JPG" width="140" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/15/2000948341/-1/-1/0/141011-F-QV759-178.JPG" width="1200" height="861"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948315</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948315</guid> <pubDate>Wed, 15 Oct 2014 14:16:00 GMT</pubDate> <media:description type="html"> <![CDATA[ BurneOct2014 ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/15/2000948315/145/100/0/141015-F-PB123-214.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/15/2000948315/-1/-1/0/141015-F-PB123-214.JPG" width="2400" height="3000"/> </item> <item> <title type="html"> <![CDATA[ Bio Portrait ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948309</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948309</guid> <pubDate>Wed, 15 Oct 2014 13:42:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Brig. Gen. David Nahom was photographed in the Pentagon on September 24, 2014. (U.S. Air Force photo/Jim Varhegyi) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/15/2000948309/145/100/0/140924-F-FC975-042.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/15/2000948309/-1/-1/0/140924-F-FC975-042.JPG" width="2400" height="3000"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948308</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948308</guid> <pubDate>Wed, 15 Oct 2014 13:42:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Maj. Gen. Scott Vander Hamm, center, and Col. Michael Tichenor, left of center, discuss expectations with the joint planning group Oct. 6, 2014, during the Global Strike Workshop at Barksdale Air Force Base, La. The workshop organizers crafted plans which integrated Air Force Global Strike Command assets into a joint environment, focusing on how to best utilize the total force in the most effective and efficient manner. Hamm is the 8th Air Force commander and Tichenor is the AFGSC inspector general. (U.S. Air Force photo/1st Lt. Christopher Mesnard) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/15/2000948308/145/100/0/141006-F-DT859-006.JPG" width="145" height="79"/> <media:content url="http://media.dma.mil/2014/Oct/15/2000948308/-1/-1/0/141006-F-DT859-006.JPG" width="4256" height="2316"/> </item> <item> <title type="html"> <![CDATA[ Aircrew members traverse SERE combat survival training challenges ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948307</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948307</guid> <pubDate>Wed, 15 Oct 2014 13:33:00 GMT</pubDate> <media:description type="html"> <![CDATA[ An aircrew member maneuvers through a wooded area while escaping capture during a combat survival refresher course Oct. 9, 2014, at Joint Base Pearl Harbor-Hickam, Hawaii. The survival, evasion, resistance and escape combat survival refresher course is designed to familiarize aircrew members with combat skills learned through hands-on training in a realistic environment. SERE is a program that provides training in evading capture, survival skills and the military code of conduct. (U.S. Air Force photo/Staff Sgt. Christopher Hubenthal) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/15/2000948307/145/100/0/141009-F-AD344-244.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/15/2000948307/-1/-1/0/141009-F-AD344-244.JPG" width="6368" height="4250"/> </item> <item> <title type="html"> <![CDATA[ Aircrew members traverse SERE combat survival training challenges ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948305</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948305</guid> <pubDate>Wed, 15 Oct 2014 13:32:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Aircrew members simulate being captured by a mock adversary during a combat survival refresher course Oct. 9, 2014, at Joint Base Pearl Harbor-Hickam, Hawaii. The survival, evasion, resistance and escape combat survival refresher course is designed to familiarize aircrew members with combat skills learned through hands-on training in a realistic environment. SERE is a program that provides training in evading capture, survival skills and the military code of conduct. (U.S. Air Force photo/Staff Sgt. Christopher Hubenthal) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/15/2000948305/145/100/0/141009-F-AD344-191.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/15/2000948305/-1/-1/0/141009-F-AD344-191.JPG" width="7228" height="4824"/> </item> <item> <title type="html"> <![CDATA[ Aircrew members traverse SERE combat survival training challenges ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948306</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948306</guid> <pubDate>Wed, 15 Oct 2014 13:32:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Aircrew members simulate being captured by a mock adversary during a combat survival refresher course Oct. 9, 2014, at Joint Base Pearl Harbor-Hickam, Hawaii. The survival, evasion, resistance and escape combat survival refresher course is designed to familiarize aircrew members with combat skills learned through hands-on training in a realistic environment. SERE is a program that provides training in evading capture, survival skills and the military code of conduct. (U.S. Air Force photo/Staff Sgt. Christopher Hubenthal) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/15/2000948306/145/100/0/141009-F-AD344-211.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/15/2000948306/-1/-1/0/141009-F-AD344-211.JPG" width="6893" height="4600"/> </item> <item> <title type="html"> <![CDATA[ Aircrew members traverse SERE combat survival training challenges ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948304</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948304</guid> <pubDate>Wed, 15 Oct 2014 13:31:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Aircrew members simulate being captured by a mock adversary during a combat survival refresher course Oct. 9, 2014, at Joint Base Pearl Harbor-Hickam, Hawaii. The survival, evasion, resistance and escape combat survival refresher course is designed to familiarize aircrew members with combat skills learned through hands-on training in a realistic environment. SERE is a program that provides training in evading capture, survival skills and the military code of conduct. (U.S. Air Force photo/Staff Sgt. Christopher Hubenthal) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/15/2000948304/145/100/0/141009-F-AD344-178.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/15/2000948304/-1/-1/0/141009-F-AD344-178.JPG" width="6656" height="4442"/> </item> <item> <title type="html"> <![CDATA[ Aircrew members traverse SERE combat survival training challenges ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948303</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948303</guid> <pubDate>Wed, 15 Oct 2014 13:30:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Maj. Rob Gatti applies paint to his face in preparation for a combat survival refresher course Oct. 9, 2014, at Joint Base Pearl Harbor-Hickam, Hawaii. The survival, evasion, resistance and escape combat survival refresher course is designed to familiarize aircrew members with combat skills learned through hands-on training in a realistic environment. Gatti is from the 65th Airlift Squadron. (U.S. Air Force photo/Staff Sgt. Christopher Hubenthal) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/15/2000948303/145/100/0/141009-F-AD344-152.JPG" width="67" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/15/2000948303/-1/-1/0/141009-F-AD344-152.JPG" width="4565" height="6840"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948273</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948273</guid> <pubDate>Wed, 15 Oct 2014 10:35:00 GMT</pubDate> <media:description type="html"> <![CDATA[ A portrait of Kathryn Shudak in the early 1940s when she was employed at the Glenn L. Martin-Nebraska Bomber Plant, Neb., to drive rivets into B-29 Superfortress bombers in support of the war effort. Shudak worked at the plant from 1942 to 1945 as one of many Rosie the Riveters. (U.S. Air Force photo/Josh Plueger) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/15/2000948273/145/100/0/140505-F-XV591-003.JPG" width="67" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/15/2000948273/-1/-1/0/140505-F-XV591-003.JPG" width="2478" height="3717"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948271</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948271</guid> <pubDate>Wed, 15 Oct 2014 10:34:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Kathryn Shudak sits in the Glenn L. Martin Bomber building where she worked during World War II as one of many Rosie the Riveters May 5, 2014, at Offutt Air Force Base, Neb. During the war, Shudak spent three years riveting B-29 Superfortress bombers as they made their way down the assembly line. (U.S. Air Force photo/Josh Plueger) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/15/2000948271/145/100/0/140505-F-XV591-001.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/15/2000948271/-1/-1/0/140505-F-XV591-001.JPG" width="3852" height="2568"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948272</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948272</guid> <pubDate>Wed, 15 Oct 2014 10:34:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Kathryn Shudak gives an interview May 5, 2014, at Offutt Air Force Base, Neb., in the same Glenn L. Martin Bomber building where she worked during World War II as one of many Rosie the Riveters. During the war, Shudak spent three years riveting B-29 Superfortress bombers as they made their way down the assembly line. (U.S. Air Force photo/Josh Plueger) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/15/2000948272/145/100/0/140505-F-XV591-002.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/15/2000948272/-1/-1/0/140505-F-XV591-002.JPG" width="3970" height="2647"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948247</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948247</guid> <pubDate>Wed, 15 Oct 2014 08:36:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Royal Canadian Air Force maintainers prepare to fill a fuel bladder inside a C-130 Globemaster III aircraft for delivery to Canadian Forces Station Alert Sept. 30. The resupply of CFS Alert was part of Operation Boxtop, a bi-annual mission to resupply Canadian outposts to assist them in sustaining the harsh Arctic winters. (U.S. Air Force photo/Tech. Sgt. Jason Brumbaugh) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/15/2000948247/145/100/0/140930-F-ZZ999-006.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/15/2000948247/-1/-1/0/140930-F-ZZ999-006.JPG" width="1024" height="680"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948246</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948246</guid> <pubDate>Wed, 15 Oct 2014 08:34:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Tech. Sgt. Greylynn Carr, air traffic controller with the 821st Support Squadron, assists incoming aircraft while working Radar Approach Control at Thule AB Sept. 30. The aircraft carried cargo to resupply Canadian Forces Station Alert and Eureka Research Station to get them through the harsh winter. (U.S. Air Force photo/Tech. Sgt. Jason Brumbaugh) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/15/2000948246/145/100/0/140930-F-ZZ999-008.JPG" width="123" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/15/2000948246/-1/-1/0/140930-F-ZZ999-008.JPG" width="1280" height="1043"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948243</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948243</guid> <pubDate>Wed, 15 Oct 2014 08:31:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Tech. Sgt. Joseph Sievert, air traffic controller for the 821st Support Squadron, watches for inbound aircraft while working the local control position at Thule AB Sept. 30. The aircraft were carrying cargo to resupply Canadian Forces Station Alert and Eureka Research Station to get them through the harsh winter as a part of Operation Boxtop. (U.S. Air Force photo/Tech. Sgt. Jason Brumbaugh) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/15/2000948243/145/100/0/140930-F-ZZ999-007.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/15/2000948243/-1/-1/0/140930-F-ZZ999-007.JPG" width="5184" height="3456"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948239</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948239</guid> <pubDate>Wed, 15 Oct 2014 08:28:00 GMT</pubDate> <media:description type="html"> <![CDATA[ A Royal Canadian Air Force C-130 Hercules comes in on final approach to Thule during Operation Boxtop Sept. 30. The aircraft carried cargo to resupply Canadian Forces Station Alert and Eureka Research Station during the bi-annual operation mission. (U.S. Air Force photo/Tech. Sgt. Jason Brumbaugh) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/15/2000948239/145/100/0/140930-F-ZZ999-009.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/15/2000948239/-1/-1/0/140930-F-ZZ999-009.JPG" width="5184" height="3456"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948143</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948143</guid> <pubDate>Tue, 14 Oct 2014 11:58:00 GMT</pubDate> <media:description type="html"> <![CDATA[ From left, Chief Master Sgt. of the Air Force James Cody, Chief Master Sgt. Jeffrey Craver and Staff Sgt. John Makripodis gear up before participating in a tactical operation exercise at the 4th Security Forces Squadron shoot house Oct. 9, 2014, at Seymour Johnson Air Force Base, N.C. Carver is 4th Fighter Wing command chief and Makripodis is with the 4th SFS. (U.S. Air Force photo/Airman 1st Class Ashley Thum) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/14/2000948143/145/100/0/141009-F-FM358-131.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/14/2000948143/-1/-1/0/141009-F-FM358-131.JPG" width="2194" height="1457"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000948144</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000948144</guid> <pubDate>Tue, 14 Oct 2014 11:58:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Chief Master Sgt. of the Air Force James Cody addresses the crowd during an all call Oct. 9, 2014, at Seymour Johnson Air Force Base, N.C. Cody paid visits to several units throughout the 4th Fighter Wing as well as the base’s Reserve component, the 916th Air Refueling Wing. During his all calls, Cody discussed force management, professional military education, the enlisted evaluation and promotion system, and the challenges ahead for the Air Force. (U.S. Air Force photo/Airman 1st Class Aaron Jenne) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/14/2000948144/145/100/0/141009-F-OB680-024.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/14/2000948144/-1/-1/0/141009-F-OB680-024.JPG" width="3977" height="2646"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947926</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947926</guid> <pubDate>Fri, 10 Oct 2014 15:39:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force Chief of Staff Gen. Mark A. Welsh III, left, and Lt. Col. William Lee participate in a ceremony, honoring Lee with the 2014 Kolligian Trophy, Oct. 8, in the Pentagon. Lee is assigned to the 96th Flying Training Squadron at Laughlin Air Force Base, Texas. (U.S. Air Force photo/Scott M. Ash) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947926/145/100/0/141008-F-EK235-089.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947926/-1/-1/0/141008-F-EK235-089.JPG" width="2000" height="1331"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947922</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947922</guid> <pubDate>Fri, 10 Oct 2014 15:19:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Graphic of the Nuclear Deterrence Operations Service Medal. (courtesy graphic) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947922/145/100/0/141010-F-XX999-090.PNG" width="49" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947922/-1/-1/0/141010-F-XX999-090.PNG" width="835" height="1734"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947923</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947923</guid> <pubDate>Fri, 10 Oct 2014 15:19:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Graphic of the Nuclear Deterrence Operations Service Medal. (courtesy graphic) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947923/145/100/0/141010-F-XX999-091.PNG" width="76" height="101"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947923/-1/-1/0/141010-F-XX999-091.PNG" width="1137" height="1510"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947919</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947919</guid> <pubDate>Fri, 10 Oct 2014 15:02:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Basic military trainees swing around a bar as part of the basic military training obstacle course Sept. 24, 2014, at Joint Base San Antonio-Lackland, Texas. The obstacle course was approximately 1.5 miles long depending on what 14 obstacles were open. The course was permanently closed the same day and new one was integrated into the Creating Leaders, Airmen, and Warriors program, and became fully operational Sept. 29. (U.S. Air Force photo/Senior Airman Krystal Jeffers) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947919/145/100/0/140924-F-HJ874-349.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947919/-1/-1/0/140924-F-HJ874-349.JPG" width="1800" height="1200"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947918</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947918</guid> <pubDate>Fri, 10 Oct 2014 14:50:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Lt. Col. Vikhyat Bebarta reviews statistics with fellow research technicians Aug. 12, 2014, at the Wilford Hall Ambulatory Surgical Center on Joint Base San Antonio-Lackland, Texas. Bebarta garnered the 2014 Paul W. Myers award and the National Society for Academic Emergency Medicine Basic Science award. Bebarta is the director of the 59th Medical Wing En Route Care Research Center (ECRC) and chief of medical toxicology at the San Antonio Military Medical Center on Joint Base San Antonio-Fort Sam Houston, Texas. (U.S. Air Force photo/Staff Sgt. Kevin Iinuma) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947918/145/100/0/140812-F-AE629-015.JPG" width="140" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947918/-1/-1/0/140812-F-AE629-015.JPG" width="2100" height="1500"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947913</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947913</guid> <pubDate>Fri, 10 Oct 2014 13:08:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Passengers depart a C-17 Globemaster III, Oct. 8th, 2014, after landing at McMurdo Station, Antarctica. More than 60 passengers were onboard the flight which included a helicopter as part of the cargo. (U.S. Air Force photo/Master Sgt. Todd Wivell) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947913/145/100/0/141008-F-PV259-003.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947913/-1/-1/0/141008-F-PV259-003.JPG" width="4928" height="3280"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947914</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947914</guid> <pubDate>Fri, 10 Oct 2014 13:08:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Tech. Sgt. JD Dearborn connects heating ducts to the engine of a Joint Base Lewis-McChord C-17 Globemaster III Oct. 8th, 2014, at McMurdo Station, Antarctica. Five heating units were used to keep the aircraft from freezing up while it was being loaded as temperatures before wind chill were minus 19 degrees. Dearborn is a crew chief with the 304th Expeditionary Airlift Squadron and 62nd Aircraft Maintenance Squadron. (U.S. Air Force photo/Master Sgt. Todd Wivell) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947914/145/100/0/141008-F-PV259-004.JPG" width="67" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947914/-1/-1/0/141008-F-PV259-004.JPG" width="3280" height="4928"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947915</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947915</guid> <pubDate>Fri, 10 Oct 2014 13:08:00 GMT</pubDate> <media:description type="html"> <![CDATA[ A Caterpillar D-8 bulldozer is being loaded onto a Joint Base Lewis-McChord C-17 Globemaster III Oct. 8th, 2014, at McMurdo Station, Antarctica. U.S. Antarctic Program operations started Sept. 29, and will continue through early spring of 2015, however due to the changes in weather during the last few seasons, the rotations of the McChord crew and aircraft at Christchurch, New Zealand will end in November 2014.. (U.S. Air Force photo/Master Sgt. Todd Wivell) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947915/145/100/0/141008-F-PV259-007.JPG" width="67" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947915/-1/-1/0/141008-F-PV259-007.JPG" width="3280" height="4928"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947912</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947912</guid> <pubDate>Fri, 10 Oct 2014 13:07:00 GMT</pubDate> <media:description type="html"> <![CDATA[ An Eurocopter AS350 B2 single engine helicopter without its blades attached, along with pallets of cargo, are staged behind a Joint Base Lewis-McChord C-17 Globemaster III prior to being loaded Oct. 8th, 2014, at Christchurch, New Zealand. The helicopter was transported along with the cargo and 62 passengers to McMurdo Station in support of Operation Deep Freeze. (U.S. Air Force photo/Master Sgt. Todd Wivell) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947912/145/100/0/141008-F-PV259-001.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947912/-1/-1/0/141008-F-PV259-001.JPG" width="4928" height="3280"/> </item> <item> <title type="html"> <![CDATA[ Bio Portrait ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947897</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947897</guid> <pubDate>Fri, 10 Oct 2014 11:46:00 GMT</pubDate> <media:description type="html"> <![CDATA[ MalackowskiOct2014 ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947897/145/100/0/140926-F-FC975-088.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947897/-1/-1/0/140926-F-FC975-088.JPG" width="2400" height="3000"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947887</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947887</guid> <pubDate>Fri, 10 Oct 2014 10:30:00 GMT</pubDate> <media:description type="html"> <![CDATA[ A bronze bust of former Air Force Chief of Staff Gen. Ronald R. Fogleman was unveiled Oct. 9, 2014, at Mobility Memorial Park on Scott Air Force Base, Ill. Fogleman was the Air Force chief of staff from 1994 to 1997. Before that he served as the dual-hatted commander for both U.S. Transportation Command and Air Mobility Command. (U.S. Air Force photo/Staff Sgt. Stephenie Wade) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947887/145/100/0/140930-F-IW762-002.JPG" width="126" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947887/-1/-1/0/140930-F-IW762-002.JPG" width="2561" height="2041"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947889</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947889</guid> <pubDate>Fri, 10 Oct 2014 10:30:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Former Air Force Chief of Staff Gen. Ronald R. Fogleman was honored during an unveiling of a bronze bust that memorialized him and his contributions to the air mobility community Oct. 9, 2014, at Scott Air Force Base, Ill. The event also formally recognized him as the 23rd inductee into the Airlift/Tanker Association's Hall of Fame. Fogleman once served as the dual-hatted commander for both U.S. Transportation Command and Air Mobility Command. (U.S. Air Force photo/Senior Airman Tristin English) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947889/145/100/0/141009-F-OH119-082.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947889/-1/-1/0/141009-F-OH119-082.JPG" width="4256" height="2832"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947888</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947888</guid> <pubDate>Fri, 10 Oct 2014 10:30:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Retired Gen. Arthur Lichte, left, assists former Air Force Chief of Staff Gen. Ronald R. Fogleman and his wife, Miss Jane, as they unveil Fogleman's bust during a ceremony at the Airlift/Tanker Association's Walk of Fame Oct. 9, 2014, at Scott Air Force Base, Ill. Fogleman once served as the dual-hatted commander for both U.S. Transportation Command and Air Mobility Command, and was the Air Force chief of staff before retiring after a 34-year career in 1997. Litchte was also a former AMC commander, Air Force vice chief of staff and former president of the A/TA. (U.S. Air Force photo/Senior Airman Tristin English) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947888/145/100/0/141009-F-OH119-034.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947888/-1/-1/0/141009-F-OH119-034.JPG" width="4256" height="2832"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947863</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947863</guid> <pubDate>Fri, 10 Oct 2014 08:50:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Members of the 334th Training Squadron combat controllers and the 335th Training Squadron special operations weather team prepare to enter the triangle pool as they participate in a memorial physical training session Sept. 26, 2014, at Keesler Air Force Base, Miss. The session included a ruck march along the Ocean Springs Beach and over the Biloxi-Ocean Springs Bridge. The PT event was in memory of combat controllers Senior Airman Mark Forester, who was killed in action Sept. 29, 2010, and Senior Airman Daniel Sanchez, who was KIA Sept. 16, 2010. (U.S. Air Force photo/Kemberly Groue) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947863/145/100/0/140926-F-BD983-150.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947863/-1/-1/0/140926-F-BD983-150.JPG" width="4256" height="2832"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947864</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947864</guid> <pubDate>Fri, 10 Oct 2014 08:50:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Senior Airman Clayton Angeloff opens a window on the structural burn tower Sept. 26, 2014, at Shaw Air Force Base, S.C. Angeloff opened the window for proper ventilation and visibility during a live-fire training exercise that consisted of several no-notice scenarios needing to be extinguished. Angeloff is a firefighter with the 20th Civil Engineer Squadron. (U.S. Air Force photo/Airman 1st Class Jensen Stidham) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947864/145/100/0/140926-F-SX095-013.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947864/-1/-1/0/140926-F-SX095-013.JPG" width="4928" height="3280"/> </item> <item> <title type="html"> <![CDATA[ Wings over the Pacific ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947865</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947865</guid> <pubDate>Fri, 10 Oct 2014 08:50:00 GMT</pubDate> <media:description type="html"> <![CDATA[ An F-22 Raptor demonstrates its maneuverability during the Wings Over the Pacific air show Sept. 28, 2014, at Joint Base Pearl Harbor-Hickam, Hawaii. The Raptor’s sophisticated aero design, advanced flight controls, thrust vectoring, and high thrust-to-weight ratio provide the capability to outmaneuver all current and projected aircraft. (U.S. Air Force photo/Capt. Raymond Geoffroy) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947865/145/100/0/140929-F-SI013-019.JPG" width="126" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947865/-1/-1/0/140929-F-SI013-019.JPG" width="1984" height="1587"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947866</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947866</guid> <pubDate>Fri, 10 Oct 2014 08:50:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Service members salute the American flag during a retreat ceremony Oct. 2, 2014, at Little Rock Air Force Base, Ark. The four military members represented each branch of the U.S. military and assembled to show solidarity. (U.S. Air Force photo/Airman 1st Class Harry Brexel) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947866/145/100/0/141002-F-GE514-001.JPG" width="145" height="83"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947866/-1/-1/0/141002-F-GE514-001.JPG" width="3382" height="1922"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947868</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947868</guid> <pubDate>Fri, 10 Oct 2014 08:50:00 GMT</pubDate> <media:description type="html"> <![CDATA[ A 182nd Airlift Wing C-130 Hercules rests on the flightline at sunrise Oct. 8, 2014, in Peoria, Ill. The Illinois Air National Guard unit has been flying C-130s since 1995. (U.S. Air National Guard photo/Staff Sgt. Lealan Buehrer) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947868/145/100/0/141008-F-EU280-011.JPG" width="145" height="56"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947868/-1/-1/0/141008-F-EU280-011.JPG" width="3000" height="1147"/> </item> <item> <title type="html"> <![CDATA[ 436th Security Forces, Military Working Dog section ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947858</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947858</guid> <pubDate>Fri, 10 Oct 2014 08:49:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Military working dog Johny crouches down while running through a swinging pipe Sept. 15, 2014, at the 436th Security Forces Squadron's obedience course on Dover Air Force Base, Del. Johny is looking down as he approaches the end of the pipe and prepares to exit. (U.S. Air Force photo/Greg L. Davis) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947858/145/100/0/140915-F-VV898-058.JPG" width="67" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947858/-1/-1/0/140915-F-VV898-058.JPG" width="1878" height="2817"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947859</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947859</guid> <pubDate>Fri, 10 Oct 2014 08:49:00 GMT</pubDate> <media:description type="html"> <![CDATA[ A C-130 Hercules flies over Saylor Creek Bombing Range spraying herbicide to control the cheat grass in the area Sept. 17, 2014, at Mountain Home Air Force Base, Idaho. Cheat grass has become a hazard in the area by destroying the native vegetation and increasing the likelihood of fires spreading rapidly. The 910th Airlift Wing, based at Youngstown Air Reserve Station, Ohio, is home to the Defense Department’s only large-area, fixed-wing aerial spray capability. (U.S. Air Force photo/Senior Airman Rachel Kocin) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947859/145/100/0/140917-F-ZW928-001.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947859/-1/-1/0/140917-F-ZW928-001.JPG" width="1800" height="1200"/> </item> <item> <title type="html"> <![CDATA[ Airstrikes in Syria ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947860</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947860</guid> <pubDate>Fri, 10 Oct 2014 08:49:00 GMT</pubDate> <media:description type="html"> <![CDATA[ An F-15E Strike Eagle receives fuel from a KC-135 Stratotanker Sept. 23, 2014, over northern Iraq after conducting airstrikes in Syria. These aircraft were part of a large coalition strike package that was the first to strike Islamic State of Iraq and the Levant targets in Syria. (U.S. Air Force photo/Senior Airman Matthew Bruch) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947860/145/100/0/140923-F-UL677-159.JPG" width="145" height="95"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947860/-1/-1/0/140923-F-UL677-159.JPG" width="4600" height="3008"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947861</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947861</guid> <pubDate>Fri, 10 Oct 2014 08:49:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Capt. Kyle Yates provides cover during the tactics event of the Global Strike Challenge competition Sept. 24, 2014, on Camp Guernsey, Wyo. The security forces portion of the challenge was split into three different events; tactics, weapons firing, and the mental and physical challenge. Yates was the 91st Security Forces Group Global Strike Challenge team leader. (U.S. Air Force photo/Senior Airman Brittany Y. Bateman) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947861/145/100/0/140924-F-RB551-030.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947861/-1/-1/0/140924-F-RB551-030.JPG" width="4256" height="2832"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947862</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947862</guid> <pubDate>Fri, 10 Oct 2014 08:49:00 GMT</pubDate> <media:description type="html"> <![CDATA[ An F-16 Fighting Falcon takes off Sept. 25, 2014, during Distant Frontier at Eielson Air Force Base, Alaska. The F-16 is assigned to the 18th Aggressor Squadron. Aggressor pilots are trained to act as opposing forces in Red Flag-Alaska, to prepare U.S. and allied forces for real-world aerial combat. (U.S. Air Force photo/Staff Sgt. Jim Araos) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/10/2000947862/145/100/0/140925-F-UP786-179.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/10/2000947862/-1/-1/0/140925-F-UP786-179.JPG" width="3396" height="2260"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947745</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947745</guid> <pubDate>Thu, 09 Oct 2014 15:30:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Roberto I. Guerrero speaks to attendees during the Air Force Association breakfast series Oct. 8, 2014, in Rosslyn, Virginia. Guerrero is a member of the Senior Executive Service, Deputy Assistant Secretary of the Air Force for Energy. Guerrero is responsible for providing oversight and direction for all matters pertaining to the formulation, review, and execution of plans, policies, programs, and budgets for the effective and efficient use of energy to support the global Air Force mission. (U.S. Air force photo/Staff Sgt. Anthony Nelson Jr.) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/09/2000947745/145/100/0/141008-F-RE693-069.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/09/2000947745/-1/-1/0/141008-F-RE693-069.JPG" width="4256" height="2832"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947746</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947746</guid> <pubDate>Thu, 09 Oct 2014 15:30:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Miranda Ballentine answers questions relating to the Air Force’s environment and energy during the Air Force Association breakfast Sept. 23, 2014, series in Rosslyn, Virginia. Ballentine is the Assistant Secretary of the Air Force for Installations, Environment, and Energy. (U.S. Air force photo/Staff Sgt. Anthony Nelson Jr.) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/09/2000947746/145/100/0/141008-F-RE693-077.JPG" width="111" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/09/2000947746/-1/-1/0/141008-F-RE693-077.JPG" width="2191" height="1991"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947716</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947716</guid> <pubDate>Thu, 09 Oct 2014 14:21:00 GMT</pubDate> <media:description type="html"> <![CDATA[ WilliamsOct2014 ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/09/2000947716/145/100/0/141009-F-PB123-213.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/09/2000947716/-1/-1/0/141009-F-PB123-213.JPG" width="2400" height="3000"/> </item> <item> <title type="html"> <![CDATA[ AFMOA supports U.S. efforts against Ebola virus ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947706</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947706</guid> <pubDate>Thu, 09 Oct 2014 14:05:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Medical supplies from the Air Force Medical Operations Agency are loaded onto a C-17 Globemaster III Sept. 26, 2014, at Joint Base San Antonio-Lackland, Texas. The C-17 is assigned to the 97th Air Mobility Wing, deployed from Altus Air Force Base, Okla., and supported Operation United Assistance. (U.S. Air Force photo/Airman Justine K. Rho) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/09/2000947706/145/100/0/140918-F-ZI687-080.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/09/2000947706/-1/-1/0/140918-F-ZI687-080.JPG" width="2784" height="1848"/> </item> <item> <title type="html"> <![CDATA[ AFMOA supports U.S. efforts against Ebola virus ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947707</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947707</guid> <pubDate>Thu, 09 Oct 2014 14:05:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Medical supplies from the Air Force Medical Operations Agency are loaded onto a C-17 Globemaster III Sept. 26, 2014, at Joint Base San Antonio-Lackland, Texas. The supplies were being sent in support of Operation United Assistance to help treat patients and halt the spread of the Ebola virus. The supplies will support field hospitals and aid workers battling the virus in Monrovia, Liberia. The C-17 is assigned to the 97th Air Mobility Wing. (U.S. Air Force photo/Airman Justine K. Rho ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/09/2000947707/145/100/0/140918-F-ZI687-081.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/09/2000947707/-1/-1/0/140918-F-ZI687-081.JPG" width="2784" height="1848"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947676</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947676</guid> <pubDate>Thu, 09 Oct 2014 12:43:00 GMT</pubDate> <media:description type="html"> <![CDATA[ BrownOct2014 ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/09/2000947676/145/100/0/141009-F-PB123-123.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/09/2000947676/-1/-1/0/141009-F-PB123-123.JPG" width="2400" height="3000"/> </item> <item> <title type="html"> <![CDATA[ Kentucky Air Guard Supports Operation United Assistance ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947619</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947619</guid> <pubDate>Thu, 09 Oct 2014 08:43:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Master Sgt. Paul Edwards establishes satellite communications for the joint operations center Oct. 5, 2014, at Léopold Sédar Senghor International Airport in Dakar, Senegal, in support of Operation United Assistance. More than 80 Airmen from the Kentucky Air National Guard stood up an intermediate staging base at the airport that will funnel humanitarian supplies and equipment into West Africa as part of the international effort to fight Ebola. Edwards is a member of the Kentucky ANG’s 123rd Contingency Response Group. (U.S. Air National Guard photo/Maj. Dale Greer) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/09/2000947619/145/100/0/141005-F-VT419-090.JPG" width="67" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/09/2000947619/-1/-1/0/141005-F-VT419-090.JPG" width="1996" height="3000"/> </item> <item> <title type="html"> <![CDATA[ Kentucky Air Guard Supports Operation United Assistance ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947620</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947620</guid> <pubDate>Thu, 09 Oct 2014 08:43:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Staff Sgt. John May, left, and Senior Airman Alex Vincent carry equipment into the joint operations center Oct. 5, 2014, at Léopold Sédar Senghor International Airport in Dakar, Senegal, in support of Operation United Assistance. More than 80 Airmen from the Kentucky Air National Guard stood up an intermediate staging base at the airport that will funnel humanitarian supplies and equipment into West Africa as part of the international effort to fight Ebola. Both Airmen are members of the Kentucky ANG’s 123rd Contingency Response Group. (U.S. Air National Guard photo/Maj. Dale Greer) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/09/2000947620/145/100/0/141005-F-VT419-122.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/09/2000947620/-1/-1/0/141005-F-VT419-122.JPG" width="3000" height="1996"/> </item> <item> <title type="html"> <![CDATA[ Kentucky Air Guard Supports Operation United Assistance ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947618</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947618</guid> <pubDate>Thu, 09 Oct 2014 08:43:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Senior Airman Courtnay Hester sets up an electric generator to feed the joint operations center Oct. 5, 2014, at Léopold Sédar Senghor International Airport in Dakar, Senegal, in support of Operation United Assistance. Hester and more than 80 other Airmen from the Kentucky Air National Guard stood up an intermediate staging base at the airport that will funnel humanitarian supplies and equipment into West Africa as part of the international effort to fight Ebola. Hester is a power production specialist with the Kentucky ANG’s 123rd Contingency Response Group. (U.S. Air National Guard photo/Maj. Dale Greer) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/09/2000947618/145/100/0/141005-F-VT419-048.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/09/2000947618/-1/-1/0/141005-F-VT419-048.JPG" width="3000" height="1996"/> </item> <item> <title type="html"> <![CDATA[ Kentucky Air Guard Supports Operation United Assistance ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947617</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947617</guid> <pubDate>Thu, 09 Oct 2014 08:42:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Aerial porters from the Kentucky Air National Guard’s 123rd Contingency Response Group off-load the unit’s gear from a Mississippi Air National Guard C-17 Globemaster III Oct. 4, 2014, at Léopold Sédar Senghor International Airport in Dakar, Senegal, in support of Operation United Assistance. More than 70 Kentucky ANG Airmen arrived with the gear to stand up an intermediate staging base at the airport that will funnel humanitarian supplies and equipment into West Africa as part of the international effort to fight Ebola. (U.S. Air National Guard photo/Maj. Dale Greer) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/09/2000947617/145/100/0/141004-F-VT419-024.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/09/2000947617/-1/-1/0/141004-F-VT419-024.JPG" width="3000" height="1996"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947530</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947530</guid> <pubDate>Wed, 08 Oct 2014 15:32:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Staff Sgt. Kermit Maronge helps a young New Zealand child try to lift up an MB2 tie-down chain on the C-17 Globemaster III, Oct. 5, 2014, as part of the U.S. Antarctic Program Day for IceFest 2014 at Christchurch, New Zealand. The chain weighs approximately 33 pounds and throughout the day the loadmasters let the children try and lift it. Maronge is a loadmaster with the 304th Expeditionary Airlift Squadron and 7th Airlift Squadron. (U.S. Air Force photo/Master Sgt. Todd Wivell) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/08/2000947530/145/100/0/141005-F-PV259-006.JPG" width="67" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/08/2000947530/-1/-1/0/141005-F-PV259-006.JPG" width="3280" height="4928"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947531</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947531</guid> <pubDate>Wed, 08 Oct 2014 15:32:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Lt. Col. Rob Schmidt talks with media in front of the C-17 Globemaster III, Oct. 5, 2014, as part of the U.S. Antarctic Program Day for IceFest 2014 at Christchurch, New Zealand. The day is used to educate the community members on the capabilities of the C-17 and allows them the first-hand experience of seeing the aircraft up close and personal. Schmidt is the 304th Expeditionary Airlift Squadron commander and 62nd Airlift Wing operations group deputy commander. (U.S. Air Force photo/Master Sgt. Todd Wivell) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/08/2000947531/145/100/0/141005-F-PV259-008.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/08/2000947531/-1/-1/0/141005-F-PV259-008.JPG" width="4928" height="3280"/> </item> <item> <title type="html"> <![CDATA[ Air Force vs Navy wheelchair basketball -- 2014 Warrior Games ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947445</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947445</guid> <pubDate>Wed, 08 Oct 2014 12:12:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Master Sgt. Christopher Aguilera warms up before a game against Navy in the first wheelchair basketball game of the 2014 Warrior Games Sept. 29, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Air Force team lost 38-19 and will play the U.S. Special Operations Command in the next round. (U.S Air Force photo/Staff Sgt. Devon Suits) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/08/2000947445/145/100/0/140929-F-SS904-978.JPG" width="72" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/08/2000947445/-1/-1/0/140929-F-SS904-978.JPG" width="2676" height="3747"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947444</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947444</guid> <pubDate>Wed, 08 Oct 2014 12:11:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Master Sgt. Christopher Aguilera lights the cauldron signifying the beginning of the Air Force Wounded Warrior Trails April 7, 2014, at Nellis Air Force Base, Nev. Aguilera, who is a survivor of the June 9, 2010 “Pedro 66” helicopter crash in southwest Afghanistan, will participate in in seven events during the trials. (U.S. Air Force photo/Lorenz Crespo) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/08/2000947444/145/100/0/140407-F-NK166-679.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/08/2000947444/-1/-1/0/140407-F-NK166-679.JPG" width="2203" height="1469"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947416</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947416</guid> <pubDate>Wed, 08 Oct 2014 11:16:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Staff Sgt. Alek Albrecht participates in a Network War Bridge Course at the 39th Information Operations Squadron Sept. 19, 2014, Hurlburt Field, Fla. Albrecht is practicing to hack into a simulated network to better understand what techniques real hackers may use when attempting to infiltrate Air Force networks. Air Force Space Command provides trained and ready cyber forces to the warfighter through 24th Air Force. Albrecht is a Air Force Network Operations and Security Center enterprise network technician. (U.S. Air Force photo/Airman 1st Class Krystal Ardrey) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/08/2000947416/145/100/0/140919-F-II211-046.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/08/2000947416/-1/-1/0/140919-F-II211-046.JPG" width="4697" height="3127"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947417</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947417</guid> <pubDate>Wed, 08 Oct 2014 11:16:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Students of the Network War Bridge Course participate in a class exercise conducted by the 39th Information Operations Squadron, Sept. 19, 2014, at Hurlburt Field, Fla. The Network War Bridge Course provides a foundation for new cyber operations students transferring from other career fields. Air Force Space Command provides trained and ready cyber forces to the warfighter through 24th Air Force. (U.S. Air Force photo/Airman 1st Class Krystal Ardrey) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/08/2000947417/145/100/0/140919-F-II211-084.JPG" width="145" height="88"/> <media:content url="http://media.dma.mil/2014/Oct/08/2000947417/-1/-1/0/140919-F-II211-084.JPG" width="4691" height="2818"/> </item> <item> <title type="html"> <![CDATA[ Ramstein launches first C-130J flight to assist Ebola outbreak efforts ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947383</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947383</guid> <pubDate>Wed, 08 Oct 2014 09:08:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Capt. Brian Shea and Capt. Joe Eastman prepare to fly the first mission from the 37th Airlift Squadron into Liberia, to assist with Operation United Assistance Oct. 7, 2014, at Ramstein Air Base, Germany. As the Ebola outbreak becomes a potential global threat, U.S. Africa Command is working in support of the U.S. Agency for International Development, the lead federal agency, as part of a comprehensive U.S. government effort to respond to and contain the outbreak of the Ebola virus in West Africa as quickly as possible. This was the first C-130J Super Hercules flight launched from Ramstein to Monrovia, Liberia in support of OUA. Shea and Eastman are pilots with the 37th AS. (U.S. Air Force photo/Staff Sgt. Sara Keller) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/08/2000947383/145/100/0/141007-F-NH180-405.JPG" width="145" height="71"/> <media:content url="http://media.dma.mil/2014/Oct/08/2000947383/-1/-1/0/141007-F-NH180-405.JPG" width="4800" height="2332"/> </item> <item> <title type="html"> <![CDATA[ Ramstein launches first C-130J flight to assist Ebola outbreak efforts ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947385</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947385</guid> <pubDate>Wed, 08 Oct 2014 09:08:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Cargo is loaded onto the ramp of a C-130-J Super Hercules, Oct. 7, 2014, at Ramstein Air Base, Germany. As the Ebola outbreak becomes a potential global threat, U.S. Africa Command is working in support of the U.S. Agency for International Development, the lead federal agency, as part of a comprehensive U.S. government effort to respond to and contain the outbreak of the Ebola virus in West Africa as quickly as possible. This was the first flight launched from Ramstein AB to Monrovia, Liberia in support of Operation United Assistance. (U.S. Air Force photo/Staff Sgt. Sara Keller) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/08/2000947385/145/100/0/141007-F-NH180-229.JPG" width="145" height="92"/> <media:content url="http://media.dma.mil/2014/Oct/08/2000947385/-1/-1/0/141007-F-NH180-229.JPG" width="4520" height="2848"/> </item> <item> <title type="html"> <![CDATA[ Ramstein launches first C-130J flight to assist Ebola outbreak efforts ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947386</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947386</guid> <pubDate>Wed, 08 Oct 2014 09:08:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Senior Airman Christian McDevitt leads a cargo loader to a C-130-J Super Hercules prior to a mission in support of the Ebola virus epidemic, Oct. 7, 2014, at Ramstein Air Base, Germany. As the Ebola outbreak becomes a potential global threat, U.S. Africa Command is working in support of the U.S. Agency for International Development, the lead federal agency, as part of a comprehensive U.S. government effort to respond to and contain the outbreak of the Ebola virus in West Africa as quickly as possible. This was the first C-130J flight launched from Ramstein AB to Monrovia, Liberia in support of Operation United Assistance. McDevitt is a load master with the 37th Airlift Squadron. (U.S. Air Force photo/Staff Sgt. Sara Keller) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/08/2000947386/145/100/0/141007-F-NH180-208.JPG" width="145" height="92"/> <media:content url="http://media.dma.mil/2014/Oct/08/2000947386/-1/-1/0/141007-F-NH180-208.JPG" width="4280" height="2712"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947277</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947277</guid> <pubDate>Tue, 07 Oct 2014 16:03:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Secretary of the Air Force Deborah Lee James addresses an audience of more than 400 Airmen during an all call, Sept. 24, 2014, at Vandenberg Air Force Base, Calif. Her three-day visit included a launch operations tour at the Western Range Operations Control Center, a mission brief at the 381st Training Group, a tour of the Joint Space Operations Center and a breakfast with Airmen. (U.S. Air Force photo/Tech. Sgt. Tyrona Lawson) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/07/2000947277/145/100/0/140924-F-HX936-004.JPG" width="129" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/07/2000947277/-1/-1/0/140924-F-HX936-004.JPG" width="2468" height="1928"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947278</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947278</guid> <pubDate>Tue, 07 Oct 2014 16:03:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Secretary of the Air Force Deborah Lee James talks with Airmen of the 30th Space Wing during breakfast Sept. 24, 2014, at Vandenberg Air Force Base, Calif. The meeting was a chance for Airmen to speak directly with the secretary about Air Force about topics of their concern. (U.S. Air Force photo/Tech. Sgt. Tyrona Lawson) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/07/2000947278/145/100/0/140924-F-HX936-001.JPG" width="132" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/07/2000947278/-1/-1/0/140924-F-HX936-001.JPG" width="3532" height="2688"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947279</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947279</guid> <pubDate>Tue, 07 Oct 2014 16:03:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Secretary of the Air Force Deborah Lee James addresses an audience of more than 400 Airmen during an all call, Sept. 24, 2014, at Vandenberg Air Force Base, Calif. During the all call, James talked about her three priorities of taking care of people, balancing the readiness of today with tomorrow’s modernization, and making every dollar count. (U.S. Air Force photo/Tech. Sgt. Tyrona Lawson) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/07/2000947279/145/100/0/140924-F-HX936-005.JPG" width="74" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/07/2000947279/-1/-1/0/140924-F-HX936-005.JPG" width="2832" height="3843"/> </item> <item> <title type="html"> <![CDATA[ Bio Portrait ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947261</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947261</guid> <pubDate>Tue, 07 Oct 2014 14:28:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Ms. Miranda Ballentine was photographed in the Pentagon on September 25, 2014. (U.S. Air Force photo/Jim Varhegyi) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/07/2000947261/145/100/0/141007-F-PB123-221.JPG" width="72" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/07/2000947261/-1/-1/0/141007-F-PB123-221.JPG" width="1500" height="2100"/> </item> <item> <title type="html"> <![CDATA[ Orchestrating airpower: Pyramid decisively delivers ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947259</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947259</guid> <pubDate>Tue, 07 Oct 2014 14:11:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Senior Airman Joseph Fletcher and Airman 1st Class Christopher Kelly inspect a TPS-75 radar March 13, 2012, in Southwest Asia. The radar site contributes to the overall picture that the operators see inside an operations center. Fletcher and Kelly are radar maintenance technicians with the 71st Expeditionary Air Control Squadron. (U.S. Air Force photo/Staff Sgt. Nathanael Callon) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/07/2000947259/145/100/0/120313-F-MS171-156.JPG" width="134" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/07/2000947259/-1/-1/0/120313-F-MS171-156.JPG" width="3640" height="2720"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947242</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947242</guid> <pubDate>Tue, 07 Oct 2014 13:44:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Steps to implement the “3+3” operations tour construct for the missile combat crew officers at Malmstrom Air Force Base, Mont. have begun to meet the Nov. 1, 2014, implementation date. It will affect all officers in the nuclear and missile operations (13N) career field. (U.S. Air Force photo/John Turner) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/07/2000947242/145/100/0/140606-F-CX339-118.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/07/2000947242/-1/-1/0/140606-F-CX339-118.JPG" width="2100" height="1397"/> </item> <item> <title type="html"> <![CDATA[ First Sergeant for AF Warriors ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947226</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947226</guid> <pubDate>Tue, 07 Oct 2014 12:44:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Master Sgt. Phelipe Salinas speaks to his athletes during the 2014 Warrior Games at the Garry Berry Stadium Oct. 2, 2014, in Colorado Springs, Colo. Salinas is the first sergeant for the Air Force team and has filled this position for the past two years. The Warrior Games consists of athletes from throughout the Defense Department, who compete in Paralympic-style events. The goal of the games is to help highlight the limitless potential of warriors through competitive sports. (U.S. Air Force photo/Master Sgt. Charles Larkin Sr.) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/07/2000947226/145/100/0/141002-F-LG216-001.JPG" width="145" height="86"/> <media:content url="http://media.dma.mil/2014/Oct/07/2000947226/-1/-1/0/141002-F-LG216-001.JPG" width="680" height="400"/> </item> <item> <title type="html"> <![CDATA[ Brigadier General Jon T. Thomas, USAF ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947214</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947214</guid> <pubDate>Tue, 07 Oct 2014 11:39:00 GMT</pubDate> <media:description type="html"> <![CDATA[ October 1, 2014, Suffolk, Va., Brigadier General Jon T. Thomas, United States Air Force, Deputy Director Future Joint Force Development, J7 Joint Staff ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/07/2000947214/145/100/0/141001-N-YW717-742.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/07/2000947214/-1/-1/0/141001-N-YW717-742.JPG" width="2400" height="3000"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947210</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947210</guid> <pubDate>Tue, 07 Oct 2014 10:41:00 GMT</pubDate> <media:description type="html"> <![CDATA[ ComfortOct20142 ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/07/2000947210/145/100/0/141007-F-PB123-104.JPG" width="81" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/07/2000947210/-1/-1/0/141007-F-PB123-104.JPG" width="1786" height="2232"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947209</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947209</guid> <pubDate>Tue, 07 Oct 2014 10:39:00 GMT</pubDate> <media:description type="html"> <![CDATA[ ComfortOct2014 ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/07/2000947209/145/100/0/141007-F-PB123-101.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/07/2000947209/-1/-1/0/141007-F-PB123-101.JPG" width="404" height="506"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947064</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947064</guid> <pubDate>Mon, 06 Oct 2014 15:41:00 GMT</pubDate> <media:description type="html"> <![CDATA[ FickOct2014 ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/06/2000947064/145/100/0/140926-F-BO631-001.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/06/2000947064/-1/-1/0/140926-F-BO631-001.JPG" width="2400" height="3000"/> </item> <item> <title type="html"> <![CDATA[ BGen Cedric George Bio Photo ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947060</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947060</guid> <pubDate>Mon, 06 Oct 2014 14:32:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Official Air Force Image: BGen Cedric George Bio Photo ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/06/2000947060/145/100/0/141006-F-PB123-228.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/06/2000947060/-1/-1/0/141006-F-PB123-228.JPG" width="2400" height="3000"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947058</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947058</guid> <pubDate>Mon, 06 Oct 2014 14:24:00 GMT</pubDate> <media:description type="html"> <![CDATA[ A 168th Air Refueling Wing KC-135 Stratotanker is pushed backward by a tow truck prior to takeoff Sept. 30, 2014, at Geilenkirchen NATO Air Base, Germany. The aircraft carries 125,000 lbs. of fuel and will offload 30,000 to 35,000 lbs. to receiving Boeing E-3A AWACS. (U.S. Air National Guard photo/Senior Airman Francine St. Laurent) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/06/2000947058/145/100/0/140930-F-MQ741-234.JPG" width="145" height="98"/> <media:content url="http://media.dma.mil/2014/Oct/06/2000947058/-1/-1/0/140930-F-MQ741-234.JPG" width="3872" height="2592"/> </item> <item> <title type="html"> <![CDATA[ Bio Portrait ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947057</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947057</guid> <pubDate>Mon, 06 Oct 2014 14:22:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Brig. Gen. Christopher Weggeman was photographed in the Pentagon on May 8, 2014. ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/06/2000947057/145/100/0/141003-F-FC975-017.JPG" width="72" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/06/2000947057/-1/-1/0/141003-F-FC975-017.JPG" width="1500" height="2100"/> </item> <item> <title type="html"> <![CDATA[ Staff Sgt. Ruta Shibeshi ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947012</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947012</guid> <pubDate>Mon, 06 Oct 2014 12:01:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Staff Sgt. Ruta Shibeshi, deployed to the 380th Air Expeditionary Wing, credits her military service for helping to pave a clear path for her in life. It provided her with the resources that have allowed her to find a sense of security and a diverse community to which to belong. (U.S. Air Force photo/Tech. Sgt. Russ Scalf) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/06/2000947012/145/100/0/140916-F-ML224-991.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/06/2000947012/-1/-1/0/140916-F-ML224-991.JPG" width="3375" height="2246"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000947003</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000947003</guid> <pubDate>Mon, 06 Oct 2014 11:28:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Chairman of the Joint Chiefs of Staff Gen. Martin E. Dempsey presents the Chairman's Cup trophy to the Army team captain Frank Barroquiero Oct. 4, 2014, during the Warrior Games tailgate celebration at the U.S. Air Force Academy's Falcon Stadium in Colorado Springs, Colo. The Chairman's Cup is awarded to the top-performing service branch at the Warrior Games. The Army’s win broke a four-year streak for the Marine Corps. (DOD photo/Army Staff Sgt. Sean K. Harp) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/06/2000947003/145/100/0/141004-D-HU462-170.JPG" width="145" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/06/2000947003/-1/-1/0/141004-D-HU462-170.JPG" width="6673" height="4564"/> </item> <item> <title type="html"> <![CDATA[ Air Force veteran Pinney adjusts his recumbent bike before the 2014 Warrior Trials ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946779</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946779</guid> <pubDate>Fri, 03 Oct 2014 16:32:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Retired Staff Sgt. Ryan Pinney adjusts the hand gears on his recumbent bike before competing in the 2014 U.S. Army Warrior Trials cycling event June 15, 2014, in West Point, N.Y. (Photo /Benny Ontiveros) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946779/145/100/0/140615-A-AE845-018.JPG" width="69" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946779/-1/-1/0/140615-A-AE845-018.JPG" width="2904" height="4212"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946775</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946775</guid> <pubDate>Fri, 03 Oct 2014 16:11:00 GMT</pubDate> <media:description type="html"> <![CDATA[ A Malmstrom Air Force Base missile maintenance team removes the upper section of an intercontinental ballistic missile at a Montana missile site. The section was picked at random for a "glory trip," or a test launch, at Vandenberg AFB, Calif., in August 2014. The launch allows Malmstrom and Vandenberg AFB officials to observe a launch to gather data on the weapon system's performance, accuracy and reliability. (U.S. Air Force photo/Airman John Parie) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946775/145/100/0/030416-F-0000C-010.JPG" width="133" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946775/-1/-1/0/030416-F-0000C-010.JPG" width="650" height="490"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946773</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946773</guid> <pubDate>Fri, 03 Oct 2014 15:55:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Airman 1st Class Ethen Price checks the voltage output from an enclosed high-voltage cable system Sept. 22, 2014, at Joint Base Elmendorf-Richardson, Alaska. To provide a safer work environment, the exposed 4,160 high voltage wiring has been replaced with an enclosed regulator system where the electricians can safely walk inside the vault. Price is an electrical systems journeyman with the 773rd Civil Engineer Squadron. (U.S Air Force photo/Airman 1st Class Tammie Ramsouer) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946773/145/100/0/140922-F-WV722-036.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946773/-1/-1/0/140922-F-WV722-036.JPG" width="1200" height="797"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946774</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946774</guid> <pubDate>Fri, 03 Oct 2014 15:55:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Airman 1st Class Brennen Hankins fixes a semi-thrush threshold light Sept. 22, 2014, at Joint Base Elmendorf-Richardson, Alaska. The electricians monitor and keep the electricity that powers these lights under control to ensure the right amount of voltage is sent to its destination. Hankins is an electrical systems journeyman with the 773rd Civil Engineer Squadron. (U.S Air Force photo/Airman 1st Class Tammie Ramsouer) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946774/145/100/0/140922-F-WV722-084.JPG" width="134" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946774/-1/-1/0/140922-F-WV722-084.JPG" width="1200" height="902"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946768</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946768</guid> <pubDate>Fri, 03 Oct 2014 15:24:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Tech Sgt. Leonard Anderson and his service dog, Azza, after returning home to Alaska in 2012. (U.S. Air Force photo/Airman 1st Class Zachary Perras) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946768/145/100/0/121017-F-OU084-022.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946768/-1/-1/0/121017-F-OU084-022.JPG" width="4256" height="2832"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946765</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946765</guid> <pubDate>Fri, 03 Oct 2014 15:23:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Moe, an Air Force service dog, watches retired Master Sgt. Kyle Burnett as she competes in the 2014 Warrior Games archery competition Oct. 1, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. Thirty-nine athletes contended in the recurve and compound bow categories, all aiming for a spot on the medals podium. (U.S. Air Force photo/Senior Airman Jette Carr) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946765/145/100/0/141002-F-GY869-001.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946765/-1/-1/0/141002-F-GY869-001.JPG" width="4928" height="3280"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946766</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946766</guid> <pubDate>Fri, 03 Oct 2014 15:23:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force service dog Kai waits patiently as his owner, Staff Sgt. August O'Neil, provides an on-camera interview Oct. 2, 2014. A few of the athletes on the Air Force team competing in the 2014 Warrior Games have service dogs to help with mobility, as well as companionship. (U.S. Air Force photo/Staff Sgt. Torri Ingalsbe) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946766/145/100/0/141002-F-IC412-049.JPG" width="145" height="96"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946766/-1/-1/0/141002-F-IC412-049.JPG" width="2828" height="1860"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946767</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946767</guid> <pubDate>Fri, 03 Oct 2014 15:23:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Pintler, an Air Force service dog, waits for retired Tech. Sgt. Keith Sekora to finish competing during the 2014 Warrior Games’ track and field portion of Oct. 2, 2014, in Colorado Springs, Colorado. The service dogs are allowed all-access to every event and area, to maintain constant contact with their athletes. (U.S. Air Force photo/Staff Sgt. Torri Ingalsbe) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946767/145/100/0/141002-F-IC412-070.JPG" width="141" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946767/-1/-1/0/141002-F-IC412-070.JPG" width="3909" height="2792"/> </item> <item> <title type="html"> <![CDATA[ 2014 Wounded Warrior Games ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946695</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946695</guid> <pubDate>Fri, 03 Oct 2014 12:22:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force athlete Corey Carter lines up his shot during the archery portion of the 2014 Warrior Games Oct. 1, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Warrior Games consist of athletes from the Defense Department, who compete in Paralympic-style events for their respective military branch. The goal of the games is to help highlight the limitless potential of warriors through competitive sports. (U.S. Air Force photo/Senior Airman Justyn M. Freeman) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946695/145/100/0/141001-F-RN544-511.JPG" width="141" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946695/-1/-1/0/141001-F-RN544-511.JPG" width="4178" height="2984"/> </item> <item> <title type="html"> <![CDATA[ Warrior Games sled hockey ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946696</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946696</guid> <pubDate>Fri, 03 Oct 2014 12:22:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Senior Airman Nikole Sweeney, center, reacts to scoring a goal during a sled hockey game Oct. 2, 2014, at the World Arena in Colorado Springs, Colo. Several athletes competing in the 2014 Warrior Games played sled hockey with local wounded warriors, like Sweeney, as a demonstration before the Los Angeles Kings and Colorado Avalanche professional hockey game. (DOD News photo/EJ Hersom) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946696/145/100/0/141002-D-DB155-024.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946696/-1/-1/0/141002-D-DB155-024.JPG" width="1800" height="1200"/> </item> <item> <title type="html"> <![CDATA[ Warrior Games sled hockey ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946697</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946697</guid> <pubDate>Fri, 03 Oct 2014 12:22:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Master Sgt. Axel Gaud-Torres reacts to playing a game of sled hockey Oct. 2, 2014, at the World Arena in Colorado Springs, Colo. Several athletes competing in the 2014 Warrior Games, like Torres, played sled hockey with local wounded warriors as a demonstration before the Los Angeles Kings and Colorado Avalanche professional hockey game. (DOD News photo/EJ Hersom) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946697/145/100/0/141002-D-DB155-027.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946697/-1/-1/0/141002-D-DB155-027.JPG" width="1800" height="1200"/> </item> <item> <title type="html"> <![CDATA[ One and done: Air Force plays Army in bronze medal round ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946698</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946698</guid> <pubDate>Fri, 03 Oct 2014 12:22:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Retired Air Force Tech. Sgt. Ketih Sekora tapes up his fingertips prior to the start of the 2014 Warrior Games sitting volleyball bronze medal match between the Air Force and the Army Oct. 1, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Army beat the Air Force in two sets, 25-20, 25-19. (U.S. Air Force photo/Staff Sgt. Devon Suits) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946698/145/100/0/141002-F-SS904-902.JPG" width="67" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946698/-1/-1/0/141002-F-SS904-902.JPG" width="3280" height="4928"/> </item> <item> <title type="html"> <![CDATA[ One and done: Air Force plays Army in bronze medal round ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946699</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946699</guid> <pubDate>Fri, 03 Oct 2014 12:22:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Retired Air Force Staff Sgt. Nicholas Dadgostar serves the ball during the 2014 Warrior Games sitting volleyball bronze medal match between the Air Force and the Army Oct. 1, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Army beat the Air Force in two sets, 25-20, 25-19. (U.S. Air Force photo/Staff Sgt. Devon Suits) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946699/145/100/0/141002-F-SS904-912.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946699/-1/-1/0/141002-F-SS904-912.JPG" width="4928" height="3280"/> </item> <item> <title type="html"> <![CDATA[ 2014 Wounded Warrior Games ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946683</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946683</guid> <pubDate>Fri, 03 Oct 2014 12:21:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force athlete Seth Pena, left, competes in archery during the 2014 Warrior Games Oct. 1, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Warrior Games consist of athletes from the Defense Department, who compete in Paralympic-style events for their respective military branch. The goal of the games is to help highlight the potential of warriors through competitive sports. (U.S. Air Force photo/Tim Chacon) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946683/145/100/0/141001-F-PD696-067.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946683/-1/-1/0/141001-F-PD696-067.JPG" width="3796" height="2531"/> </item> <item> <title type="html"> <![CDATA[ 2014 Wounded Warrior Games ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946686</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946686</guid> <pubDate>Fri, 03 Oct 2014 12:21:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force athlete Daniel Crane retrieves his arrows from his target during the 2014 Warrior Games Oct. 1, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Warrior Games consist of athletes from the Defense Department, who compete in Paralympic-style events for their respective military branch. The goal of the games is to help highlight the potential of warriors through competitive sports. (U.S. Air Force photo/Tim Chacon) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946686/145/100/0/141001-F-PD696-149.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946686/-1/-1/0/141001-F-PD696-149.JPG" width="3375" height="2250"/> </item> <item> <title type="html"> <![CDATA[ 2014 Wounded Warrior Games ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946688</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946688</guid> <pubDate>Fri, 03 Oct 2014 12:21:00 GMT</pubDate> <media:description type="html"> <![CDATA[ The Air Force archery team receives the silver medal during the 2014 Warrior Games Oct. 1, 2014, at the U.S. Olympic Training Center Colorado Springs, Colo. The Warrior Games consist of athletes from the Defense Department, who compete in Paralympic-style events for their respective military branch. (U.S. Air Force photo/Tim Chacon) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946688/145/100/0/141001-F-PD696-343.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946688/-1/-1/0/141001-F-PD696-343.JPG" width="4149" height="2766"/> </item> <item> <title type="html"> <![CDATA[ 2014 Wounded Warrior Games ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946691</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946691</guid> <pubDate>Fri, 03 Oct 2014 12:21:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force athlete Daniel Crane holds his bow to retrieve an arrow during the archery portion of the 2014 Warrior Games Oct. 1, 2014, Warrior Games at the U.S. Olympic Training Center, Colorado Springs, Colo. . The Warrior Games consist of athletes from the Defense Department, who compete in Paralympic-style events for their respective military branch. The goal of the games is to help highlight the limitless potential of warriors through competitive sports. (U.S. Air Force photo/Senior Airman Justyn M. Freeman) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946691/145/100/0/141001-F-RN544-295.JPG" width="140" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946691/-1/-1/0/141001-F-RN544-295.JPG" width="4382" height="3130"/> </item> <item> <title type="html"> <![CDATA[ 2014 Wounded Warrior Games ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946694</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946694</guid> <pubDate>Fri, 03 Oct 2014 12:21:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force athlete Daniel Crane lines up his target during the archery portion of the 2014 Warrior Games Oct. 1, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. . The Warrior Games consist of athletes from the Defense Department, who compete in Paralympic-style events for their respective military branch. The goal of the games is to help highlight the limitless potential of warriors through competitive sports. (U.S. Air Force photo/Senior Airman Justyn M. Freeman) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946694/145/100/0/141001-F-RN544-323.JPG" width="141" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946694/-1/-1/0/141001-F-RN544-323.JPG" width="3688" height="2634"/> </item> <item> <title type="html"> <![CDATA[ Air Force vs Navy wheelchair basketball -- 2014 Warrior Games ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946674</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946674</guid> <pubDate>Fri, 03 Oct 2014 12:20:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Master Sgt. Christopher Aguilera warms up before a game against Navy in the first wheelchair basketball game of the 2014 Warrior Games Sept. 29, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Air Force team lost 38-19 and will play the U.S. Special Operations Command in the next round. (U.S Air Force photo/Staff Sgt. Devon Suits) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946674/145/100/0/140929-F-SS904-977.JPG" width="72" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946674/-1/-1/0/140929-F-SS904-977.JPG" width="2676" height="3747"/> </item> <item> <title type="html"> <![CDATA[ 2014 Wounded Warrior Games ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946677</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946677</guid> <pubDate>Fri, 03 Oct 2014 12:20:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force athlete Ryan Gallo aims his bow during an archery qualification match during the 2014 Warrior Games Oct. 1, 2014, at the U.S. Olympic Training Center, Colorado Springs, Colo. The Warrior Games consist of athletes from the Defense Department, who compete in Paralympic-style events for their respective military branch. The goal of the games is to help highlight the potential of warriors through competitive sports. (U.S. Air Force photo/Airman 1st Class Scott Jackson) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946677/145/100/0/141001-F-HF287-491.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946677/-1/-1/0/141001-F-HF287-491.JPG" width="4039" height="2693"/> </item> <item> <title type="html"> <![CDATA[ 2014 Wounded Warrior Games ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946679</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946679</guid> <pubDate>Fri, 03 Oct 2014 12:20:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force athlete Daniel Crain aims at his target in an archery qualification round during the 2014 Warrior Games Oct. 1, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Warrior Games consist of athletes from the Defense Department, who compete in Paralympic-style events for their respective military branch. The goal of the games is to help highlight the potential of warriors through competitive sports. (U.S. Air Force photo/Airman 1st Class Scott Jackson) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946679/145/100/0/141001-F-HF287-611.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946679/-1/-1/0/141001-F-HF287-611.JPG" width="4303" height="2869"/> </item> <item> <title type="html"> <![CDATA[ Air Force versus Navy wheelchair basketball -- 2014 Warrior Games ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946652</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946652</guid> <pubDate>Fri, 03 Oct 2014 12:19:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Retired Senior Airman Ryan Gallo passes the ball to an Air Force teammate during a wheelchair basketball game against Navy Sept. 29, 2014, during the 2014 Warrior Games at the U.S. Olympic Training Center in Colorado Springs, Colo. The Air Force lost 38-19. (U.S Air Force photo/Staff Sgt. Devon Suits) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946652/145/100/0/140929-F-SS904-982.JPG" width="140" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946652/-1/-1/0/140929-F-SS904-982.JPG" width="4155" height="2968"/> </item> <item> <title type="html"> <![CDATA[ Air Force vs Navy wheelchair basketball -- 2014 Warrior Games ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946655</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946655</guid> <pubDate>Fri, 03 Oct 2014 12:19:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Coach Willie Jackson goes over the next play during an Air Force timeout in their game against Navy Sept. 29, 2014, during the 2014 Warrior Games at the U.S. Olympic Training Center in Colorado Springs, Colo. The Air Force lost 38-19. (U.S Air Force photo/Staff Sgt. Devon Suits) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946655/145/100/0/140929-F-SS904-983.JPG" width="140" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946655/-1/-1/0/140929-F-SS904-983.JPG" width="4128" height="2949"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946657</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946657</guid> <pubDate>Fri, 03 Oct 2014 12:19:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Secretary of the Air Force Deborah Lee James, Chief of Staff of the Air Force Gen. Mark A. Welsh III, and Chief Master Sgt. of the Air Force James A. Cody were in attendance to watch the Air Force take on U.S. Special Operations Command in a game of wheelchair basketball Sept. 30, 2014, during Warrior Games in Colorado Springs, Colo. Air Force won the game 29-12. (U.S. Air Force photo/Senior Airman Tiffany Denault) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946657/145/100/0/140930-F-EX835-901.JPG" width="145" height="83"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946657/-1/-1/0/140930-F-EX835-901.JPG" width="2048" height="1170"/> </item> <item> <title type="html"> <![CDATA[ 2014 Warrior Games swimming ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946661</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946661</guid> <pubDate>Fri, 03 Oct 2014 12:19:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force athletes prepare for the swimming competition Sept. 30, 2014, during the 2014 Warrior Games at the U.S. Olympic Training Center in Colorado Springs, Colo. The Warrior Games consist of athletes from throughout the Defense Department, who compete in Paralympic-style events for their respective military branch. The goal of the games is to help highlight the limitless potential of warriors through competitive sports. (U.S. Air Force photo/Senior Airman Justyn M. Freeman) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946661/145/100/0/140930-F-RN544-042.JPG" width="141" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946661/-1/-1/0/140930-F-RN544-042.JPG" width="4042" height="2887"/> </item> <item> <title type="html"> <![CDATA[ 2014 Warrior Games swimming ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946664</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946664</guid> <pubDate>Fri, 03 Oct 2014 12:19:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force athlete August O'Niell kisses his service dog, Kai, during warmups for the swimming portion of the 2014 Warrior Games Sept. 30, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Warrior Games consist of athletes from the Defense Department, who compete in Paralympic-style events for their respective military branch. (U.S. Air Force photo/Senior Airman Justyn M. Freeman) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946664/145/100/0/140930-F-RN544-418.JPG" width="140" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946664/-1/-1/0/140930-F-RN544-418.JPG" width="3329" height="2378"/> </item> <item> <title type="html"> <![CDATA[ Wounded Warrior Games ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946643</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946643</guid> <pubDate>Fri, 03 Oct 2014 12:18:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Athletes cheer on their Air Force teammates during a 2014 Warrior Games seated volleyball match Sept. 28, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Warrior Games consist of athletes from the Defense Department, who compete in Paralympic-style events for their respective military branch. (U.S. Air Force photo/Tim Chacon) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946643/145/100/0/140928-F-PD696-217.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946643/-1/-1/0/140928-F-PD696-217.JPG" width="4707" height="3138"/> </item> <item> <title type="html"> <![CDATA[ Wounded Warrior Games ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946644</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946644</guid> <pubDate>Fri, 03 Oct 2014 12:18:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Chief Master Sgt. of the Air Force James A. Cody, along with fellow Air Force fans, cheers on Air Force athletes competing in a 2014 Warrior Games seated volleyball match Sept. 28, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Warrior Games consist of athletes from the Defense Department, who compete in Paralympic-style events for their respective military branch. The goal of the games is to help highlight the limitless potential of warriors through competitive sports. (U.S. Air Force photo/Tim Chacon) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946644/145/100/0/140928-F-PD696-341.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946644/-1/-1/0/140928-F-PD696-341.JPG" width="3021" height="2014"/> </item> <item> <title type="html"> <![CDATA[ Wounded Warrior Games Opening Ceremony ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946645</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946645</guid> <pubDate>Fri, 03 Oct 2014 12:18:00 GMT</pubDate> <media:description type="html"> <![CDATA[ The Air Force team blocks a ball during a match of sitting volleyball at the opening day of the Warrior Games Sept. 28, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Warrior Games consist of athletes from the Defense Department, who compete in Paralympic-style events for their respective military branch. (U.S. Air Force photo/Airman 1st Class Taylor Queen) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946645/145/100/0/140928-F-SP601-950.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946645/-1/-1/0/140928-F-SP601-950.JPG" width="3240" height="2160"/> </item> <item> <title type="html"> <![CDATA[ 2014 Warrior Games swimming ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946646</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946646</guid> <pubDate>Fri, 03 Oct 2014 12:18:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force athlete coach Cami Stock, right, hugs Nicholas Dadgostar after he completes a swimming race during the 2014 Warrior Games Sept. 30, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Warrior Games consist of athletes from the Defense Department, who compete in Paralympic-style events for their respective military branch. The goal of the games is to help highlight the limitless potential of warriors through competitive sports. (U.S. Air Force photo/Tim Chacon) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946646/145/100/0/140929-F-PD696-060.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946646/-1/-1/0/140929-F-PD696-060.JPG" width="2888" height="1925"/> </item> <item> <title type="html"> <![CDATA[ Wounded Warrior Games ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946647</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946647</guid> <pubDate>Fri, 03 Oct 2014 12:18:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force athlete Chris Aguillera, right, participates in a cycling race during the 2014 Warrior Games Sept. 29, 2014, at Fort Carson, Colo. The Warrior Games consist of athletes from the Defense Department, who compete in Paralympic-style events for their respective military branch. (U.S. Air Force photo/Tim Chacon) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946647/145/100/0/140929-F-PD696-315.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946647/-1/-1/0/140929-F-PD696-315.JPG" width="2829" height="1886"/> </item> <item> <title type="html"> <![CDATA[ Wounded Warrior Games ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946648</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946648</guid> <pubDate>Fri, 03 Oct 2014 12:18:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force athlete Mitchell Kieffer participates in a cycling race Sept. 29, 2014, during the 2014 Warrior Games at Fort Carson, Colo. The goal of the games is to show that warriors can overcome physical limitations through competitive sports. (U.S. Air Force photo/Tim Chacon) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946648/145/100/0/140929-F-PD696-960.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946648/-1/-1/0/140929-F-PD696-960.JPG" width="1555" height="1037"/> </item> <item> <title type="html"> <![CDATA[ The Warrior Games 2014 ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946649</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946649</guid> <pubDate>Fri, 03 Oct 2014 12:18:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Members of the Air Force wheelchair basketball team go after a rebound Sept. 29, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Warrior Games consist of athletes from the Defense Department, who compete in Paralympic-style events for their respective military branch. (U.S. Air Force photo/Airman 1st Class Taylor Queen) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946649/145/100/0/140929-F-SP601-265.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946649/-1/-1/0/140929-F-SP601-265.JPG" width="4035" height="2690"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946641</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946641</guid> <pubDate>Fri, 03 Oct 2014 12:05:00 GMT</pubDate> <media:description type="html"> <![CDATA[ HornerOct2014 ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946641/145/100/0/141003-F-PB123-121.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946641/-1/-1/0/141003-F-PB123-121.JPG" width="2400" height="3000"/> </item> <item> <title type="html"> <![CDATA[ Warrior Games 2014 Track and Field ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946627</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946627</guid> <pubDate>Fri, 03 Oct 2014 11:42:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Master Sgt. Chris Aguilera throws the discus during the 2014 Warrior Games Sept. 30, 2014, in Colorado Springs, Colo. The Warrior Games allow active and former military members to compete in Paralympic-style events. (DOD News photo/EJ Hersom) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946627/145/100/0/141002-D-DB155-004.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946627/-1/-1/0/141002-D-DB155-004.JPG" width="1800" height="1200"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946632</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946632</guid> <pubDate>Fri, 03 Oct 2014 11:42:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Coach Todd Benson talks to Mitchell Kieffer, 2014 Warrior Games ultimate champion athlete, regarding his form during practice Sept. 26, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. Benson is the head coach for the Air Force Wounded Warrior shooting team. (U.S. Air Force photo/Staff Sgt. Julius Delos Reyes) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946632/145/100/0/140926-F-OT300-905.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946632/-1/-1/0/140926-F-OT300-905.JPG" width="4288" height="2848"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946633</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946633</guid> <pubDate>Fri, 03 Oct 2014 11:42:00 GMT</pubDate> <media:description type="html"> <![CDATA[ The Air Force Wounded Warrior shooting team practices Sept. 26, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo., before the 2014 Warrior Games. The games feature more than 200 wounded, ill, and injured service members and veterans participating in seven sports including archery, cycling, shooting, sitting volleyball, swimming, track and field, and wheelchair basketball. (U.S. Air Force photo/Staff Sgt. Julius Delos Reyes) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946633/145/100/0/140926-F-OT300-909.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946633/-1/-1/0/140926-F-OT300-909.JPG" width="4288" height="2848"/> </item> <item> <title type="html"> <![CDATA[ Warrior Games swimming ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946634</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946634</guid> <pubDate>Fri, 03 Oct 2014 11:42:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force team’s retired Capt. Sarah Evans swims to gold in the 100-meter freestyle swimming event finals during the Warrior Games Sept. 30, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The goal of the games is to help highlight the potential of warriors through competitive sports. (DOD News photo/EJ Hersom) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946634/145/100/0/140930-D-DB155-912.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946634/-1/-1/0/140930-D-DB155-912.JPG" width="2584" height="1723"/> </item> <item> <title type="html"> <![CDATA[ ThomasOct2014 ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946594</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946594</guid> <pubDate>Fri, 03 Oct 2014 10:51:00 GMT</pubDate> <media:description type="html"> <![CDATA[ ThomasOct2014 ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946594/145/100/0/141003-F-PB123-104.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946594/-1/-1/0/141003-F-PB123-104.JPG" width="660" height="825"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946537</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946537</guid> <pubDate>Fri, 03 Oct 2014 08:08:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force Master Sgt. Christopher Aguilera warms up prior to the start of the 2014 Warrior Games sitting volleyball bronze medal match between the Air Force and the Army Oct. 1, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Army beat the Air Force in two sets, 25-20, 25-19. (U.S. Air Force photo/Staff Sgt. Devon Suits) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946537/145/100/0/141002-F-SS904-004.JPG" width="140" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946537/-1/-1/0/141002-F-SS904-004.JPG" width="3602" height="2573"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946538</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946538</guid> <pubDate>Fri, 03 Oct 2014 08:08:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Retired Air Force Staff Sgt. Nicholas Dadgostar warms up prior to the start of the 2014 Warrior Games sitting volleyball bronze medal match between the Air Force and the Army Oct. 1, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Army beat the Air Force in two sets, 25-20, 25-19. (U.S. Air Force photo/Staff Sgt. Devon Suits) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946538/145/100/0/141002-F-SS904-005.JPG" width="67" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946538/-1/-1/0/141002-F-SS904-005.JPG" width="3280" height="4928"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946539</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946539</guid> <pubDate>Fri, 03 Oct 2014 08:08:00 GMT</pubDate> <media:description type="html"> <![CDATA[ The Air Force and Army competed in the sitting volleyball bronze medal match at the 2014 Warrior Games Oct. 1, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Army beat the Air Force in two sets, 25-20, 25-19. (U.S. Air Force photo/Staff Sgt. Devon Suits) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946539/145/100/0/141002-F-SS904-010.JPG" width="140" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946539/-1/-1/0/141002-F-SS904-010.JPG" width="4086" height="2919"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946540</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946540</guid> <pubDate>Fri, 03 Oct 2014 08:08:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Retired Air Force Staff Sgt. Nicholas Dadgostar serves the ball during the 2014 Warrior Games sitting volleyball bronze medal match between the Air Force and the Army Oct. 1, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Army beat the Air Force in two sets, 25-20, 25-19. (U.S. Air Force photo/Staff Sgt. Devon Suits) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946540/145/100/0/141002-F-SS904-012.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946540/-1/-1/0/141002-F-SS904-012.JPG" width="4928" height="3280"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946535</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946535</guid> <pubDate>Fri, 03 Oct 2014 08:07:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Air Force Capt. Mitchell Kieffer tapes up his leg prior to the start of the 2014 Warrior Games sitting volleyball bronze medal match between the Air Force and the Army Oct. 1, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Army beat Air Force in two sets, 25-20, 25-19. (U.S. Air Force photo/Staff Sgt. Devon Suits) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946535/145/100/0/141002-F-SS904-001.JPG" width="67" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946535/-1/-1/0/141002-F-SS904-001.JPG" width="3280" height="4928"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946536</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946536</guid> <pubDate>Fri, 03 Oct 2014 08:07:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Retired Air Force Tech. Sgt. Ketih Sekora tapes up his fingertips prior to the start of the 2014 Warrior Games sitting volleyball bronze medal match between the Air Force and the Army Oct. 1, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. The Army beat the Air Force in two sets, 25-20, 25-19. (U.S. Air Force photo/Staff Sgt. Devon Suits) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/03/2000946536/145/100/0/141002-F-SS904-002.JPG" width="67" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/03/2000946536/-1/-1/0/141002-F-SS904-002.JPG" width="3280" height="4928"/> </item> <item> <title type="html"> <![CDATA[ Dover tailflash flies around the Monster Mile ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946453</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946453</guid> <pubDate>Thu, 02 Oct 2014 16:14:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Casey Mears drives the Germain Racing No. 13 GEICO Chevy SS at the 2014 AAA 400, NASCAR Sprint Cup Series, Sept. 28, 2014, at Dover International Speedway in Dover, Del. Dover Air Force Base tail flashes can be seen on the lower quarter panels and the decklid (the rear trunk). (U.S. Air Force photo/Airman 1st Class Zachary Cacicia) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/02/2000946453/145/100/0/140929-F-BF612-179.JPG" width="145" height="82"/> <media:content url="http://media.dma.mil/2014/Oct/02/2000946453/-1/-1/0/140929-F-BF612-179.JPG" width="4019" height="2260"/> </item> <item> <title type="html"> <![CDATA[ Dover tailflash flies around the Monster Mile ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946452</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946452</guid> <pubDate>Thu, 02 Oct 2014 16:13:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Airman 1st Class Loren Genao applies a Dover Air Force Base tail flash decal to the Germain Racing No. 13 GEICO Chevy SS Sept. 26, 2014, at Dover International Speedway in Dover, Del. This tail flash and two others were placed on the car to thank the Airmen at Dover AFB, Delaware for their service. Genao is an aircraft structural maintainer with the 436th Maintenance Squadron. (U.S. Air Force photo/Airman 1st Class Zachary Cacicia) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/02/2000946452/145/100/0/140926-F-BF612-027.JPG" width="141" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/02/2000946452/-1/-1/0/140926-F-BF612-027.JPG" width="3953" height="2823"/> </item> <item> <title type="html"> <![CDATA[ MGen Jeffrey L. Harrigian Bio Photo ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946436</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946436</guid> <pubDate>Thu, 02 Oct 2014 15:12:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Official Air Force Image: MGen Jeffrey L. Harrigian Bio Photo ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/02/2000946436/145/100/0/141001-F-JJ904-063.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/02/2000946436/-1/-1/0/141001-F-JJ904-063.JPG" width="2400" height="3000"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946432</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946432</guid> <pubDate>Thu, 02 Oct 2014 14:54:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Staff Sgt. Troy Metivier, left, and Senior Airman Taylor Hendricks clean an F-16 Fighting Falcon’s main wheel before inspecting it for any abnormalities Sept. 22, 2014, at Lask Air Base, Poland. The Airmen, of the 31st Maintenance Squadron’s wheel and tire shop, ensure the multimillion dollar F-16s are able to taxi, take off and land safely. Several F-16s from the 510th Fighter Squadron and Airmen from the 31st Fighter Wing at Aviano Air Base, Italy, arrived at the U.S. Air Force Aviation Detachment to participate in bilateral training with Poland. (U.S. Air Force photo/Tech. Sgt. Eric Donner) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/02/2000946432/145/100/0/140922-F-GW519-015.JPG" width="140" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/02/2000946432/-1/-1/0/140922-F-GW519-015.JPG" width="6640" height="4743"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946421</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946421</guid> <pubDate>Thu, 02 Oct 2014 14:43:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Lt. Gen. Robert Otto, Headquarters Air Force deputy chief of staff, intelligence, surveillance and reconnaissance, left, and Maj. Gen. John Shanahan furl the Air Force ISR Agency flag. Shanahan relinquished command of the agency and assumed command of 25th Air Force during the organization's re-designation ceremony Sept. 29, 2014, on Joint Base San Antonio - Lackland's Security Hill. (U.S. Air Force photo/William Belcher) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/02/2000946421/145/100/0/140929-F-XM884-002.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/02/2000946421/-1/-1/0/140929-F-XM884-002.JPG" width="4288" height="2848"/> </item> <item> <title type="html"> <![CDATA[ Bio Portrait ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946415</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946415</guid> <pubDate>Thu, 02 Oct 2014 14:12:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Maj. Gen. VeraLinn Jamieson was photographed in the Pentagon on September 30, 2014. (U.S. Air Force photo/Jim Varhegyi) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/02/2000946415/145/100/0/141002-F-PB123-210.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/02/2000946415/-1/-1/0/141002-F-PB123-210.JPG" width="2400" height="3000"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946413</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946413</guid> <pubDate>Thu, 02 Oct 2014 13:51:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Staff Sgt. Amanda Dick, 15th Medical Support Squadron patient flight, reads an eBook during her chemotherapy treatment at Tripler Army Medical Center in Honolulu, Hawaii, Feb. 26, 2014. Since being diagnosed with breast cancer in October 2013, Dick has finished one of two rounds of chemotherapy, and is expected to be done with treatment in April. (U.S. Air Force photo/Staff Sgt. Alexander Martinez) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/02/2000946413/145/100/0/140509-F-MJ568-001.JPG" width="108" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/02/2000946413/-1/-1/0/140509-F-MJ568-001.JPG" width="3600" height="3345"/> </item> <item> <title type="html"> <![CDATA[ ThompsonOct2014 ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946394</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946394</guid> <pubDate>Thu, 02 Oct 2014 13:35:00 GMT</pubDate> <media:description type="html"> <![CDATA[ ThompsonOct2014 ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/02/2000946394/145/100/0/141002-F-PB123-134.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/02/2000946394/-1/-1/0/141002-F-PB123-134.JPG" width="2400" height="3000"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946386</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946386</guid> <pubDate>Thu, 02 Oct 2014 12:07:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Royal Australian Air Force Flight Sgt. Sean Bedford (left), and Senior Airman Frederick Riggans-Huguley analyze air missile defense systems inside the Combined Air and Space Operations Center-Nellis during Red Flag 14-1 Feb. 5, 2014, at Nellis Air Force Base, Nev. Bedford is a space duty technician with the Australian Space Operations Centre in New Norcia, Australia, and Riggins-Huguley is a space duty technician with the 603rd Air and Space Operations Center at Ramstein Air Base, Germany. Space duty technicians direct air missile ballistic warnings and provide communication to combat search and rescue teams. (U.S. Air Force photo/Senior Airman Brett Clashman) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/02/2000946386/145/100/0/140205-F-CF123-004.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/02/2000946386/-1/-1/0/140205-F-CF123-004.JPG" width="450" height="299"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946385</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946385</guid> <pubDate>Thu, 02 Oct 2014 12:03:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Staff Sgt. Edwin Beltre, 505th Test Squadron intelligence analyst, develops scenarios to use against blue forces as an opposing force team member inside the Combined Air and Space Operations Center-Nellis during Red Flag 14-1, Feb. 5, 2014, at Nellis Air Force Base, Nev. The 505th TS provided the exercise the first use of an Air and Space Operations Center intelligence, surveillance and reconnaissance division to assess current operations and prioritize all ISR assets. (U.S. Air Force photo/Senior Airman Brett Clashman) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/02/2000946385/145/100/0/140205-F-CF123-003.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/02/2000946385/-1/-1/0/140205-F-CF123-003.JPG" width="450" height="299"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946384</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946384</guid> <pubDate>Thu, 02 Oct 2014 12:00:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Army Chief Warrant Officer 2 Michael Lyons, Joint Tactical Communications Office communications operator from Fort Sam Houston, Texas, looks through information on a workstation inside the Combined Air and Space Operations Center-Nellis during Red Flag 14-1, Feb. 5, 2014, at Nellis Air Force Base, Nev. This is the first exercise that truly integrates advanced operational and tactical air, space and cyber training in a live, virtual, constructive environment. (U.S. Air Force photo/Senior Airman Brett Clashman) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/02/2000946384/145/100/0/140205-F-CF123-002.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/02/2000946384/-1/-1/0/140205-F-CF123-002.JPG" width="450" height="299"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946382</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946382</guid> <pubDate>Thu, 02 Oct 2014 11:56:00 GMT</pubDate> <media:description type="html"> <![CDATA[ The Red Flag 14-1 cyber protection team works on defense procedures inside the Combined Air and Space Operations Center-Nellis during the exercise Feb. 5, 2014, at Nellis Air Force Base, Nev. The CPT's primary goal is to find and thwart potential space, cyberspace and missile threats against U.S. and allied forces. (U.S. Air Force photo/Senior Airman Brett Clashman) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/02/2000946382/145/100/0/140205-F-CF123-001.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/02/2000946382/-1/-1/0/140205-F-CF123-001.JPG" width="450" height="299"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946380</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946380</guid> <pubDate>Thu, 02 Oct 2014 11:20:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Staff Sgt. Amanda Dick celebrates her last chemotherapy treatment with her family, May 9, 2014, at Tripler Army Medical Center, Hawaii. According to the American Cancer Society, about one in eight women in the U.S. are diagnosed with breast cancer. (Courtesy photo) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/02/2000946380/145/100/0/140509-F-MJ568-003.JPG" width="128" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/02/2000946380/-1/-1/0/140509-F-MJ568-003.JPG" width="1854" height="1454"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946379</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946379</guid> <pubDate>Thu, 02 Oct 2014 11:19:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Staff Sgt. Amanda Dick enjoys the Pacific Ocean with her dog, Captain Jack Sparrow, four months after her last chemotherapy treatment, Sept. 13, 2014, at Diamond Head Lookout, Hawaii. She is now one of the estimated 2.8 million breast cancer survivors in the U.S. (Courtesy photo) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/02/2000946379/145/100/0/140913-F-MJ568-001.JPG" width="145" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/02/2000946379/-1/-1/0/140913-F-MJ568-001.JPG" width="3192" height="2208"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946378</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946378</guid> <pubDate>Thu, 02 Oct 2014 11:18:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Staff Sgt. Amanda Dick celebrates her last chemotherapy treatment with her family, May 9, 2014, at Tripler Army Medical Center, Hawaii. According to the American Cancer Society, about one in eight women in the U.S. are diagnosed with breast cancer in their lifetime. (Courtesy photo) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/02/2000946378/145/100/0/140509-F-MJ568-002.JPG" width="128" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/02/2000946378/-1/-1/0/140509-F-MJ568-002.JPG" width="1854" height="1454"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946260</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946260</guid> <pubDate>Wed, 01 Oct 2014 16:55:00 GMT</pubDate> <media:description type="html"> <![CDATA[ The Air Force Wounded Warrior shooting team practices Sept. 26, 2014, before the 2014 Warrior Games at the U.S. Olympic Training Center in Colorado Springs, Colo. More than 200 wounded, ill and injured service members and veterans are currently participating in the games. (U.S. Air Force photo/Staff Sgt. Julius Delos Reyes) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/01/2000946260/145/100/0/140926-F-OT300-010.JPG" width="67" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/01/2000946260/-1/-1/0/140926-F-OT300-010.JPG" width="2848" height="4288"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946261</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946261</guid> <pubDate>Wed, 01 Oct 2014 16:55:00 GMT</pubDate> <media:description type="html"> <![CDATA[ The Air Force Wounded Warrior shooting team practices Sept. 26, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo., before the 2014 Warrior Games. The games feature more than 200 wounded, ill, and injured service members and veterans participating in seven sports including archery, cycling, shooting, sitting-volleyball, swimming, track and field and wheelchair basketball. (U.S. Air Force photo/Staff Sgt. Julius Delos Reyes) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/01/2000946261/145/100/0/140926-F-OT300-009.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/01/2000946261/-1/-1/0/140926-F-OT300-009.JPG" width="4288" height="2848"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946258</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946258</guid> <pubDate>Wed, 01 Oct 2014 16:54:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Coach Todd Benson talks to Mitchell Kieffer, Air Force Warrior Games ultimate champion athlete, regarding his form during practice Sept. 26, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo. Benson is the head coach for the Air Force Wounded Warrior shooting team. (U.S. Air Force photo/Staff Sgt. Julius Delos Reyes) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/01/2000946258/145/100/0/140926-F-OT300-005.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/01/2000946258/-1/-1/0/140926-F-OT300-005.JPG" width="4288" height="2848"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946259</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946259</guid> <pubDate>Wed, 01 Oct 2014 16:54:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Coach Todd Benson talks to Jason Ellis, Air Force Warrior Games shooting team athlete, regarding his shooting techniques during practice Sept. 26, 2014, at the U.S. Olympic Training Center in Colorado Springs, Colo., prior to the 2014 Warrior Games. More than 200 wounded, ill and injured service members and veterans are currently participating in the games. (U.S. Air Force photo/Staff Sgt. Julius Delos Reyes) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/01/2000946259/145/100/0/140926-F-OT300-008.JPG" width="145" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/01/2000946259/-1/-1/0/140926-F-OT300-008.JPG" width="4288" height="2848"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946251</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946251</guid> <pubDate>Wed, 01 Oct 2014 15:41:00 GMT</pubDate> <media:description type="html"> <![CDATA[ SchneiderSept2014 ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/01/2000946251/145/100/0/140917-F-SX095-008.JPG" width="80" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/01/2000946251/-1/-1/0/140917-F-SX095-008.JPG" width="2400" height="3000"/> </item> <item> <title type="html"> <![CDATA[ ISIL Response ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946248</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946248</guid> <pubDate>Wed, 01 Oct 2014 15:11:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Maj. Gena Fedoruk, left, and 1st Lt. Marcel Trott take off Sept. 23, 2014, from a base in the Central Command area of responsibility. They flew a mission in support of a large coalition strike package that was the first to strike targets pertinent to the so-called Islamic State of Iraq and the Levant in Syria. President Barack Obama authorized humanitarian aid deliveries to Iraq as well as targeted airstrikes to protect U.S. personnel from extremists known as ISIL. Fedoruk and Trott are KC-135 Stratotanker pilots with the 340th Expeditionary Air Refueling Squadron. (U.S. Air Force photo/Senior Airman Matthew Bruch) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/01/2000946248/145/100/0/140923-F-UL677-238.JPG" width="146" height="97"/> <media:content url="http://media.dma.mil/2014/Oct/01/2000946248/-1/-1/0/140923-F-UL677-238.JPG" width="4314" height="2884"/> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000946247</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000946247</guid> <pubDate>Wed, 01 Oct 2014 14:26:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Secretary of the Air Force Deborah Lee James, Chief of Staff of the Air Force Gen. Mark A. Welsh III, and Chief Master Sgt. of the Air Force James A. Cody were in attendance to watch the Air Force take on U.S. Special Operations Command in a game of wheelchair basketball Sept. 30, 2014, during Warrior Games in Colorado Springs, Colo. Air Force won the game 29-12. (U.S. Air Force photo/Senior Airman Tiffany Denault) ]]> </media:description> <media:thumbnail url="http://media.dma.mil/2014/Oct/01/2000946247/145/100/0/140930-F-EX835-001.JPG" width="145" height="83"/> <media:content url="http://media.dma.mil/2014/Oct/01/2000946247/-1/-1/0/140930-F-EX835-001.JPG" width="2048" height="1170"/> </item> </channel> </rss>
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
<?xml version="1.0" encoding="utf-8"?> <rss version="2.0" xmlns:media="http://search.yahoo.com/mrss/" xmlns:atom="http://www.w3.org/2005/Atom"> <channel> <atom:link href="http://media.dma.mil/mrss/portal/144/detailpage/www.af.mil/News/Photos.aspx" rel="self" type="application/rss+xml"/> <title>Air Force Link Images</title> <link>http://www.af.mil</link> <description>The latest images from Air Force Link.</description> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000949217</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000949217</guid> <pubDate>Wed, 22 Oct 2014 14:24:00 GMT</pubDate> <media:thumbnail url="http://media.dma.mil/2014/Oct/22/2000949217/145/100/0/141022-F-PB123-223.JPG" width="72" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/22/2000949217/-1/-1/0/141022-F-PB123-223.JPG" width="1500" height="2100"/> <media:description>This came from media:description</media:description> <description>This came from description</description> </item> <item> <title type="html"> <![CDATA[ ]]> </title> <link>http://www.af.mil/News/Photos.aspx?igphoto=2000949218</link> <guid>http://www.af.mil/News/Photos.aspx?igphoto=2000949218</guid> <pubDate>Wed, 22 Oct 2014 14:24:00 GMT</pubDate> <media:thumbnail url="http://media.dma.mil/2014/Oct/22/2000949218/145/100/0/141022-F-PB123-223.JPG" width="72" height="100"/> <media:content url="http://media.dma.mil/2014/Oct/22/2000949218/-1/-1/0/141022-F-PB123-223.JPG" width="1500" height="2100"/> <description>But this came from description</description> <media:description>But this came from <!--Here is a comment --> media:description</media:description> </item> </channel> </rss>
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
<?xml version="1.0" encoding="utf-8" ?> <rss version="2.0" xml:base="http://www.nasa.gov/" xmlns:atom="http://www.w3.org/2005/Atom" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:itunes="http://www.itunes.com/dtds/podcast-1.0.dtd" xmlns:media="http://search.yahoo.com/mrss/"> <channel> <title>NASA Images</title> <description>NASA Images</description> <link>http://www.nasa.gov/</link> <atom:link rel="self" href="http://www.nasa.gov/rss/dyn/nasa_image_features.rss" /> <language>en-us</language> <managingEditor>[email protected]</managingEditor> <webMaster>[email protected]</webMaster> <docs>http://blogs.law.harvard.edu/tech/rss</docs> <item> <title>Samantha Cristoforetti&#039;s Birthday Celebration</title> <link>http://www.nasa.gov/archive/archive/content/samantha-cristoforettis-birthday-celebration</link> <description>ISS043E142528 (04/26/2015) ---From the International Space Station NASA astronaut Terry Virts (right) tweeted this image of he and his crewmate Russian cosmonaut Anton Shkaplerov celebrating the birthday of ESA (European Space Agency) astronaut Samantha Cristoforetti (middle). His tweet commented: &quot;Happy Birthday @AstroSamantha! We had a great time celebrating as a crew.&quot;</description> <media:content url="http://www.nasa.gov/sites/default/files/styles/946xvariable_height/public/thumbnails/image/17147956078_0b4b9761d6_k.jpg?itok=eahKKfQm" fileSize="1298669" type="image/jpeg" /> <guid isPermaLink="false">http://www.nasa.gov/archive/archive/content/samantha-cristoforettis-birthday-celebration</guid> <pubDate>Mon, 04 May 2015</pubDate> <source url="http://www.nasa.gov/rss/dyn/nasa_image_features.rss">NASA Images</source> <media:thumbnail url="http://www.nasa.gov/sites/default/files/styles/100x75/public/thumbnails/image/17147956078_0b4b9761d6_k.jpg?itok=BmnIF3ZZ" /> <media:title type="plain">Samantha Cristoforetti&#039;s Birthday Celebration</media:title> <media:description type="plain">ISS043E142528 (04/26/2015) ---From the International Space Station NASA astronaut Terry Virts (right) tweeted this image of he and his crewmate Russian cosmonaut Anton Shkaplerov celebrating the birthday of ESA (European Space Agency) astronaut Samantha Cristoforetti (middle). His tweet commented: &quot;Happy Birthday @AstroSamantha! We had a great time celebrating as a crew.&quot;</media:description> <media:thumbnail url="http://www.nasa.gov/sites/default/files/styles/100x75/public/thumbnails/image/17147956078_0b4b9761d6_k.jpg?itok=BmnIF3ZZ" /> </item> <item> <title>Rising Sun</title> <link>http://www.nasa.gov/archive/archive/content/rising-sun</link> <description>ISS043E155854 (04/27/2015) --- A rising sun spreads across the Earth and through the green blooming aurora to silhouette the blackened outline of the International Space Station on the morning of Apr. 27, 2015.</description> <media:content url="http://www.nasa.gov/sites/default/files/styles/946xvariable_height/public/thumbnails/image/17148171380_baefbe60a3_k.jpg?itok=MPhrHN1m" fileSize="870737" type="image/jpeg" /> <guid isPermaLink="false">http://www.nasa.gov/archive/archive/content/rising-sun</guid> <pubDate>Mon, 04 May 2015</pubDate> <source url="http://www.nasa.gov/rss/dyn/nasa_image_features.rss">NASA Images</source> <media:thumbnail url="http://www.nasa.gov/sites/default/files/styles/100x75/public/thumbnails/image/17148171380_baefbe60a3_k.jpg?itok=5yWimABG" /> <media:title type="plain">Rising Sun</media:title> <media:description type="plain">ISS043E155854 (04/27/2015) --- A rising sun spreads across the Earth and through the green blooming aurora to silhouette the blackened outline of the International Space Station on the morning of Apr. 27, 2015.</media:description> <media:thumbnail url="http://www.nasa.gov/sites/default/files/styles/100x75/public/thumbnails/image/17148171380_baefbe60a3_k.jpg?itok=5yWimABG" /> </item> <item> <title>Name This Location</title> <link>http://www.nasa.gov/archive/archive/content/name-this-location</link> <description>ISS043E142265 (04/26/2015) --- NASA astronaut Scott Kelly on the International Space Station Apr.26, 2015 tweeted this image out of an Earth observation as part of his Space Geo contest &quot;name this location&quot; with this remark and clue: &quot;This frozen body of water is the world&#039;s oldest (25 million years) and deepest basin on Earth. Name it!&quot;</description> <media:content url="http://www.nasa.gov/sites/default/files/styles/946xvariable_height/public/thumbnails/image/17125119417_37e71c2e16_k.jpg?itok=n07PhQ6L" fileSize="1230667" type="image/jpeg" /> <guid isPermaLink="false">http://www.nasa.gov/archive/archive/content/name-this-location</guid> <pubDate>Fri, 01 May 2015</pubDate> <source url="http://www.nasa.gov/rss/dyn/nasa_image_features.rss">NASA Images</source> <media:thumbnail url="http://www.nasa.gov/sites/default/files/styles/100x75/public/thumbnails/image/17125119417_37e71c2e16_k.jpg?itok=Q0J9eYir" /> <media:title type="plain">Name This Location</media:title> <media:description type="plain">ISS043E142265 (04/26/2015) --- NASA astronaut Scott Kelly on the International Space Station Apr.26, 2015 tweeted this image out of an Earth observation as part of his Space Geo contest &quot;name this location&quot; with this remark and clue: &quot;This frozen body of water is the world&#039;s oldest (25 million years) and deepest basin on Earth. Name it!&quot;</media:description> <media:thumbnail url="http://www.nasa.gov/sites/default/files/styles/100x75/public/thumbnails/image/17125119417_37e71c2e16_k.jpg?itok=Q0J9eYir" /> </item> <item> <title>Potable Water</title> <link>http://www.nasa.gov/archive/archive/content/potable-water</link> <description>ISS043E128431 (04/22/2015) --- The International Space Station employs one of the most complex water recycling systems ever designed, reclaiming waste water from astronauts and the environment and turning it into potable water. NASA astronaut Scott Kelly tweeted out this image of part of the innovative device with this remark: &quot; Recycle Good to the last drop! Making pee potable and turning it into coffee on @space station. #NoPlaceLikeHome&quot;</description> <media:content url="http://www.nasa.gov/sites/default/files/styles/946xvariable_height/public/thumbnails/image/17332565075_c3b1093af5_k.jpg?itok=f9iMn1fE" fileSize="819704" type="image/jpeg" /> <guid isPermaLink="false">http://www.nasa.gov/archive/archive/content/potable-water</guid> <pubDate>Fri, 01 May 2015</pubDate> <source url="http://www.nasa.gov/rss/dyn/nasa_image_features.rss">NASA Images</source> <media:thumbnail url="http://www.nasa.gov/sites/default/files/styles/100x75/public/thumbnails/image/17332565075_c3b1093af5_k.jpg?itok=UC3do1pc" /> <media:title type="plain">Potable Water</media:title> <media:description type="plain">ISS043E128431 (04/22/2015) --- The International Space Station employs one of the most complex water recycling systems ever designed, reclaiming waste water from astronauts and the environment and turning it into potable water. NASA astronaut Scott Kelly tweeted out this image of part of the innovative device with this remark: &quot; Recycle Good to the last drop! Making pee potable and turning it into coffee on @space station. #NoPlaceLikeHome&quot;</media:description> <media:thumbnail url="http://www.nasa.gov/sites/default/files/styles/100x75/public/thumbnails/image/17332565075_c3b1093af5_k.jpg?itok=UC3do1pc" /> </item> </channel> </rss>
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
<?xml version="1.0" encoding="UTF-8" ?> <rss version="2.0" xmlns:content="http://purl.org/rss/1.0/modules/content/"> <channel> <title><![CDATA[Joint Base San Antonio - Commentaries]]></title> <link>http://www.jbsa.af.mil</link> <description><![CDATA[Joint Base San Antonio - Commentaries]]></description> <language>en-US</language> <copyright><![CDATA[2014 Joint Base San Antonio]]></copyright> <pubDate>Tue, 30 Sep 2014 17:25:16 GMT</pubDate> <lastBuildDate>Tue, 30 Sep 2014 17:25:16 GMT</lastBuildDate> <generator>Air Force Link RSS Generator</generator> <item> <title><![CDATA[Celebrating National Hispanic Heritage Month]]></title> <link>http://www.jbsa.af.mil/news/story.asp?id=123426145</link> <content:encoded><![CDATA[Sentence one.<br /> <br /> Sentence two.<br /> <br /> <a href="http://www.jbsa.af.mil/news/story.asp?id=123426145">more...</a>]]></content:encoded> <author>[email protected] (Maj. Gen. Jimmie O. Keenan)</author> <guid>http://www.jbsa.af.mil/news/story.asp?id=123426145</guid> <pubDate>Thu, 25 Sep 2014 15:58:24 EST</pubDate> </item> <item> <title><![CDATA[Beyond 360 feed back is 360 accountability]]></title> <link>http://www.jbsa.af.mil/news/story.asp?id=123422070</link> <content:encoded><![CDATA[<div style="float:left;"><a href="http://www.jbsa.af.mil/news/story.asp?id=123422070"><img border="0" style="margin-right:15px" src="http://www.jbsa.af.mil/shared/media/photodb/thumbnails/2014/06/140617-F-XX000-002.jpg"</img></a></div><font size="3"><font face="Times New Roman">In highly accomplished teams and organizations, every member is accountable for their performance - whether hitting a baseball or flying an airplane.<o:p></o:p></font></font><font face="Times New Roman" size="3"> </font> <p class="MsoNormal" style="margin: 0in 0in 0pt;">&#160; <p class="MsoNormal" style="margin: 0in 0in 0pt;"><font size="3"><font face="Times New Roman">That is why in Air Force Operations, whether flying or defending, controlling or building, we debrief the mission, compare our performance to standards, and develop learning points to improve the next mission. In that debrief, everyone is held to equal account according to the standards of their job, whether they are O-5 or E-3, commander or wingman. In the mission debrief, we have 360-degree accountability.<o:p></o:p></font></font> <font face="Times New Roman" size="3"> </font> <p class="MsoNormal" style="margin: 0in 0in 0pt;">&#160; <p class="MsoNormal" style="margin: 0<br/><a href="http://www.jbsa.af.mil/news/story.asp?id=123422070">more...</a>]]></content:encoded> <author>[email protected] (Col. Matt Isler )</author> <guid>http://www.jbsa.af.mil/news/story.asp?id=123422070</guid> <pubDate>Thu, 21 Aug 2014 12:15:00 EST</pubDate> </item> </channel> </rss>
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
<?xml version="1.0" encoding="utf-8"?> <rss version="2.0" xmlns:media="http://search.yahoo.com/mrss/" xmlns:atom="http://www.w3.org/2005/Atom"> <channel> <atom:link href="http://media.dma.mil/mrss/portal/144/detailpage/www.af.mil/News/Photos.aspx" rel="self" type="application/rss+xml"/> <title>Air Force Link Images</title> <link>http://www.af.mil</link> <description>The latest images from Air Force Link.</description> <item> <title type="html"> <![CDATA[ ]]> </title> <link>www.af.mil/News/Photos.aspx?igphoto=2000949217</link> <guid>www.af.mil/News/Photos.aspx?igphoto=2000949217</guid> <pubDate>Wed, 22 Oct 2014 14:24:00 GMT</pubDate> <media:description type="html"> <![CDATA[ Official Photo- of something important (U.S. Air Force Photo) ]]> </media:description> <media:thumbnail url="media.dma.mil/2014/Oct/22/2000949217/145/100/0/141022-F-PB123-223.JPG" width="72" height="100"/> <media:content url="media.dma.mil/2014/Oct/22/2000949217/-1/-1/0/141022-F-PB123-223.JPG" width="1500" height="2100"/> </item> </channel> </rss>
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true # This file should contain all the record creation needed to seed the database with its default values. # The data can then be loaded with the rake db:seed (or created alongside the db with db:setup). # # Examples: # # cities = City.create([{ name: 'Chicago' }, { name: 'Copenhagen' }]) # Mayor.create(name: 'Emanuel', city: cities.first)
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# Ruby CircleCI 2.1 configuration file # # Check https://circleci.com/docs/2.0/language-ruby/ for more details version: 2.1 orbs: ruby: circleci/[email protected] jobs: build_and_test: parameters: ruby_version: type: string elasticsearch_version: type: string docker: - image: cimg/ruby:<< parameters.ruby_version >> - image: redis:6.2 - image: docker.elastic.co/elasticsearch/elasticsearch:<< parameters.elasticsearch_version >> environment: - xpack.security.enabled: false - discovery.type: single-node working_directory: ~/app steps: - checkout - run: name: Copy config files for Flickr command: | cp -p config/flickr.yml.example config/flickr.yml # Install gems with Bundler - ruby/install-deps: # Need to clear the gem cache? Set or bump the CACHE_VERSION in your # CircleCi project: Project Settings > Environment Variables key: gems-ruby-<< parameters.ruby_version >>-v{{ .Environment.CACHE_VERSION }} - run: name: Prepare Code Climate Test Reporter command: | curl -L https://codeclimate.com/downloads/test-reporter/test-reporter-latest-linux-amd64 > ./cc-test-reporter chmod +x ./cc-test-reporter ./cc-test-reporter before-build - run: name: Wait for Elasticsearch command: dockerize --wait http://localhost:9200 -timeout 1m - ruby/rspec-test: # Need to temporarily test with a particular seed? Use: # order: rand:123 order: rand - run: name: Report Test Results command: | ./cc-test-reporter after-build workflows: build_and_test: jobs: - build_and_test: name: "Ruby << matrix.ruby_version >>, ES << matrix.elasticsearch_version >>" matrix: parameters: ruby_version: - 2.7.5 - 3.0.5 - 3.0.6 # not yet compatible with 3.1 or 3.2 elasticsearch_version: - 7.17.7 # not yet compatible with Elasticsearch 8
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true # set :output, "/path/to/my/cron_log.log" every 2.hours, roles: [:sidekiq] do runner 'FlickrPhotosImporter.refresh' runner 'MrssPhotosImporter.refresh' end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true # Puma can serve each request in a thread from an internal thread pool. # The `threads` method setting takes two numbers: a minimum and maximum. # Any libraries that use thread pools should be configured to match # the maximum value specified for Puma. Default is set to 5 threads for minimum # and maximum; this matches the default thread size of Active Record. # max_threads_count = ENV.fetch("RAILS_MAX_THREADS") { 5 } min_threads_count = ENV.fetch("RAILS_MIN_THREADS") { max_threads_count } threads min_threads_count, max_threads_count # Specifies the `port` that Puma will listen on to receive requests; default is 3000. # port ENV.fetch("PORT") { 3000 } # Specifies the `environment` that Puma will run in. # environment ENV.fetch("RAILS_ENV") { "development" } # Specifies the `pidfile` that Puma will use. pidfile ENV.fetch("PIDFILE") { "tmp/pids/server.pid" } # Specifies the number of `workers` to boot in clustered mode. # Workers are forked web server processes. If using threads and workers together # the concurrency of the application would be max `threads` * `workers`. # Workers do not work on JRuby or Windows (both of which do not support # processes). # # workers ENV.fetch("WEB_CONCURRENCY") { 2 } # Use the `preload_app!` method when specifying a `workers` number. # This directive tells Puma to first boot the application and load code # before forking the application. This takes advantage of Copy On Write # process behavior so workers use less memory. # # preload_app! # Allow puma to be restarted by `rails restart` command. plugin :tmp_restart
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
development: &default hosts: - <%= ENV['ES_HOSTS'] || 'localhost:9200' %> user: elastic password: changeme number_of_shards: 1 log: true log_level: DEBUG test: <<: *default production: # Changes to the production configuration must be # made in the cookbooks
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
development: secret_key_base: 3499c5e7d4b71be3dbee781ee8aa654ce212f4bd291698296edd6fb5a1b519d020bf9ec7ca730b42bebe31847805ad271641764f4c24c8883a4980b57d660275 newrelic: app_name: asis (PUT YOUR NAME HERE) (<%= Rails.env %>) enabled: false host: gov-collector.newrelic.com license_key: newreliclicensekeygoeshere log_level: info test: secret_key_base: 3499c5e7d4b71be3dbee781ee8aa654ce212f4bd291698296edd6fb5a1b519d020bf9ec7ca730b42bebe31847805ad271641764f4c24c8883a4980b57d660275 newrelic: app_name: asis (PUT YOUR NAME HERE) (<%= Rails.env %>) enabled: false host: gov-collector.newrelic.com license_key: newreliclicensekeygoeshere log_level: info production: secret_key_base: <%= ENV.fetch('SECRET_KEY_BASE', 'secret') %>
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require_relative 'boot' require "rails" # Pick the frameworks you want: # require "active_model/railtie" # require "active_job/railtie" # require "active_record/railtie" # require "active_storage/engine" require "action_controller/railtie" # require "action_mailer/railtie" # require "action_mailbox/engine" # require "action_text/engine" # require "action_view/railtie" # require "action_cable/engine" # require "sprockets/railtie" # require "rails/test_unit/railtie" # Require the gems listed in Gemfile, including any gems # you've limited to :test, :development, or :production. Bundler.require(*Rails.groups) module Oasis class Application < Rails::Application # Initialize configuration defaults for originally generated Rails version. config.load_defaults 6.1 # Settings in config/environments/* take precedence over those specified here. # Application configuration can go into files in config/initializers # -- all .rb files in that directory are automatically loaded after loading # the framework and any gems in your application. config.autoload_paths += Dir[config.root.join('lib', '**/').to_s] config.elasticsearch = config_for(:elasticsearch) config.sidekiq = config_for(:sidekiq) config.flickr = config_for(:flickr) config.hosts << "asis" if ENV["DOCKER"] end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true require 'sidekiq/web' Rails.application.routes.draw do mount Api::Base => '/api' mount Sidekiq::Web => '/sidekiq' # For details on the DSL available within this file, see https://guides.rubyonrails.org/routing.html end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true # Load the Rails application. require_relative 'application' # Initialize the Rails application. Rails.application.initialize!
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true ENV['BUNDLE_GEMFILE'] ||= File.expand_path('../Gemfile', __dir__) require 'bundler/setup' # Set up gems listed in the Gemfile.
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# # This file configures the New Relic Agent. New Relic monitors Ruby, Java, # .NET, PHP, Python, Node, and Go applications with deep visibility and low # overhead. For more information, visit www.newrelic.com. # Generated August 03, 2023, for version 8.16.0 # # For full documentation of agent configuration options, please refer to # https://docs.newrelic.com/docs/agents/ruby-agent/installation-configuration/ruby-agent-configuration common: &default_settings # Required license key associated with your New Relic account. license_key: <%= Rails.application.secrets.newrelic[:license_key] %> # Your application name. Renaming here affects where data displays in New # Relic. For more details, see https://docs.newrelic.com/docs/apm/new-relic-apm/maintenance/renaming-applications app_name: <%= Rails.application.secrets.newrelic[:app_name] %> # FedRAMP-complaint endpoint # https://docs.newrelic.com/docs/security/security-privacy/compliance/fedramp-compliant-endpoints/ host: <%= Rails.application.secrets.newrelic[:host] %> # To disable the agent regardless of other settings, uncomment the following: # agent_enabled: false # Logging level for log/newrelic_agent.log; options are error, warn, info, or # debug. log_level: <%= Rails.application.secrets.newrelic[:log_level] || 'info' %> # All of the following configuration options are optional. Review them, and # uncomment or edit them if they appear relevant to your application needs. # An array of ActiveSupport custom events names to subscribe to and provide # instrumentation for. For example, # - my.custom.event # - another.event # - a.third.event # active_support_custom_events_names: "" # If `true`, all logging-related features for the agent can be enabled or disabled # independently. If `false`, all logging-related features are disabled. # application_logging.enabled: true # If `true`, the agent captures log records emitted by this application. # application_logging.forwarding.enabled: true # Defines the maximum number of log records to buffer in memory at a time. # application_logging.forwarding.max_samples_stored: 10000 # If `true`, the agent captures metrics related to logging for this application. # application_logging.metrics.enabled: true # If `true`, the agent decorates logs with metadata to link to entities, hosts, traces, and spans. # application_logging.local_decorating.enabled: false # If `true`, the agent will report source code level metrics for traced methods # see: https://docs.newrelic.com/docs/apm/agents/ruby-agent/features/ruby-codestream-integration/ # code_level_metrics.enabled: true # If true, enables transaction event sampling. # transaction_events.enabled: true # Defines the maximum number of request events reported from a single harvest. # transaction_events.max_samples_stored: 1200 # Prefix of attributes to exclude from all destinations. Allows * as wildcard at # end. # attributes_exclude: [] # Prefix of attributes to include in all destinations. Allows * as wildcard at # end. # attributes_include: [] # If true, enables capture of attributes for all destinations. # attributes.enabled: true # If true, enables an audit log which logs communications with the New Relic # collector. audit_log.enabled: false # List of allowed endpoints to include in audit log. # audit_log.endpoints: [".*"] # Specifies a path to the audit log file (including the filename). # audit_log.path: "/audit_log" # Specify a list of constants that should prevent the agent from starting # automatically. Separate individual constants with a comma ,. # For example, Rails::Console,UninstrumentedBackgroundJob. # autostart.denylisted_constants: "rails::console" # Defines a comma-delimited list of executables that the agent should not # instrument. For example, rake,my_ruby_script.rb. # autostart.denylisted_executables: "irb,rspec" # Defines a comma-delimited list of Rake tasks that the agent should not # instrument. For example, assets:precompile,db:migrate. # autostart.denylisted_rake_tasks: "about,assets:clean,assets:clobber,assets:environment,assets:precompile,assets:precompile:all,db:create,db:drop,db:fixtures:load,db:migrate,db:migrate:status,db:rollback,db:schema:cache:clear,db:schema:cache:dump,db:schema:dump,db:schema:load,db:seed,db:setup,db:structure:dump,db:version,doc:app,log:clear,middleware,notes,notes:custom,rails:template,rails:update,routes,secret,spec,spec:features,spec:requests,spec:controllers,spec:helpers,spec:models,spec:views,spec:routing,spec:rcov,stats,test,test:all,test:all:db,test:recent,test:single,test:uncommitted,time:zones:all,tmp:clear,tmp:create,webpacker:compile" # Backports the faster Active Record connection lookup introduced in Rails 6, # which improves agent performance when instrumenting Active Record. Note that # this setting may not be compatible with other gems that patch Active Record. backport_fast_active_record_connection_lookup: true # If true, the agent captures attributes from browser monitoring. # browser_monitoring.attributes.enabled: false # Prefix of attributes to exclude from browser monitoring. Allows * as wildcard # at end. # browser_monitoring.attributes.exclude: [] # Prefix of attributes to include in browser monitoring. Allows * as wildcard at # end. # browser_monitoring.attributes.include: [] # This is true by default, this enables auto-injection of the JavaScript header # for page load timing (sometimes referred to as real user monitoring or RUM). browser_monitoring.auto_instrument: false # Manual override for the path to your local CA bundle. This CA bundle will be # used to validate the SSL certificate presented by New Relic's data collection # service. # ca_bundle_path: nil # Enable or disable the capture of memcache keys from transaction traces. # capture_memcache_keys: false # When true, the agent captures HTTP request parameters and attaches them to # transaction traces, traced errors, and TransactionError events. When using the # capture_params setting, the Ruby agent will not attempt to filter secret # information. Recommendation: To filter secret information from request # parameters,use the attributes.include setting instead. For more information, # see the Ruby attribute examples. capture_params: false # If true, the agent will clear Tracer::State in Agent.drop_buffered_data. # clear_transaction_state_after_fork: false # Path to newrelic.yml. If undefined, the agent checks the following directories # (in order): config/newrelic.yml, newrelic.yml, $HOME/.newrelic/newrelic.yml # and $HOME/newrelic.yml. # config_path: newrelic.yml # If true, enables cross application tracing. Cross application tracing is now # deprecated, and disabled by default. Distributed tracing is replacing cross # application tracing as the default means of tracing between services. # To continue using it, set `cross_application_tracer.enabled: true` and # `distributed_tracing.enabled: false` # cross_application_tracer.enabled: false # If false, custom attributes will not be sent on New Relic Insights events. # custom_attributes.enabled: true # If true, the agent captures New Relic Insights custom events. # custom_insights_events.enabled: true # Specify a maximum number of custom Insights events to buffer in memory at a # time. # custom_insights_events.max_samples_stored: 3000 # If false, the agent will not add database_name parameter to transaction or # # slow sql traces. # datastore_tracer.database_name_reporting.enabled: true # If false, the agent will not report datastore instance metrics, nor add host # or port_path_or_id parameters to transaction or slow SQL traces. # datastore_tracer.instance_reporting.enabled: true # If true, when the agent is in an application using Ruby on Rails, it will start after # config/initializers have run. # defer_rails_initialization: false # If true, disables Action Cable instrumentation. # disable_action_cable_instrumentation: false # If true, disables Action Mailbox instrumentation. # disable_action_mailbox: false # If true, disables Action Mailer instrumentation. # disable_action_mailer: false # If true, disables instrumentation for Active Record 4+ # disable_active_record_notifications: false # If true, disables Active Storage instrumentation. # disable_active_storage: false # If true, disables Active Support instrumentation. # disable_active_support: false # If true, disables Active Job instrumentation. # disable_activejob: false # If true, disables Active Record instrumentation. # disable_active_record_instrumentation: false # If true, the agent won't sample the CPU usage of the host process. # disable_cpu_sampler: false # If true, disables ActiveSupport custom events instrumentation. # disable_custom_events_instrumentation: false # If true, disables DataMapper instrumentation. # disable_data_mapper: false # If true, the agent won't measure the depth of Delayed Job queues. # disable_delayed_job_sampler: false # If true, disables the use of GC::Profiler to measure time spent in garbage # collection # disable_gc_profiler: false # If true, the agent won't sample the memory usage of the host process. # disable_memory_sampler: false # If true, the agent won't wrap third-party middlewares in instrumentation # (regardless of whether they are installed via Rack::Builder or Rails). # disable_middleware_instrumentation: false # If true, disables the collection of sampler metrics. Sampler metrics are # metrics that are not event-based (such as CPU time or memory usage). # disable_samplers: false # If true, disables Sequel instrumentation. # disable_sequel_instrumentation: false # If true, disables Sidekiq instrumentation. # disable_sidekiq: false # If true, disables agent middleware for Sinatra. This middleware is responsible # for advanced feature support such as distributed tracing, page load # timing, and error collection. # disable_sinatra_auto_middleware: false # If true, disables view instrumentation. # disable_view_instrumentation: false # If true, the agent won't sample performance measurements from the Ruby VM. # disable_vm_sampler: false # Distributed tracing tracks and observes service requests as they flow through distributed systems. # With distributed tracing data, you can quickly pinpoint failures or performance issues and fix them. # distributed_tracing.enabled: true # If true, the agent captures attributes from error collection. # error_collector.attributes.enabled: false # Prefix of attributes to exclude from error collection. # Allows * as wildcard at end. # error_collector.attributes.exclude: [] # Prefix of attributes to include in error collection. # Allows * as wildcard at end. # error_collector.attributes.include: [] # If true, the agent collects TransactionError events. # error_collector.capture_events: true # If true, the agent captures traced errors and error count metrics. error_collector.enabled: false # A list of error classes that the agent should treat as expected. # error_collector.expected_classes: [] # A map of error classes to a list of messages. When an error of one of the # classes specified here occurs, if its error message contains one of the # strings corresponding to it here, that error will be treated as expected. # error_collector.expected_messages: {} # A comma separated list of status codes, possibly including ranges. Errors # associated with these status codes, where applicable, will be treated as # expected. # error_collector.expected_status_codes: "" # A list of error classes that the agent should ignore. error_collector.ignore_classes: ['ActionController::RoutingError'] # A map of error classes to a list of messages. When an error of one of the # classes specified here occurs, if its error message contains one of the # strings corresponding to it here, that error will be ignored. # error_collector.ignore_messages: "" # A comma separated list of status codes, possibly including ranges. Errors # associated with these status codes, where applicable, will be ignored. # error_collector.ignore_status_codes: "" # Defines the maximum number of frames in an error backtrace. Backtraces over # this amount are truncated at the beginning and end. # error_collector.max_backtrace_frames: 50 # Defines the maximum number of TransactionError events sent to Insights per # harvest cycle. # error_collector.max_event_samples_stored: 100 # Allows newrelic distributed tracing headers to be suppressed on outbound # requests. # exclude_newrelic_header: false # Forces the exit handler that sends all cached data to collector before # shutting down to be installed regardless of detecting scenarios where it # generally should not be. Known use-case for this option is where Sinatra is # running as an embedded service within another framework and the agent is # detecting the Sinatra app and skipping the at_exit handler as a result. # Sinatra classically runs the entire application in an at_exit block and would # otherwise misbehave if the Agent's at_exit handler was also installed in # those circumstances. Note: send_data_on_exit should also be set to true in # tandem with this setting. # force_install_exit_handler: false # Ordinarily the agent reports dyno names with a trailing dot and process ID # (for example, worker.3). You can remove this trailing data by specifying the # prefixes you want to report without trailing data (for example, worker). # heroku.dyno_name_prefixes_to_shorten: ["scheduler", "run"] # If true, the agent uses Heroku dyno names as the hostname. # heroku.use_dyno_names: true # If true, enables high security mode. Ensure that you understand the # implication of enabling high security mode before enabling this setting. # https://docs.newrelic.com/docs/agents/manage-apm-agents/configuration/high-security-mode/ # high_security: false # Configures the hostname for the Trace Observer Host. When configured, enables # tail-based sampling by sending all recorded spans to a Trace Observer for # further sampling decisions, irrespective of any usual agent sampling decision. # infinite_tracing.trace_observer.host: "" # Configures the TCP/IP port for the Trace Observer Host # infinite_tracing.trace_observer.port: 443 # Configure the compression level for data sent to the Trace Observer # May be one of [none|low|medium|high] # 'high' is the default. Set the level to 'none' to disable compression # infinite_tracing.compression_level: high # If true (the default), data sent to the Trace Observer will be batched # instead of each span being sent individually # infinite_tracing.batching: true # Controls auto-instrumentation of bunny at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.bunny: auto # Controls auto-instrumentation of concurrent_ruby at start up. # May be one of [auto|prepend|chain|disabled] # instrumentation.concurrent_ruby: auto # Controls auto-instrumentation of Curb at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.curb: auto # Controls auto-instrumentation of Delayed Job at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.delayed_job: auto # Controls auto-instrumentation of the elasticsearch library at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.elasticsearch: auto # Controls auto-instrumentation of Excon at start up. # May be one of [enabled|disabled]. # instrumentation.excon: auto # Controls auto-instrumentation of Grape at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.grape: auto # Controls auto-instrumentation of HTTPClient at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.httpclient: auto # Controls auto-instrumentation of http.rb gem at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.httprb: auto # Controls auto-instrumentation of the Ruby standard library Logger.rb. # May be one of [auto|prepend|chain|disabled]. # instrumentation.logger: auto # Controls auto-instrumentation of ActiveSupport::Logger at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.active_support.logger: auto # Controls auto-instrumentation of memcache-client gem for Memcache at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.memcache_client: auto # Controls auto-instrumentation of dalli gem for Memcache at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.memcache: auto # Controls auto-instrumentation of memcached gem for Memcache at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.memcached: auto # Controls auto-instrumentation of Mongo at start up. # May be one of [enabled|disabled]. # instrumentation.mongo: auto # Controls auto-instrumentation of Net::HTTP at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.net_http: auto # Controls auto-instrumentation of Puma::Rack::URLMap at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.puma_rack_urlmap: auto # Controls auto-instrumentation of Puma::Rack. When enabled, the agent hooks # into the to_app method in Puma::Rack::Builder to find gems to instrument # during application startup. May be one of [auto|prepend|chain|disabled]. # instrumentation.puma_rack: auto # Controls auto-instrumentation of Rack::URLMap at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.rack_urlmap: auto # Controls auto-instrumentation of Rack. When enabled, the agent hooks into the # to_app method in Rack::Builder to find gems to instrument during application # startup. May be one of [auto|prepend|chain|disabled]. # instrumentation.rack: auto # Controls auto-instrumentation of rake at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.rake: auto # Controls auto-instrumentation of Redis at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.redis: auto # Controls auto-instrumentation of resque at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.resque: auto # Controls auto-instrumentation of Sinatra at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.sinatra: auto # Controls auto-instrumentation of Tilt at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.tilt: auto # Controls auto-instrumentation of Typhoeus at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.typhoeus: auto # Controls auto-instrumentation of the Thread class at start up to allow the agent to correctly nest spans inside of an asynchronous transaction. # May be one of [auto|prepend|chain|disabled]. # instrumentation.thread: auto # Controls auto-instrumentation of the Thread class at start up to automatically add tracing to all Threads created in the application. # instrumentation.thread.tracing: false # Controls auto-instrumentation of gRPC clients at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.grpc_client: auto # Controls auto-instrumentation of gRPC servers at start up. # May be one of [auto|prepend|chain|disabled]. # instrumentation.grpc_server: auto # Specifies a list of hostname patterns separated by commas that will match # gRPC hostnames that traffic is to be ignored by New Relic for. # New Relic's gRPC client instrumentation will ignore traffic streamed to a # host matching any of these patterns, and New Relic's gRPC server # instrumentation will ignore traffic for a server running on a host whose # hostname matches any of these patterns. By default, no traffic is ignored # when gRPC instrumentation is itself enabled. # For example, "private.com$,exception.*" # instrumentation.grpc.host_denylist: "" # A dictionary of label names and values that will be applied to the data sent # from this agent. May also be expressed as a semicolon-delimited ; string of # colon-separated : pairs. # For example,<var>Server</var>:<var>One</var>;<var>Data Center</var>:<var>Primary</var>. # labels: "" # Defines a name for the log file. # log_file_name: "newrelic_agent.log" # Defines a path to the agent log file, excluding the filename. # log_file_path: "log/" # Specifies a marshaller for transmitting data to the New Relic collector. # Currently json is the only valid value for this setting. # marshaller: json # If true, the agent will collect metadata about messages and attach them as # segment parameters. # message_tracer.segment_parameters.enabled: true # If true, the agent captures Mongo queries in transaction traces. # mongo.capture_queries: true # If true, the agent obfuscates Mongo queries in transaction traces. # mongo.obfuscate_queries: true # If true, the agent captures Elasticsearch queries in transaction traces. # elasticsearch.capture_queries: true # If true, the agent obfuscates Elasticsearch queries in transaction traces. # elasticsearch.obfuscate_queries: true # When true, the agent transmits data about your app to the New Relic collector. monitor_mode: <%= Rails.application.secrets.newrelic[:enabled] || 'false' %> # If true, uses Module#prepend rather than alias_method for Active Record # instrumentation. # prepend_active_record_instrumentation: false # Specify a custom host name for display in the New Relic UI # Be be aware that you cannot rename a hostname, so please rename # process_host.display_name: "default hostname" # Defines a host for communicating with the New Relic collector via a proxy # server. # proxy_host: nil # Defines a password for communicating with the New Relic collector via a proxy # server. # proxy_pass: nil # Defines a port for communicating with the New Relic collector via a proxy # server. # proxy_port: nil # Defines a user for communicating with the New Relic collector via a proxy # server. # proxy_user: nil # Timeout for waiting on connect to complete before a rake task # rake.connect_timeout: 10 # Specify an array of Rake tasks to automatically instrument. # This configuration option converts the Array to a RegEx list. # If you'd like to allow all tasks by default, use `rake.tasks: [.+]`. # Rake tasks will not be instrumented unless they're added to this list. # For more information, visit the (New Relic Rake Instrumentation docs)[/docs/apm/agents/ruby-agent/background-jobs/rake-instrumentation]. # rake.tasks: [] # Define transactions you want the agent to ignore, by specifying a list of # patterns matching the URI you want to ignore. # rules.ignore_url_regexes: [] # Applies Language Agent Security Policy settings. # security_policies_token: "" # If true, enables the exit handler that sends data to the New Relic collector # before shutting down. # send_data_on_exit: true # If true, the agent collects slow SQL queries. # slow_sql.enabled: false # If true, the agent collects explain plans in slow SQL queries. If this setting # is omitted, the transaction_tracer.explain.enabled setting will be applied as # the default setting for explain plans in slow SQL as well. # slow_sql.explain_enabled: false # Specify a threshold in seconds. The agent collects slow SQL queries and # explain plans that exceed this threshold. # slow_sql.explain_threshold: 1.0 # Defines an obfuscation level for slow SQL queries. # Valid options are obfuscated, raw, or none. # slow_sql.record_sql: none # Generate a longer sql_id for slow SQL traces. sql_id is used for aggregation # of similar queries. # slow_sql.use_longer_sql_id: false # If true, the agent captures attributes on span events. # span_events_attributes.enabled: true # Defines the maximum number of span events reported from a single harvest. # This can be any integer between 1 and 10000. Increasing this value may impact # memory usage. # span_events.max_samples_stored: 2000 # Prefix of attributes to exclude from span events. Allows * as wildcard at end. # span_events.attributes.exclude: [] # Prefix of attributes to include on span events. Allows * as wildcard at end. # span_events.attributes.include: [] # If true, enables span event sampling. # span_events.enabled: true # Sets the maximum number of span events to buffer when streaming to the trace # observer. # span_events.queue_size: 10000 # Specify a list of exceptions you do not want the agent to strip when # strip_exception_messages is true. Separate exceptions with a comma. For # example, "ImportantException,PreserveMessageException". # strip_exception_messages.allowed_classes: "" # If true, the agent strips messages from all exceptions except those in the # allowlist. Enabled automatically in high security mode. # strip_exception_messages.enabled: true # When set to true, forces a synchronous connection to the New Relic collector # during application startup. For very short-lived processes, this helps ensure # the New Relic agent has time to report. # sync_startup: false # If true, enables use of the thread profiler. # thread_profiler.enabled: false # Defines the maximum number of seconds the agent should spend attempting to # connect to the collector. # timeout: 120 # If true, the agent captures attributes from transaction events. # transaction_events_attributes.enabled: false # Prefix of attributes to exclude from transaction events. # Allows * as wildcard at end. # transaction_events.attributes.exclude: [] # Prefix of attributes to include in transaction events. # Allows * as wildcard at end. # transaction_events.attributes.include: [] # If true, the agent captures attributes on transaction segments. # transaction_segments_attributes.enabled: true # Prefix of attributes to exclude from transaction segments. # Allows * as wildcard at end. # transaction_segments.attributes.exclude: [] # Prefix of attributes to include on transaction segments. # Allows * as wildcard at end. # transaction_segments.attributes.include: [] # If true, the agent captures attributes from transaction traces. # transaction_tracer.attributes.enabled: false # Prefix of attributes to exclude from transaction traces. # Allows * as wildcard at end. # transaction_tracer.attributes.exclude: [] # Prefix of attributes to include in transaction traces. # Allows * as wildcard at end. # transaction_tracer.attributes.include: [] # If true, enables collection of transaction traces. transaction_tracer.enabled: false # Threshold (in seconds) above which the agent will collect explain plans. # Relevant only when explain.enabled is true. # transaction_tracer.explain_threshold: 0.5 # If true, enables the collection of explain plans in transaction traces. # This setting will also apply to explain plans in slow SQL traces if # slow_sql.explain enabled is not set separately. # transaction_tracer.explain.enabled: true # Maximum number of transaction trace nodes to record in a single transaction # trace. # transaction_tracer.limit_segments: 4000 # If true, the agent records Redis command arguments in transaction traces. # transaction_tracer.record_redis_arguments: false # Obfuscation level for SQL queries reported in transaction trace nodes. # By default, this is set to obfuscated, which strips out the numeric and string # literals. If you do not want the agent to capture query information, set this # to 'none'. If you want the agent to capture all query information in its # original form, set this to 'raw'. When you enable high security mode this is # automatically set to 'obfuscated' transaction_tracer.record_sql: 'obfuscated' # Specify a threshold in seconds. The agent includes stack traces in transaction # trace nodes when the stack trace duration exceeds this threshold. transaction_tracer.stack_trace_threshold: 0.5 # Specify a threshold in seconds. Transactions with a duration longer than this # threshold are eligible for transaction traces. Specify a float value or the # string apdex_f. transaction_tracer.transaction_threshold: apdex_f # If true, the agent automatically detects that it is running in an AWS # environment. # utilization.detect_aws: true # If true, the agent automatically detects that it is running in an Azure # environment. # utilization.detect_azure: true # If true, the agent automatically detects that it is running in Docker. # utilization.detect_docker: true # If true, the agent automatically detects that it is running in an Google Cloud # Platform environment. # utilization.detect_gcp: true # If true, the agent automatically detects that it is running in Kubernetes. # utilization.detect_kubernetes: true # If true, the agent automatically detects that it is running in a Pivotal Cloud Foundry environment. # utilization.detect_pcf: true # Environment-specific settings are in this section. # RAILS_ENV or RACK_ENV (as appropriate) is used to determine the environment. # If your application has other named environments, configure them here. development: <<: *default_settings test: <<: *default_settings # It doesn't make sense to report to New Relic from automated test runs. monitor_mode: false # Staging uses the same configuration as production # staging: # <<: *default_settings # app_name: i14y (Staging) production: <<: *default_settings
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# see https://www.flickr.com/services/api/auth.oauth.html development: &default api_key: "API KEY" shared_secret: "SHARED SECRET" test: <<: *default
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
development: &default namespace: oasis url: <%= ENV['REDIS_HOST'] || 'redis://localhost:6379' %> test: namespace: oasis url: <%= ENV['REDIS_HOST'] || 'redis://localhost:6379' %> production: # Changes to the production configuration must be # made in the cookbooks
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true Spring.watch( ".ruby-version", ".rbenv-vars", "tmp/restart.txt", "tmp/caching-dev.txt" )
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true server 'web', user: 'search', roles: %w[web app] server 'cron', user: 'search', roles: %w[sidekiq]
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true # Simple Role Syntax # ================== # Supports bulk-adding hosts to roles, the primary server in each group # is considered to be the first unless any hosts have the primary # property set. Don't declare `role :all`, it's a meta role. server 'staging', user: 'search', roles: %w[web app sidekiq] # Extended Server Syntax # ====================== # This can be used to drop a more detailed server definition into the # server list. The second argument is a, or duck-types, Hash and is # used to set extended properties on the server. # Custom SSH Options # ================== # You may pass any option but keep in mind that net/ssh understands a # limited set of options, consult[net/ssh documentation](http://net-ssh.github.io/net-ssh/classes/Net/SSH.html#method-c-start). # # Global options # -------------- # set :ssh_options, { # keys: %w(/home/rlisowski/.ssh/id_rsa), # forward_agent: false, # auth_methods: %w(password) # } # # And/or per server (overrides global) # ------------------------------------ # server 'example.com', # user: 'user_name', # roles: %w{web app}, # ssh_options: { # user: 'user_name', # overrides user setting above # keys: %w(/home/user_name/.ssh/id_rsa), # forward_agent: false, # auth_methods: %w(publickey password) # # password: 'please use keys' # }
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true Rails.application.configure do # Settings specified here will take precedence over those in config/application.rb. # Code is not reloaded between requests. config.cache_classes = true # Eager load code on boot. This eager loads most of Rails and # your application in memory, allowing both threaded web servers # and those relying on copy on write to perform better. # Rake tasks automatically ignore this option for performance. config.eager_load = true # Full error reports are disabled and caching is turned on. config.consider_all_requests_local = false config.action_controller.perform_caching = true # Ensures that a master key has been made available in either ENV["RAILS_MASTER_KEY"] # or in config/master.key. This key is used to decrypt credentials (and other encrypted files). # config.require_master_key = true # Disable serving static files from the `/public` folder by default since # Apache or NGINX already handles this. config.public_file_server.enabled = ENV['RAILS_SERVE_STATIC_FILES'].present? # Enable serving of images, stylesheets, and JavaScripts from an asset server. # config.action_controller.asset_host = 'http://assets.example.com' # Specifies the header that your server uses for sending files. # config.action_dispatch.x_sendfile_header = 'X-Sendfile' # for Apache # config.action_dispatch.x_sendfile_header = 'X-Accel-Redirect' # for NGINX # Force all access to the app over SSL, use Strict-Transport-Security, and use secure cookies. # config.force_ssl = true # Use the lowest log level to ensure availability of diagnostic information # when problems arise. config.log_level = :info # Prepend all log lines with the following tags. config.log_tags = [ :request_id ] # Use a different cache store in production. # config.cache_store = :mem_cache_store # Use a real queuing backend for Active Job (and separate queues per environment). # config.active_job.queue_adapter = :resque # config.active_job.queue_name_prefix = "oasis_production" # Enable locale fallbacks for I18n (makes lookups for any locale fall back to # the I18n.default_locale when a translation cannot be found). config.i18n.fallbacks = true # Send deprecation notices to registered listeners. config.active_support.deprecation = :notify # Use default logging formatter so that PID and timestamp are not suppressed. config.log_formatter = ::Logger::Formatter.new # Use a different logger for distributed setups. # require 'syslog/logger' # config.logger = ActiveSupport::TaggedLogging.new(Syslog::Logger.new 'app-name') if ENV["RAILS_LOG_TO_STDOUT"].present? logger = ActiveSupport::Logger.new(STDOUT) logger.formatter = config.log_formatter config.logger = ActiveSupport::TaggedLogging.new(logger) end # Inserts middleware to perform automatic connection switching. # The `database_selector` hash is used to pass options to the DatabaseSelector # middleware. The `delay` is used to determine how long to wait after a write # to send a subsequent read to the primary. # # The `database_resolver` class is used by the middleware to determine which # database is appropriate to use based on the time delay. # # The `database_resolver_context` class is used by the middleware to set # timestamps for the last write to the primary. The resolver uses the context # class timestamps to determine how long to wait before reading from the # replica. # # By default Rails will store a last write timestamp in the session. The # DatabaseSelector middleware is designed as such you can define your own # strategy for connection switching and pass that into the middleware through # these configuration options. # config.active_record.database_selector = { delay: 2.seconds } # config.active_record.database_resolver = ActiveRecord::Middleware::DatabaseSelector::Resolver # config.active_record.database_resolver_context = ActiveRecord::Middleware::DatabaseSelector::Resolver::Session end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true # The test environment is used exclusively to run your application's # test suite. You never need to work with it otherwise. Remember that # your test database is "scratch space" for the test suite and is wiped # and recreated between test runs. Don't rely on the data there! Rails.application.configure do # Settings specified here will take precedence over those in config/application.rb. config.cache_classes = true config.action_view.cache_template_loading = true # Do not eager load code on boot. This avoids loading your whole application # just for the purpose of running a single test. If you are using a tool that # preloads Rails for running tests, you may have to set it to true. config.eager_load = false # Configure public file server for tests with Cache-Control for performance. config.public_file_server.enabled = true config.public_file_server.headers = { 'Cache-Control' => "public, max-age=#{1.hour.to_i}" } # Show full error reports and disable caching. config.consider_all_requests_local = true config.action_controller.perform_caching = false config.cache_store = :null_store # Raise exceptions instead of rendering exception templates. config.action_dispatch.show_exceptions = false # Disable request forgery protection in test environment. config.action_controller.allow_forgery_protection = false # Print deprecation notices to the stderr. config.active_support.deprecation = :stderr # Raises error for missing translations. # config.action_view.raise_on_missing_translations = true config.hosts << "www.example.com" if ENV["DOCKER"] end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true Rails.application.configure do # Settings specified here will take precedence over those in config/application.rb. # In the development environment your application's code is reloaded on # every request. This slows down response time but is perfect for development # since you don't have to restart the web server when you make code changes. config.cache_classes = false # Do not eager load code on boot. config.eager_load = false # Show full error reports. config.consider_all_requests_local = true # Enable/disable caching. By default caching is disabled. # Run rails dev:cache to toggle caching. if Rails.root.join('tmp', 'caching-dev.txt').exist? config.action_controller.perform_caching = true config.action_controller.enable_fragment_cache_logging = true config.cache_store = :memory_store config.public_file_server.headers = { 'Cache-Control' => "public, max-age=#{2.days.to_i}" } else config.action_controller.perform_caching = false config.cache_store = :null_store end # Print deprecation notices to the Rails logger. config.active_support.deprecation = :log # Raises error for missing translations. # config.action_view.raise_on_missing_translations = true # Use an evented file watcher to asynchronously detect changes in source code, # routes, locales, etc. This feature depends on the listen gem. config.file_watcher = ActiveSupport::EventedFileUpdateChecker end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true # Be sure to restart your server when you modify this file. # ActiveSupport::Reloader.to_prepare do # ApplicationController.renderer.defaults.merge!( # http_host: 'example.org', # https: false # ) # end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true if Rails.env.production? sidekiq = YAML.load_file("#{Rails.root}/config/sidekiq.yml") else sidekiq = Rails.configuration.sidekiq end # rubocop:disable Style/GlobalVars $redis = Redis.new(url: sidekiq['url']) # rubocop:enable Style/GlobalVars
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true Elasticsearch::Persistence.client = Elasticsearch::Client.new( log: Rails.configuration.elasticsearch['log'], hosts: Rails.configuration.elasticsearch['hosts'], user: Rails.configuration.elasticsearch['user'], password: Rails.configuration.elasticsearch['password'], randomize_hosts: true, retry_on_failure: true, reload_connections: true ) if Rails.configuration.elasticsearch['log'] logger = ActiveSupport::Logger.new("log/#{Rails.env}.log") logger.level = Rails.configuration.elasticsearch['log_level'] logger.formatter = proc do |severity, time, _progname, msg| "\e[2m[ES][#{time.utc.iso8601(6)}][#{severity}] #{msg}\n\e[0m" end Elasticsearch::Persistence.client.transport.logger = logger end if Rails.env.development? puts 'Ensuring Elasticsearch development indexes and aliases are available....' Dir[Rails.root.join('app', 'models', '*.rb')].map do |f| klass = File.basename(f, '.*').camelize.constantize klass.create_index_and_alias! if klass.respond_to?(:create_index_and_alias!) && !klass.alias_exists? end end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true # Be sure to restart your server when you modify this file. # Define an application-wide content security policy # For further information see the following documentation # https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Content-Security-Policy # Rails.application.config.content_security_policy do |policy| # policy.default_src :self, :https # policy.font_src :self, :https, :data # policy.img_src :self, :https, :data # policy.object_src :none # policy.script_src :self, :https # policy.style_src :self, :https # # If you are using webpack-dev-server then specify webpack-dev-server host # policy.connect_src :self, :https, "http://localhost:3035", "ws://localhost:3035" if Rails.env.development? # # Specify URI for violation reports # # policy.report_uri "/csp-violation-report-endpoint" # end # If you are using UJS then enable automatic nonce generation # Rails.application.config.content_security_policy_nonce_generator = -> request { SecureRandom.base64(16) } # Set the nonce only to specific directives # Rails.application.config.content_security_policy_nonce_directives = %w(script-src) # Report CSP violations to a specified URI # For further information see the following documentation: # https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Content-Security-Policy-Report-Only # Rails.application.config.content_security_policy_report_only = true
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true Feedjira::Feed.add_feed_class(Feedjira::Parser::Oasis::Mrss)
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true # Be sure to restart your server when you modify this file. # Specify a serializer for the signed and encrypted cookie jars. # Valid options are :json, :marshal, and :hybrid. Rails.application.config.action_dispatch.cookies_serializer = :marshal
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true # Be sure to restart your server when you modify this file. # Add new mime types for use in respond_to blocks: # Mime::Type.register "text/richtext", :rtf
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true # Be sure to restart your server when you modify this file. # You can add backtrace silencers for libraries that you're using but don't wish to see in your backtraces. # Rails.backtrace_cleaner.add_silencer { |line| line =~ /my_noisy_library/ } # You can also remove all the silencers if you're trying to debug a problem that might stem from framework code. # Rails.backtrace_cleaner.remove_silencers!
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true # Be sure to restart your server when you modify this file. # This file contains settings for ActionController::ParamsWrapper which # is enabled by default. # Enable parameter wrapping for JSON. You can disable this by setting :format to an empty array. ActiveSupport.on_load(:action_controller) do wrap_parameters format: [:json] end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true if Rails.env.production? sidekiq = YAML.load_file("#{Rails.root}/config/sidekiq.yml") else sidekiq = Rails.configuration.sidekiq end Sidekiq.configure_server do |config| config.redis = { url: sidekiq['url'] } end Sidekiq.configure_client do |config| config.redis = { url: sidekiq['url'] } end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }
# frozen_string_literal: true # Be sure to restart your server when you modify this file. # Add new inflection rules using the following format. Inflections # are locale specific, and you may define rules for as many different # locales as you wish. All of these examples are active by default: # ActiveSupport::Inflector.inflections(:en) do |inflect| # inflect.plural /^(ox)$/i, '\1en' # inflect.singular /^(ox)en/i, '\1' # inflect.irregular 'person', 'people' # inflect.uncountable %w( fish sheep ) # end # These inflection rules are supported but not enabled by default: # ActiveSupport::Inflector.inflections(:en) do |inflect| # inflect.acronym 'RESTful' # end
{ "repo_name": "GSA/asis", "stars": "30", "repo_language": "Ruby", "file_name": "500.html", "mime_type": "text/html" }