A Python robot that edits Wikipedia and interacts with people over IRC https://en.wikipedia.org/wiki/User:EarwigBot
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

738 lines
30 KiB

  1. # -*- coding: utf-8 -*-
  2. #
  3. # Copyright (C) 2009-2012 Ben Kurtovic <ben.kurtovic@verizon.net>
  4. #
  5. # Permission is hereby granted, free of charge, to any person obtaining a copy
  6. # of this software and associated documentation files (the "Software"), to deal
  7. # in the Software without restriction, including without limitation the rights
  8. # to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
  9. # copies of the Software, and to permit persons to whom the Software is
  10. # furnished to do so, subject to the following conditions:
  11. #
  12. # The above copyright notice and this permission notice shall be included in
  13. # all copies or substantial portions of the Software.
  14. #
  15. # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
  16. # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
  17. # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
  18. # AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
  19. # LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
  20. # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
  21. # SOFTWARE.
  22. from datetime import datetime
  23. import re
  24. from os.path import expanduser
  25. from threading import Lock
  26. from time import sleep
  27. import oursql
  28. from earwigbot import exceptions
  29. from earwigbot import wiki
  30. from earwigbot.tasks import Task
  31. class AFCStatistics(Task):
  32. """A task to generate statistics for WikiProject Articles for Creation.
  33. Statistics are stored in a MySQL database ("u_earwig_afc_statistics")
  34. accessed with oursql. Statistics are synchronied with the live database
  35. every four minutes and saved once an hour, on the hour, to self.pagename.
  36. In the live bot, this is "Template:AFC statistics".
  37. """
  38. name = "afc_statistics"
  39. number = 2
  40. # Chart status number constants:
  41. CHART_NONE = 0
  42. CHART_PEND = 1
  43. CHART_DRAFT = 2
  44. CHART_REVIEW = 3
  45. CHART_ACCEPT = 4
  46. CHART_DECLINE = 5
  47. CHART_MISPLACE = 6
  48. def setup(self):
  49. self.cfg = cfg = self.config.tasks.get(self.name, {})
  50. # Set some wiki-related attributes:
  51. self.pagename = cfg.get("page", "Template:AFC statistics")
  52. self.pending_cat = cfg.get("pending", "Pending AfC submissions")
  53. self.ignore_list = cfg.get("ignoreList", [])
  54. default_summary = "Updating statistics for [[WP:WPAFC|WikiProject Articles for creation]]."
  55. self.summary = self.make_summary(cfg.get("summary", default_summary))
  56. # Templates used in chart generation:
  57. templates = cfg.get("templates", {})
  58. self.tl_header = templates.get("header", "AFC statistics/header")
  59. self.tl_row = templates.get("row", "AFC statistics/row")
  60. self.tl_footer = templates.get("footer", "AFC statistics/footer")
  61. # Connection data for our SQL database:
  62. kwargs = cfg.get("sql", {})
  63. kwargs["read_default_file"] = expanduser("~/.my.cnf")
  64. self.conn_data = kwargs
  65. self.db_access_lock = Lock()
  66. def run(self, **kwargs):
  67. """Entry point for a task event.
  68. Depending on the kwargs passed, we will either synchronize our local
  69. statistics database with the site (self.sync()) or save it to the wiki
  70. (self.save()). We will additionally create an SQL connection with our
  71. local database.
  72. """
  73. action = kwargs.get("action")
  74. if not self.db_access_lock.acquire(False): # Non-blocking
  75. if action == "sync":
  76. self.logger.info("A sync is already ongoing; aborting")
  77. return
  78. self.logger.info("Waiting for database access lock")
  79. self.db_access_lock.acquire()
  80. try:
  81. self.site = self.bot.wiki.get_site()
  82. self.conn = oursql.connect(**self.conn_data)
  83. try:
  84. if action == "save":
  85. self.save(kwargs)
  86. elif action == "sync":
  87. self.sync(kwargs)
  88. elif action == "update":
  89. self.update(kwargs)
  90. finally:
  91. self.conn.close()
  92. finally:
  93. self.db_access_lock.release()
  94. def save(self, kwargs):
  95. """Save our local statistics to the wiki.
  96. After checking for emergency shutoff, the statistics chart is compiled,
  97. and then saved to self.pagename using self.summary iff it has changed
  98. since last save.
  99. """
  100. self.logger.info("Saving chart")
  101. if kwargs.get("fromIRC"):
  102. summary = self.summary + " (!earwigbot)"
  103. else:
  104. if self.shutoff_enabled():
  105. return
  106. summary = self.summary
  107. statistics = self.compile_charts().encode("utf8")
  108. page = self.site.get_page(self.pagename)
  109. text = page.get().encode("utf8")
  110. newtext = re.sub("<!-- stat begin -->(.*?)<!-- stat end -->",
  111. "<!-- stat begin -->\n" + statistics + "\n<!-- stat end -->",
  112. text, flags=re.DOTALL)
  113. if newtext == text:
  114. self.logger.info("Chart unchanged; not saving")
  115. return # Don't edit the page if we're not adding anything
  116. newtext = re.sub("<!-- sig begin -->(.*?)<!-- sig end -->",
  117. "<!-- sig begin -->~~~ at ~~~~~<!-- sig end -->",
  118. newtext)
  119. page.edit(newtext, summary, minor=True, bot=True)
  120. self.logger.info(u"Chart saved to [[{0}]]".format(page.title))
  121. def compile_charts(self):
  122. """Compile and return all statistics information from our local db."""
  123. stats = ""
  124. with self.conn.cursor() as cursor:
  125. cursor.execute("SELECT * FROM chart")
  126. for chart in cursor:
  127. stats += self.compile_chart(chart) + "\n"
  128. return stats[:-1] # Drop the last newline
  129. def compile_chart(self, chart_info):
  130. """Compile and return a single statistics chart."""
  131. chart_id, chart_title, special_title = chart_info
  132. chart = self.tl_header + "|" + chart_title
  133. if special_title:
  134. chart += "|" + special_title
  135. chart = "{{" + chart + "}}"
  136. query = "SELECT * FROM page JOIN row ON page_id = row_id WHERE row_chart = ?"
  137. with self.conn.cursor(oursql.DictCursor) as cursor:
  138. cursor.execute(query, (chart_id,))
  139. for page in cursor:
  140. chart += "\n" + self.compile_chart_row(page).decode("utf8")
  141. chart += "\n{{" + self.tl_footer + "}}"
  142. return chart
  143. def compile_chart_row(self, page):
  144. """Compile and return a single chart row.
  145. 'page' is a dict of page information, taken as a row from the page
  146. table, where keys are column names and values are their cell contents.
  147. """
  148. row = "{0}|s={page_status}|t={page_title}|h={page_short}|z={page_size}|"
  149. row += "sr={page_special_user}|sd={page_special_time}|si={page_special_oldid}|"
  150. row += "mr={page_modify_user}|md={page_modify_time}|mi={page_modify_oldid}"
  151. page["page_special_time"] = self.format_time(page["page_special_time"])
  152. page["page_modify_time"] = self.format_time(page["page_modify_time"])
  153. if page["page_notes"]:
  154. row += "|n=1{page_notes}"
  155. return "{{" + row.format(self.tl_row, **page) + "}}"
  156. def format_time(self, dt):
  157. """Format a datetime into the standard MediaWiki timestamp format."""
  158. return dt.strftime("%H:%M, %d %b %Y")
  159. def sync(self, kwargs):
  160. """Synchronize our local statistics database with the site.
  161. Syncing involves, in order, updating tracked submissions that have
  162. been changed since last sync (self.update_tracked()), adding pending
  163. submissions that are not tracked (self.add_untracked()), and removing
  164. old submissions from the database (self.delete_old()).
  165. The sync will be canceled if SQL replication lag is greater than 600
  166. seconds, because this will lead to potential problems and outdated
  167. data, not to mention putting demand on an already overloaded server.
  168. Giving sync the kwarg "ignore_replag" will go around this restriction.
  169. """
  170. self.logger.info("Starting sync")
  171. replag = self.site.get_replag()
  172. self.logger.debug("Server replag is {0}".format(replag))
  173. if replag > 600 and not kwargs.get("ignore_replag"):
  174. msg = "Sync canceled as replag ({0} secs) is greater than ten minutes"
  175. self.logger.warn(msg.format(replag))
  176. return
  177. with self.conn.cursor() as cursor:
  178. self.update_tracked(cursor)
  179. self.add_untracked(cursor)
  180. self.delete_old(cursor)
  181. self.logger.info("Sync completed")
  182. def update_tracked(self, cursor):
  183. """Update tracked submissions that have been changed since last sync.
  184. This is done by iterating through every page in our database and
  185. comparing our stored latest revision ID with the actual latest revision
  186. ID from an SQL query. If they differ, we will update our information
  187. about the page (self.update_page()).
  188. If the page does not exist, we will remove it from our database with
  189. self.untrack_page().
  190. """
  191. self.logger.debug("Updating tracked submissions")
  192. query1 = "SELECT page_id, page_title, page_modify_oldid FROM page"
  193. query2 = """SELECT page_latest, page_title, page_namespace FROM page
  194. WHERE page_id = ?"""
  195. cursor.execute(query1)
  196. for pageid, title, oldid in cursor:
  197. result = list(self.site.sql_query(query2, (pageid,)))
  198. if not result:
  199. self.untrack_page(cursor, pageid)
  200. continue
  201. title = title.decode("utf8") # SQL gives strings; we want Unicode
  202. real_oldid = result[0][0]
  203. if oldid != real_oldid:
  204. msg = u"Updating page [[{0}]] (id: {1}) @ {2}"
  205. self.logger.debug(msg.format(title, pageid, oldid))
  206. self.logger.debug(" {0} -> {1}".format(oldid, real_oldid))
  207. base = result[0][1].decode("utf8").replace("_", " ")
  208. ns = self.site.namespace_id_to_name(result[0][2])
  209. if ns:
  210. real_title = u":".join((ns, base))
  211. else:
  212. real_title = base
  213. try:
  214. self.update_page(cursor, pageid, real_title)
  215. except Exception:
  216. e = u"Error updating page [[{0}]] (id: {1})"
  217. self.logger.exception(e.format(real_title, pageid))
  218. def add_untracked(self, cursor):
  219. """Add pending submissions that are not yet tracked.
  220. This is done by compiling a list of all currently tracked submissions
  221. and iterating through all members of self.pending_cat via SQL. If a
  222. page in the pending category is not tracked and is not in
  223. self.ignore_list, we will track it with self.track_page().
  224. """
  225. self.logger.debug("Adding untracked pending submissions")
  226. cursor.execute("SELECT page_id FROM page")
  227. tracked = [i[0] for i in cursor.fetchall()]
  228. category = self.site.get_category(self.pending_cat)
  229. for title, pageid in category.get_members():
  230. if title in self.ignore_list:
  231. continue
  232. if pageid not in tracked:
  233. msg = u"Tracking page [[{0}]] (id: {1})".format(title, pageid)
  234. self.logger.debug(msg)
  235. try:
  236. self.track_page(cursor, pageid, title)
  237. except Exception:
  238. e = u"Error tracking page [[{0}]] (id: {1})"
  239. self.logger.exception(e.format(title, pageid))
  240. def delete_old(self, cursor):
  241. """Remove old submissions from the database.
  242. "Old" is defined as a submission that has been declined or accepted
  243. more than 36 hours ago. Pending submissions cannot be "old".
  244. """
  245. self.logger.debug("Removing old submissions from chart")
  246. query = """DELETE FROM page, row USING page JOIN row
  247. ON page_id = row_id WHERE row_chart IN (?, ?)
  248. AND ADDTIME(page_special_time, '36:00:00') < NOW()"""
  249. cursor.execute(query, (self.CHART_ACCEPT, self.CHART_DECLINE))
  250. def update(self, kwargs):
  251. """Update a page by name, regardless of whether anything has changed.
  252. Mainly intended as a command to be used via IRC, e.g.:
  253. !tasks start afc_statistics action=update page=Foobar
  254. """
  255. title = kwargs.get("page")
  256. if not title:
  257. return
  258. title = title.replace("_", " ").decode("utf8")
  259. query = "SELECT page_id, page_modify_oldid FROM page WHERE page_title = ?"
  260. with self.conn.cursor() as cursor:
  261. cursor.execute(query, (title,))
  262. try:
  263. pageid, oldid = cursor.fetchall()[0]
  264. except IndexError:
  265. msg = u"Page [[{0}]] not found in database".format(title)
  266. self.logger.error(msg)
  267. msg = u"Updating page [[{0}]] (id: {1}) @ {2}"
  268. self.logger.info(msg.format(title, pageid, oldid))
  269. self.update_page(cursor, pageid, title)
  270. def untrack_page(self, cursor, pageid):
  271. """Remove a page, given by ID, from our database."""
  272. self.logger.debug("Untracking page (id: {0})".format(pageid))
  273. query = """DELETE FROM page, row USING page JOIN row
  274. ON page_id = row_id WHERE page_id = ?"""
  275. cursor.execute(query, (pageid,))
  276. def track_page(self, cursor, pageid, title):
  277. """Update hook for when page is not in our database.
  278. A variety of SQL queries are used to gather information about the page,
  279. which is then saved to our database.
  280. """
  281. content = self.get_content(title)
  282. if content is None:
  283. msg = u"Could not get page content for [[{0}]]".format(title)
  284. self.logger.error(msg)
  285. return
  286. namespace = self.site.get_page(title).namespace
  287. status, chart = self.get_status_and_chart(content, namespace)
  288. if chart == self.CHART_NONE:
  289. msg = u"Could not find a status for [[{0}]]".format(title)
  290. self.logger.warn(msg)
  291. return
  292. short = self.get_short_title(title)
  293. size = self.get_size(content)
  294. m_user, m_time, m_id = self.get_modify(pageid)
  295. s_user, s_time, s_id = self.get_special(pageid, chart)
  296. notes = self.get_notes(chart, content, m_time, s_user)
  297. query1 = "INSERT INTO row VALUES (?, ?)"
  298. query2 = "INSERT INTO page VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?)"
  299. cursor.execute(query1, (pageid, chart))
  300. cursor.execute(query2, (pageid, status, title, short, size, notes,
  301. m_user, m_time, m_id, s_user, s_time, s_id))
  302. def update_page(self, cursor, pageid, title):
  303. """Update hook for when page is already in our database.
  304. A variety of SQL queries are used to gather information about the page,
  305. which is compared against our stored information. Differing information
  306. is then updated.
  307. """
  308. content = self.get_content(title)
  309. if content is None:
  310. msg = u"Could not get page content for [[{0}]]".format(title)
  311. self.logger.error(msg)
  312. return
  313. namespace = self.site.get_page(title).namespace
  314. status, chart = self.get_status_and_chart(content, namespace)
  315. if chart == self.CHART_NONE:
  316. self.untrack_page(cursor, pageid)
  317. return
  318. query = "SELECT * FROM page JOIN row ON page_id = row_id WHERE page_id = ?"
  319. with self.conn.cursor(oursql.DictCursor) as dict_cursor:
  320. dict_cursor.execute(query, (pageid,))
  321. result = dict_cursor.fetchall()[0]
  322. size = self.get_size(content)
  323. m_user, m_time, m_id = self.get_modify(pageid)
  324. if title != result["page_title"].decode("utf8"):
  325. self.update_page_title(cursor, result, pageid, title)
  326. if m_id != result["page_modify_oldid"]:
  327. self.update_page_modify(cursor, result, pageid, size, m_user,
  328. m_time, m_id)
  329. if status != result["page_status"]:
  330. special = self.update_page_status(cursor, result, pageid, status,
  331. chart)
  332. s_user = special[0]
  333. else:
  334. try:
  335. s_user = result["page_special_user"].decode("utf8")
  336. except AttributeError: # Happens if page_special_user is None
  337. s_user = result["page_special_user"]
  338. notes = self.get_notes(chart, content, m_time, s_user)
  339. if notes != result["page_notes"]:
  340. self.update_page_notes(cursor, result, pageid, notes)
  341. def update_page_title(self, cursor, result, pageid, title):
  342. """Update the title and short_title of a page in our database."""
  343. query = "UPDATE page SET page_title = ?, page_short = ? WHERE page_id = ?"
  344. short = self.get_short_title(title)
  345. cursor.execute(query, (title, short, pageid))
  346. msg = u" {0}: title: {1} -> {2}"
  347. old_title = result["page_title"].decode("utf8")
  348. self.logger.debug(msg.format(pageid, old_title, title))
  349. def update_page_modify(self, cursor, result, pageid, size, m_user, m_time, m_id):
  350. """Update the last modified information of a page in our database."""
  351. query = """UPDATE page SET page_size = ?, page_modify_user = ?,
  352. page_modify_time = ?, page_modify_oldid = ?
  353. WHERE page_id = ?"""
  354. cursor.execute(query, (size, m_user, m_time, m_id, pageid))
  355. msg = u" {0}: modify: {1} / {2} / {3} -> {4} / {5} / {6}"
  356. msg = msg.format(pageid, result["page_modify_user"].decode("utf8"),
  357. result["page_modify_time"],
  358. result["page_modify_oldid"], m_user, m_time, m_id)
  359. self.logger.debug(msg)
  360. def update_page_status(self, cursor, result, pageid, status, chart):
  361. """Update the status and "specialed" information of a page."""
  362. query1 = """UPDATE page JOIN row ON page_id = row_id
  363. SET page_status = ?, row_chart = ? WHERE page_id = ?"""
  364. query2 = """UPDATE page SET page_special_user = ?,
  365. page_special_time = ?, page_special_oldid = ?
  366. WHERE page_id = ?"""
  367. cursor.execute(query1, (status, chart, pageid))
  368. msg = " {0}: status: {1} ({2}) -> {3} ({4})"
  369. self.logger.debug(msg.format(pageid, result["page_status"],
  370. result["row_chart"], status, chart))
  371. s_user, s_time, s_id = self.get_special(pageid, chart)
  372. if s_id != result["page_special_oldid"]:
  373. cursor.execute(query2, (s_user, s_time, s_id, pageid))
  374. msg = u"{0}: special: {1} / {2} / {3} -> {4} / {5} / {6}"
  375. msg = msg.format(pageid,
  376. result["page_special_user"].decode("utf8"),
  377. result["page_special_time"],
  378. result["page_special_oldid"], s_user, s_time, s_id)
  379. self.logger.debug(msg)
  380. return s_user, s_time, s_id
  381. def update_page_notes(self, cursor, result, pageid, notes):
  382. """Update the notes (or warnings) of a page in our database."""
  383. query = "UPDATE page SET page_notes = ? WHERE page_id = ?"
  384. cursor.execute(query, (notes, pageid))
  385. msg = " {0}: notes: {1} -> {2}"
  386. self.logger.debug(msg.format(pageid, result["page_notes"], notes))
  387. def get_content(self, title):
  388. """Get the current content of a page by title from the API.
  389. The page's current revision ID is retrieved from SQL, and then
  390. an API query is made to get its content. This is the only API query
  391. used in the task's code.
  392. """
  393. query = "SELECT page_latest FROM page WHERE page_title = ? AND page_namespace = ?"
  394. try:
  395. namespace, base = title.split(":", 1)
  396. except ValueError:
  397. base = title
  398. ns = wiki.NS_MAIN
  399. else:
  400. try:
  401. ns = self.site.namespace_name_to_id(namespace)
  402. except exceptions.NamespaceNotFoundError:
  403. base = title
  404. ns = wiki.NS_MAIN
  405. result = self.site.sql_query(query, (base.replace(" ", "_"), ns))
  406. try:
  407. revid = int(list(result)[0][0])
  408. except IndexError:
  409. return None
  410. return self.get_revision_content(revid)
  411. def get_revision_content(self, revid, tries=1):
  412. """Get the content of a revision by ID from the API."""
  413. res = self.site.api_query(action="query", prop="revisions",
  414. revids=revid, rvprop="content")
  415. try:
  416. return res["query"]["pages"].values()[0]["revisions"][0]["*"]
  417. except KeyError:
  418. if tries > 0:
  419. sleep(5)
  420. return self.get_revision_content(revid, tries=tries - 1)
  421. def get_status_and_chart(self, content, namespace):
  422. """Determine the status and chart number of an AFC submission.
  423. The methodology used here is the same one I've been using for years
  424. (see also commands.afc_report), but with the new draft system taken
  425. into account. The order here is important: if there is more than one
  426. {{AFC submission}} template on a page, we need to know which one to
  427. use (revision history search to find the most recent isn't a viable
  428. idea :P).
  429. """
  430. statuses = self.get_statuses(content)
  431. if "R" in statuses:
  432. status, chart = "r", self.CHART_REVIEW
  433. elif "H" in statuses:
  434. status, chart = "p", self.CHART_DRAFT
  435. elif "P" in statuses:
  436. status, chart = "p", self.CHART_PEND
  437. elif "T" in statuses:
  438. status, chart = None, self.CHART_NONE
  439. elif "D" in statuses:
  440. status, chart = "d", self.CHART_DECLINE
  441. else:
  442. status, chart = None, self.CHART_NONE
  443. if namespace == wiki.NS_MAIN:
  444. if not statuses:
  445. status, chart = "a", self.CHART_ACCEPT
  446. else:
  447. status, chart = None, self.CHART_MISPLACE
  448. return status, chart
  449. def get_statuses(self, content):
  450. """Return a list of all AFC submission statuses in a page's text."""
  451. re_has_templates = "\{\{[aA][fF][cC] submission\s*(\}\}|\||/)"
  452. re_template = "\{\{[aA][fF][cC] submission\s*(.*?)\}\}"
  453. re_remove_embed = "(\{\{[aA][fF][cC] submission\s*(.*?))\{\{(.*?)\}\}(.*?)\}\}"
  454. valid = ["R", "H", "P", "T", "D"]
  455. subtemps = {
  456. "/reviewing": "R",
  457. "/onhold": "H",
  458. "/pending": "P",
  459. "/draft": "T",
  460. "/declined": "D"
  461. }
  462. statuses = []
  463. while re.search(re_has_templates, content):
  464. status = "P"
  465. match = re.search(re_template, content, re.S)
  466. if not match:
  467. return statuses
  468. temp = match.group(1)
  469. limit = 0
  470. while "{{" in temp and limit < 50:
  471. content = re.sub(re_remove_embed, "\\1\\4}}", content, 1, re.S)
  472. match = re.search(re_template, content, re.S)
  473. temp = match.group(1)
  474. limit += 1
  475. params = temp.split("|")
  476. try:
  477. subtemp, params = params[0].strip(), params[1:]
  478. except IndexError:
  479. status = "P"
  480. params = []
  481. else:
  482. if subtemp:
  483. status = subtemps.get(subtemp)
  484. params = []
  485. for param in params:
  486. param = param.strip().upper()
  487. if "=" in param:
  488. key, value = param.split("=", 1)
  489. if key.strip() == "1":
  490. status = value if value in valid else "P"
  491. break
  492. else:
  493. status = param if param in valid else "P"
  494. break
  495. statuses.append(status)
  496. content = re.sub(re_template, "", content, 1, re.S)
  497. return statuses
  498. def get_short_title(self, title):
  499. """Shorten a title so we can display it in a chart using less space.
  500. Basically, this just means removing the "Wikipedia talk:Articles for
  501. creation" part from the beginning. If it is longer than 50 characters,
  502. we'll shorten it down to 47 and add an poor-man's ellipsis at the end.
  503. """
  504. short = re.sub("Wikipedia(\s*talk)?\:Articles\sfor\screation\/", "", title)
  505. if len(short) > 50:
  506. short = short[:47] + "..."
  507. return short
  508. def get_size(self, content):
  509. """Return a page's size in a short, pretty format."""
  510. return "{0} kB".format(round(len(content) / 1000.0, 1))
  511. def get_modify(self, pageid):
  512. """Return information about a page's last edit ("modification").
  513. This consists of the most recent editor, modification time, and the
  514. lastest revision ID.
  515. """
  516. query = """SELECT rev_user_text, rev_timestamp, rev_id FROM revision
  517. JOIN page ON rev_id = page_latest WHERE page_id = ?"""
  518. result = self.site.sql_query(query, (pageid,))
  519. m_user, m_time, m_id = list(result)[0]
  520. timestamp = datetime.strptime(m_time, "%Y%m%d%H%M%S")
  521. return m_user.decode("utf8"), timestamp, m_id
  522. def get_special(self, pageid, chart):
  523. """Return information about a page's "special" edit.
  524. I tend to use the term "special" as a verb a lot, which is bound to
  525. cause confusion. It is merely a short way of saying "the edit in which
  526. a declined submission was declined, an accepted submission was
  527. accepted, a submission in review was set as such, a pending submission
  528. was submitted, and a "misplaced" submission was created."
  529. This "information" consists of the special edit's editor, its time, and
  530. its revision ID. If the page's status is not something that involves
  531. "special"-ing, we will return None for all three. The same will be
  532. returned if we cannot determine when the page was "special"-ed, or if
  533. it was "special"-ed more than 100 edits ago.
  534. """
  535. if chart == self.CHART_NONE:
  536. return None, None, None
  537. elif chart == self.CHART_MISPLACE:
  538. return self.get_create(pageid)
  539. elif chart == self.CHART_ACCEPT:
  540. search_for = None
  541. search_not = ["R", "H", "P", "T", "D"]
  542. elif chart == self.CHART_DRAFT:
  543. search_for = "H"
  544. search_not = []
  545. elif chart == self.CHART_PEND:
  546. search_for = "P"
  547. search_not = []
  548. elif chart == self.CHART_REVIEW:
  549. search_for = "R"
  550. search_not = []
  551. elif chart == self.CHART_DECLINE:
  552. search_for = "D"
  553. search_not = ["R", "H", "P", "T"]
  554. query = """SELECT rev_user_text, rev_timestamp, rev_id
  555. FROM revision WHERE rev_page = ? ORDER BY rev_id DESC"""
  556. result = self.site.sql_query(query, (pageid,))
  557. counter = 0
  558. last = (None, None, None)
  559. for user, ts, revid in result:
  560. counter += 1
  561. if counter > 50:
  562. msg = "Exceeded 50 content lookups while determining special for page (id: {0}, chart: {1})"
  563. self.logger.warn(msg.format(pageid, chart))
  564. return None, None, None
  565. try:
  566. content = self.get_revision_content(revid)
  567. except exceptions.APIError:
  568. msg = "API error interrupted SQL query in get_special() for page (id: {0}, chart: {1})"
  569. self.logger.exception(msg.format(pageid, chart))
  570. return None, None, None
  571. statuses = self.get_statuses(content)
  572. matches = [s in statuses for s in search_not]
  573. if search_for:
  574. if search_for not in statuses or any(matches):
  575. return last
  576. else:
  577. if any(matches):
  578. return last
  579. timestamp = datetime.strptime(ts, "%Y%m%d%H%M%S")
  580. last = (user.decode("utf8"), timestamp, revid)
  581. return last
  582. def get_create(self, pageid):
  583. """Return information about a page's first edit ("creation").
  584. This consists of the page creator, creation time, and the earliest
  585. revision ID.
  586. """
  587. query = """SELECT rev_user_text, rev_timestamp, rev_id
  588. FROM revision WHERE rev_id =
  589. (SELECT MIN(rev_id) FROM revision WHERE rev_page = ?)"""
  590. result = self.site.sql_query(query, (pageid,))
  591. c_user, c_time, c_id = list(result)[0]
  592. timestamp = datetime.strptime(c_time, "%Y%m%d%H%M%S")
  593. return c_user.encode("utf8"), timestamp, c_id
  594. def get_notes(self, chart, content, m_time, s_user):
  595. """Return any special notes or warnings about this page.
  596. resubmit: submission was resubmitted after a previous decline
  597. short: submission is fewer than 500 bytes
  598. no-inline: submission has no inline citations
  599. unsourced: submission lacks references completely
  600. old: submission has not been touched in > 4 days
  601. blocked: submitter is currently blocked
  602. """
  603. notes = ""
  604. ignored_charts = [self.CHART_NONE, self.CHART_ACCEPT, self.CHART_DECLINE]
  605. if chart in ignored_charts:
  606. return notes
  607. statuses = self.get_statuses(content)
  608. if "D" in statuses and chart != self.CHART_MISPLACE:
  609. notes += "|nr=1" # Submission was resubmitted
  610. if len(content) < 500:
  611. notes += "|ns=1" # Submission is short
  612. if not re.search("\<ref\s*(.*?)\>(.*?)\</ref\>", content, re.I | re.S):
  613. regex = "(https?:)|\[//(?!{0})([^ \]\\t\\n\\r\\f\\v]+?)"
  614. sitedomain = re.escape(self.site.domain)
  615. if re.search(regex.format(sitedomain), content, re.I | re.S):
  616. notes += "|ni=1" # Submission has no inline citations
  617. else:
  618. notes += "|nu=1" # Submission is completely unsourced
  619. time_since_modify = (datetime.now() - m_time).total_seconds()
  620. max_time = 4 * 24 * 60 * 60
  621. if time_since_modify > max_time:
  622. notes += "|no=1" # Submission hasn't been touched in over 4 days
  623. if chart in [self.CHART_PEND, self.CHART_DRAFT] and s_user:
  624. submitter = self.site.get_user(s_user)
  625. try:
  626. if submitter.blockinfo:
  627. notes += "|nb=1" # Submitter is blocked
  628. except exceptions.UserNotFoundError: # Likely an IP
  629. pass
  630. return notes