website_agent.rb 20 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535
  1. require 'nokogiri'
  2. require 'date'
  3. module Agents
  4. class WebsiteAgent < Agent
  5. include WebRequestConcern
  6. can_dry_run!
  7. can_order_created_events!
  8. no_bulk_receive!
  9. default_schedule "every_12h"
  10. UNIQUENESS_LOOK_BACK = 200
  11. UNIQUENESS_FACTOR = 3
  12. description <<-MD
  13. The Website Agent scrapes a website, XML document, or JSON feed and creates Events based on the results.
  14. Specify a `url` and select a `mode` for when to create Events based on the scraped data, either `all`, `on_change`, or `merge` (if fetching based on an Event, see below).
  15. The `url` option can be a single url, or an array of urls (for example, for multiple pages with the exact same structure but different content to scrape).
  16. The WebsiteAgent can also scrape based on incoming events.
  17. * Set the `url_from_event` option to a Liquid template to generate the url to access based on the Event. (To fetch the url in the Event's `url` key, for example, set `url_from_event` to `{{ url }}`.)
  18. * Alternatively, set `data_from_event` to a Liquid template to use data directly without fetching any URL. (For example, set it to `{{ html }}` to use HTML contained in the `html` key of the incoming Event.)
  19. * If you specify `merge` for the `mode` option, Huginn will retain the old payload and update it with new values.
  20. # Supported Document Types
  21. The `type` value can be `xml`, `html`, `json`, or `text`.
  22. To tell the Agent how to parse the content, specify `extract` as a hash with keys naming the extractions and values of hashes.
  23. Note that for all of the formats, whatever you extract MUST have the same number of matches for each extractor. E.g., if you're extracting rows, all extractors must match all rows. For generating CSS selectors, something like [SelectorGadget](http://selectorgadget.com) may be helpful.
  24. # Scraping HTML and XML
  25. When parsing HTML or XML, these sub-hashes specify how each extraction should be done. The Agent first selects a node set from the document for each extraction key by evaluating either a CSS selector in `css` or an XPath expression in `xpath`. It then evaluates an XPath expression in `value` (default: `.`) on each node in the node set, converting the result into a string. Here's an example:
  26. "extract": {
  27. "url": { "css": "#comic img", "value": "@src" },
  28. "title": { "css": "#comic img", "value": "@title" },
  29. "body_text": { "css": "div.main", "value": ".//text()" }
  30. }
  31. "@_attr_" is the XPath expression to extract the value of an attribute named _attr_ from a node, and `.//text()` extracts all the enclosed text. To extract the innerHTML, use `./node()`; and to extract the outer HTML, use `.`.
  32. You can also use [XPath functions](http://www.w3.org/TR/xpath/#section-String-Functions) like `normalize-space` to strip and squeeze whitespace, `substring-after` to extract part of a text, and `translate` to remove commas from formatted numbers, etc. Note that these functions take a string, not a node set, so what you may think would be written as `normalize-space(.//text())` should actually be `normalize-space(.)`.
  33. Beware that when parsing an XML document (i.e. `type` is `xml`) using `xpath` expressions, all namespaces are stripped from the document unless the top-level option `use_namespaces` is set to `true`.
  34. # Scraping JSON
  35. When parsing JSON, these sub-hashes specify [JSONPaths](http://goessner.net/articles/JsonPath/) to the values that you care about. For example:
  36. "extract": {
  37. "title": { "path": "results.data[*].title" },
  38. "description": { "path": "results.data[*].description" }
  39. }
  40. The `extract` option can be skipped for the JSON type, causing the full JSON response to be returned.
  41. # Scraping Text
  42. When parsing text, each sub-hash should contain a `regexp` and `index`. Output text is matched against the regular expression repeatedly from the beginning through to the end, collecting a captured group specified by `index` in each match. Each index should be either an integer or a string name which corresponds to <code>(?&lt;<em>name</em>&gt;...)</code>. For example, to parse lines of <code><em>word</em>: <em>definition</em></code>, the following should work:
  43. "extract": {
  44. "word": { "regexp": "^(.+?): (.+)$", index: 1 },
  45. "definition": { "regexp": "^(.+?): (.+)$", index: 2 }
  46. }
  47. Or if you prefer names to numbers for index:
  48. "extract": {
  49. "word": { "regexp": "^(?<word>.+?): (?<definition>.+)$", index: 'word' },
  50. "definition": { "regexp": "^(?<word>.+?): (?<definition>.+)$", index: 'definition' }
  51. }
  52. To extract the whole content as one event:
  53. "extract": {
  54. "content": { "regexp": "\A(?m:.)*\z", index: 0 }
  55. }
  56. Beware that `.` does not match the newline character (LF) unless the `m` flag is in effect, and `^`/`$` basically match every line beginning/end. See [this document](http://ruby-doc.org/core-#{RUBY_VERSION}/doc/regexp_rdoc.html) to learn the regular expression variant used in this service.
  57. # General Options
  58. Can be configured to use HTTP basic auth by including the `basic_auth` parameter with `"username:password"`, or `["username", "password"]`.
  59. Set `expected_update_period_in_days` to the maximum amount of time that you'd expect to pass between Events being created by this Agent. This is only used to set the "working" status.
  60. Set `uniqueness_look_back` to limit the number of events checked for uniqueness (typically for performance). This defaults to the larger of #{UNIQUENESS_LOOK_BACK} or #{UNIQUENESS_FACTOR}x the number of detected received results.
  61. Set `force_encoding` to an encoding name if the website is known to respond with a missing, invalid, or wrong charset in the Content-Type header. Note that a text content without a charset is taken as encoded in UTF-8 (not ISO-8859-1).
  62. Set `user_agent` to a custom User-Agent name if the website does not like the default value (`#{default_user_agent}`).
  63. The `headers` field is optional. When present, it should be a hash of headers to send with the request.
  64. Set `disable_ssl_verification` to `true` to disable ssl verification.
  65. Set `unzip` to `gzip` to inflate the resource using gzip.
  66. # Liquid Templating
  67. In Liquid templating, the following variable is available:
  68. * `_response_`: A response object with the following keys:
  69. * `status`: HTTP status as integer. (Almost always 200)
  70. * `headers`: Response headers; for example, `{{ _response_.headers.Content-Type }}` expands to the value of the Content-Type header. Keys are insensitive to cases and -/_.
  71. # Ordering Events
  72. #{description_events_order}
  73. MD
  74. event_description do
  75. "Events will have the following fields:\n\n %s" % [
  76. Utils.pretty_print(Hash[options['extract'].keys.map { |key|
  77. [key, "..."]
  78. }])
  79. ]
  80. end
  81. def working?
  82. event_created_within?(options['expected_update_period_in_days']) && !recent_error_logs?
  83. end
  84. def default_options
  85. {
  86. 'expected_update_period_in_days' => "2",
  87. 'url' => "http://xkcd.com",
  88. 'type' => "html",
  89. 'mode' => "on_change",
  90. 'extract' => {
  91. 'url' => { 'css' => "#comic img", 'value' => "@src" },
  92. 'title' => { 'css' => "#comic img", 'value' => "@alt" },
  93. 'hovertext' => { 'css' => "#comic img", 'value' => "@title" }
  94. }
  95. }
  96. end
  97. def validate_options
  98. # Check for required fields
  99. errors.add(:base, "either url, url_from_event, or data_from_event are required") unless options['url'].present? || options['url_from_event'].present? || options['data_from_event'].present?
  100. errors.add(:base, "expected_update_period_in_days is required") unless options['expected_update_period_in_days'].present?
  101. validate_extract_options!
  102. # Check for optional fields
  103. if options['mode'].present?
  104. errors.add(:base, "mode must be set to on_change, all or merge") unless %w[on_change all merge].include?(options['mode'])
  105. end
  106. if options['expected_update_period_in_days'].present?
  107. errors.add(:base, "Invalid expected_update_period_in_days format") unless is_positive_integer?(options['expected_update_period_in_days'])
  108. end
  109. if options['uniqueness_look_back'].present?
  110. errors.add(:base, "Invalid uniqueness_look_back format") unless is_positive_integer?(options['uniqueness_look_back'])
  111. end
  112. validate_web_request_options!
  113. end
  114. def validate_extract_options!
  115. extraction_type = (extraction_type() rescue extraction_type(options))
  116. case extract = options['extract']
  117. when Hash
  118. if extract.each_value.any? { |value| !value.is_a?(Hash) }
  119. errors.add(:base, 'extract must be a hash of hashes.')
  120. else
  121. case extraction_type
  122. when 'html', 'xml'
  123. extract.each do |name, details|
  124. case details['css']
  125. when String
  126. # ok
  127. when nil
  128. case details['xpath']
  129. when String
  130. # ok
  131. when nil
  132. errors.add(:base, "When type is html or xml, all extractions must have a css or xpath attribute (bad extraction details for #{name.inspect})")
  133. else
  134. errors.add(:base, "Wrong type of \"xpath\" value in extraction details for #{name.inspect}")
  135. end
  136. else
  137. errors.add(:base, "Wrong type of \"css\" value in extraction details for #{name.inspect}")
  138. end
  139. case details['value']
  140. when String, nil
  141. # ok
  142. else
  143. errors.add(:base, "Wrong type of \"value\" value in extraction details for #{name.inspect}")
  144. end
  145. end
  146. when 'json'
  147. extract.each do |name, details|
  148. case details['path']
  149. when String
  150. # ok
  151. when nil
  152. errors.add(:base, "When type is json, all extractions must have a path attribute (bad extraction details for #{name.inspect})")
  153. else
  154. errors.add(:base, "Wrong type of \"path\" value in extraction details for #{name.inspect}")
  155. end
  156. end
  157. when 'text'
  158. extract.each do |name, details|
  159. case regexp = details['regexp']
  160. when String
  161. begin
  162. re = Regexp.new(regexp)
  163. rescue => e
  164. errors.add(:base, "invalid regexp for #{name.inspect}: #{e.message}")
  165. end
  166. when nil
  167. errors.add(:base, "When type is text, all extractions must have a regexp attribute (bad extraction details for #{name.inspect})")
  168. else
  169. errors.add(:base, "Wrong type of \"regexp\" value in extraction details for #{name.inspect}")
  170. end
  171. case index = details['index']
  172. when Integer, /\A\d+\z/
  173. # ok
  174. when String
  175. if re && !re.names.include?(index)
  176. errors.add(:base, "no named capture #{index.inspect} found in regexp for #{name.inspect})")
  177. end
  178. when nil
  179. errors.add(:base, "When type is text, all extractions must have an index attribute (bad extraction details for #{name.inspect})")
  180. else
  181. errors.add(:base, "Wrong type of \"index\" value in extraction details for #{name.inspect}")
  182. end
  183. end
  184. when /\{/
  185. # Liquid templating
  186. else
  187. errors.add(:base, "Unknown extraction type #{extraction_type.inspect}")
  188. end
  189. end
  190. when nil
  191. unless extraction_type == 'json'
  192. errors.add(:base, 'extract is required for all types except json')
  193. end
  194. else
  195. errors.add(:base, 'extract must be a hash')
  196. end
  197. end
  198. def check
  199. check_urls(interpolated['url'])
  200. end
  201. def check_urls(in_url, existing_payload = {})
  202. return unless in_url.present?
  203. Array(in_url).each do |url|
  204. check_url(url, existing_payload)
  205. end
  206. end
  207. def check_url(url, existing_payload = {})
  208. unless /\Ahttps?:\/\//i === url
  209. error "Ignoring a non-HTTP url: #{url.inspect}"
  210. return
  211. end
  212. uri = Utils.normalize_uri(url)
  213. log "Fetching #{uri}"
  214. response = faraday.get(uri)
  215. raise "Failed: #{response.inspect}" unless response.success?
  216. interpolation_context.stack {
  217. interpolation_context['_response_'] = ResponseDrop.new(response)
  218. handle_data(response.body, response.env[:url], existing_payload)
  219. }
  220. rescue => e
  221. error "Error when fetching url: #{e.message}\n#{e.backtrace.join("\n")}"
  222. end
  223. def handle_data(body, url, existing_payload)
  224. doc = parse(body)
  225. if extract_full_json?
  226. if store_payload!(previous_payloads(1), doc)
  227. log "Storing new result for '#{name}': #{doc.inspect}"
  228. create_event payload: existing_payload.merge(doc)
  229. end
  230. return
  231. end
  232. output =
  233. case extraction_type
  234. when 'json'
  235. extract_json(doc)
  236. when 'text'
  237. extract_text(doc)
  238. else
  239. extract_xml(doc)
  240. end
  241. num_unique_lengths = interpolated['extract'].keys.map { |name| output[name].length }.uniq
  242. if num_unique_lengths.length != 1
  243. raise "Got an uneven number of matches for #{interpolated['name']}: #{interpolated['extract'].inspect}"
  244. end
  245. old_events = previous_payloads num_unique_lengths.first
  246. num_unique_lengths.first.times do |index|
  247. result = {}
  248. interpolated['extract'].keys.each do |name|
  249. result[name] = output[name][index]
  250. if name.to_s == 'url' && url.present?
  251. result[name] = (url + Utils.normalize_uri(result[name])).to_s
  252. end
  253. end
  254. if store_payload!(old_events, result)
  255. log "Storing new parsed result for '#{name}': #{result.inspect}"
  256. create_event payload: existing_payload.merge(result)
  257. end
  258. end
  259. end
  260. def receive(incoming_events)
  261. incoming_events.each do |event|
  262. interpolate_with(event) do
  263. existing_payload = interpolated['mode'].to_s == "merge" ? event.payload : {}
  264. if data_from_event = options['data_from_event'].presence
  265. data = interpolate_options(data_from_event)
  266. if data.present?
  267. handle_event_data(data, event, existing_payload)
  268. else
  269. error "No data was found in the Event payload using the template #{data_from_event}", inbound_event: event
  270. end
  271. else
  272. url_to_scrape =
  273. if url_template = options['url_from_event'].presence
  274. interpolate_options(url_template)
  275. else
  276. interpolated['url']
  277. end
  278. check_urls(url_to_scrape, existing_payload)
  279. end
  280. end
  281. end
  282. end
  283. private
  284. def handle_event_data(data, event, existing_payload)
  285. handle_data(data, event.payload['url'], existing_payload)
  286. rescue => e
  287. error "Error when handling event data: #{e.message}\n#{e.backtrace.join("\n")}", inbound_event: event
  288. end
  289. # This method returns true if the result should be stored as a new event.
  290. # If mode is set to 'on_change', this method may return false and update an existing
  291. # event to expire further in the future.
  292. def store_payload!(old_events, result)
  293. case interpolated['mode'].presence
  294. when 'on_change'
  295. result_json = result.to_json
  296. if found = old_events.find { |event| event.payload.to_json == result_json }
  297. found.update!(expires_at: new_event_expiration_date)
  298. false
  299. else
  300. true
  301. end
  302. when 'all', 'merge', ''
  303. true
  304. else
  305. raise "Illegal options[mode]: #{interpolated['mode']}"
  306. end
  307. end
  308. def previous_payloads(num_events)
  309. if interpolated['uniqueness_look_back'].present?
  310. look_back = interpolated['uniqueness_look_back'].to_i
  311. else
  312. # Larger of UNIQUENESS_FACTOR * num_events and UNIQUENESS_LOOK_BACK
  313. look_back = UNIQUENESS_FACTOR * num_events
  314. if look_back < UNIQUENESS_LOOK_BACK
  315. look_back = UNIQUENESS_LOOK_BACK
  316. end
  317. end
  318. events.order("id desc").limit(look_back) if interpolated['mode'] == "on_change"
  319. end
  320. def extract_full_json?
  321. !interpolated['extract'].present? && extraction_type == "json"
  322. end
  323. def extraction_type(interpolated = interpolated())
  324. (interpolated['type'] || begin
  325. case interpolated['url']
  326. when /\.(rss|xml)$/i
  327. "xml"
  328. when /\.json$/i
  329. "json"
  330. when /\.(txt|text)$/i
  331. "text"
  332. else
  333. "html"
  334. end
  335. end).to_s
  336. end
  337. def use_namespaces?
  338. if value = interpolated.key?('use_namespaces')
  339. boolify(interpolated['use_namespaces'])
  340. else
  341. interpolated['extract'].none? { |name, extraction_details|
  342. extraction_details.key?('xpath')
  343. }
  344. end
  345. end
  346. def extract_each(&block)
  347. interpolated['extract'].each_with_object({}) { |(name, extraction_details), output|
  348. output[name] = block.call(extraction_details)
  349. }
  350. end
  351. def extract_json(doc)
  352. extract_each { |extraction_details|
  353. result = Utils.values_at(doc, extraction_details['path'])
  354. log "Extracting #{extraction_type} at #{extraction_details['path']}: #{result}"
  355. result
  356. }
  357. end
  358. def extract_text(doc)
  359. extract_each { |extraction_details|
  360. regexp = Regexp.new(extraction_details['regexp'])
  361. case index = extraction_details['index']
  362. when /\A\d+\z/
  363. index = index.to_i
  364. end
  365. result = []
  366. doc.scan(regexp) {
  367. result << Regexp.last_match[index]
  368. }
  369. log "Extracting #{extraction_type} at #{regexp}: #{result}"
  370. result
  371. }
  372. end
  373. def extract_xml(doc)
  374. extract_each { |extraction_details|
  375. case
  376. when css = extraction_details['css']
  377. nodes = doc.css(css)
  378. when xpath = extraction_details['xpath']
  379. nodes = doc.xpath(xpath)
  380. else
  381. raise '"css" or "xpath" is required for HTML or XML extraction'
  382. end
  383. case nodes
  384. when Nokogiri::XML::NodeSet
  385. result = nodes.map { |node|
  386. value = node.xpath(extraction_details['value'] || '.')
  387. if value.is_a?(Nokogiri::XML::NodeSet)
  388. child = value.first
  389. if child && child.cdata?
  390. value = child.text
  391. end
  392. end
  393. case value
  394. when Float
  395. # Node#xpath() returns any numeric value as float;
  396. # convert it to integer as appropriate.
  397. value = value.to_i if value.to_i == value
  398. end
  399. value.to_s
  400. }
  401. else
  402. raise "The result of HTML/XML extraction was not a NodeSet"
  403. end
  404. log "Extracting #{extraction_type} at #{xpath || css}: #{result}"
  405. result
  406. }
  407. end
  408. def parse(data)
  409. case type = extraction_type
  410. when "xml"
  411. doc = Nokogiri::XML(data)
  412. # ignore xmlns, useful when parsing atom feeds
  413. doc.remove_namespaces! unless use_namespaces?
  414. doc
  415. when "json"
  416. JSON.parse(data)
  417. when "html"
  418. Nokogiri::HTML(data)
  419. when "text"
  420. data
  421. else
  422. raise "Unknown extraction type: #{type}"
  423. end
  424. end
  425. def is_positive_integer?(value)
  426. Integer(value) >= 0
  427. rescue
  428. false
  429. end
  430. # Wraps Faraday::Response
  431. class ResponseDrop < LiquidDroppable::Drop
  432. def headers
  433. HeaderDrop.new(@object.headers)
  434. end
  435. # Integer value of HTTP status
  436. def status
  437. @object.status
  438. end
  439. end
  440. # Wraps Faraday::Utils::Headers
  441. class HeaderDrop < LiquidDroppable::Drop
  442. def before_method(name)
  443. @object[name.tr('_', '-')]
  444. end
  445. end
  446. end
  447. end