A copyright violation detector running on Wikimedia Cloud Services https://tools.wmflabs.org/copyvios/
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.
 
 
 
 
 

427 lines
21 KiB

  1. <%!
  2. from datetime import datetime
  3. from hashlib import sha256
  4. from itertools import count
  5. from os.path import expanduser
  6. from re import sub, UNICODE
  7. from sys import path
  8. from time import time
  9. from urlparse import parse_qs, urlparse
  10. from earwigbot import exceptions
  11. from earwigbot.bot import Bot
  12. import oursql
  13. def get_results(bot, lang, project, name, all_projects, title, url, query):
  14. site = get_site(bot, lang, project, name, all_projects)
  15. if not site:
  16. return None, None, None
  17. page = site.get_page(title)
  18. if page.exists in [page.PAGE_MISSING, page.PAGE_INVALID]:
  19. return site, page, None
  20. # if url:
  21. # result = get_url_specific_results(page, url)
  22. # else:
  23. # conn = open_sql_connection(bot, "copyvioCache")
  24. # if not query.get("nocache"):
  25. # result = get_cached_results(page, conn)
  26. # if query.get("nocache") or not result:
  27. # result = get_fresh_results(page, conn)
  28. tstart = time()
  29. mc1 = __import__("earwigbot").wiki.copyvios.MarkovChain(page.get())
  30. mc2 = __import__("earwigbot").wiki.copyvios.MarkovChain(u"This is some random textual content for a page.")
  31. mci = __import__("earwigbot").wiki.copyvios.MarkovChainIntersection(mc1, mc2)
  32. result = __import__("earwigbot").wiki.copyvios.CopyvioCheckResult(
  33. True, 0.67123, "http://example.com/", 7, mc1, (mc2, mci))
  34. result.cached = False
  35. result.tdiff = time() - tstart
  36. # END TEST BLOCK
  37. return site, page, result
  38. def get_site(bot, lang, project, name, all_projects):
  39. if project not in [proj[0] for proj in all_projects]:
  40. return None
  41. if project == "wikimedia" and name: # Special sites:
  42. try:
  43. return bot.wiki.get_site(name=name)
  44. except exceptions.SiteNotFoundError:
  45. try:
  46. return bot.wiki.add_site(lang=lang, project=project)
  47. except (exceptions.APIError, exceptions.LoginError):
  48. return None
  49. try:
  50. return bot.wiki.get_site(lang=lang, project=project)
  51. except exceptions.SiteNotFoundError:
  52. try:
  53. return bot.wiki.add_site(lang=lang, project=project)
  54. except (exceptions.APIError, exceptions.LoginError):
  55. return None
  56. def get_url_specific_results(page, url):
  57. t_start = time()
  58. result = page.copyvio_compare(url)
  59. result.cached = False
  60. result.tdiff = time() - t_start
  61. return result
  62. def open_sql_connection(bot, dbname):
  63. conn_args = bot.config.wiki["_toolserverSQL"][dbname]
  64. if "read_default_file" not in conn_args and "user" not in conn_args and "passwd" not in conn_args:
  65. conn_args["read_default_file"] = expanduser("~/.my.cnf")
  66. if "autoping" not in conn_args:
  67. conn_args["autoping"] = True
  68. if "autoreconnect" not in conn_args:
  69. conn_args["autoreconnect"] = True
  70. return oursql.connect(**conn_args)
  71. def get_cached_results(page, conn):
  72. query1 = "DELETE FROM cache WHERE cache_time < DATE_SUB(CURRENT_TIMESTAMP, INTERVAL 3 DAY)"
  73. query2 = "SELECT cache_url, cache_time, cache_queries, cache_process_time FROM cache WHERE cache_id = ? AND cache_hash = ?"
  74. pageid = page.pageid()
  75. hash = sha256(page.get()).hexdigest()
  76. t_start = time()
  77. with conn.cursor() as cursor:
  78. cursor.execute(query1)
  79. cursor.execute(query2, (pageid, hash))
  80. results = cursor.fetchall()
  81. if not results:
  82. return None
  83. url, cache_time, num_queries, original_tdiff = results[0]
  84. result = page.copyvio_compare(url)
  85. result.cached = True
  86. result.queries = num_queries
  87. result.tdiff = time() - t_start
  88. result.original_tdiff = original_tdiff
  89. result.cache_time = cache_time.strftime("%b %d, %Y %H:%M:%S UTC")
  90. result.cache_age = format_date(cache_time)
  91. return result
  92. def format_date(cache_time):
  93. diff = datetime.utcnow() - cache_time
  94. if diff.seconds > 3600:
  95. return "{0} hours".format(diff.seconds / 3600)
  96. if diff.seconds > 60:
  97. return "{0} minutes".format(diff.seconds / 60)
  98. return "{0} seconds".format(diff.seconds)
  99. def get_fresh_results(page, conn):
  100. t_start = time()
  101. result = page.copyvio_check(max_queries=10)
  102. result.cached = False
  103. result.tdiff = time() - t_start
  104. cache_result(page, result, conn)
  105. return result
  106. def cache_result(page, result, conn):
  107. pageid = page.pageid()
  108. hash = sha256(page.get()).hexdigest()
  109. query1 = "SELECT 1 FROM cache WHERE cache_id = ?"
  110. query2 = "DELETE FROM cache WHERE cache_id = ?"
  111. query3 = "INSERT INTO cache VALUES (?, ?, ?, CURRENT_TIMESTAMP, ?, ?)"
  112. with conn.cursor() as cursor:
  113. cursor.execute(query1, (pageid,))
  114. if cursor.fetchall():
  115. cursor.execute(query2, (pageid,))
  116. cursor.execute(query3, (pageid, hash, result.url, result.queries,
  117. result.tdiff))
  118. def get_sites(bot):
  119. max_staleness = 60 * 60 * 24 * 7
  120. conn = open_sql_connection(bot, "globals")
  121. query1 = "SELECT update_time FROM updates WHERE update_service = ?"
  122. query2 = "SELECT lang_code, lang_name FROM language"
  123. query3 = "SELECT project_code, project_name FROM project"
  124. with conn.cursor() as cursor:
  125. cursor.execute(query1, ("sites",))
  126. try:
  127. time_since_update = int(time() - cursor.fetchall()[0][0])
  128. except IndexError:
  129. time_since_update = time()
  130. if time_since_update > max_staleness:
  131. update_sites(bot.wiki.get_site(), cursor)
  132. cursor.execute(query2)
  133. langs = [(code, name.decode("unicode_escape")) for (code, name) in cursor.fetchall()]
  134. cursor.execute(query3)
  135. projects = cursor.fetchall()
  136. return langs, projects
  137. def update_sites(site, cursor):
  138. matrix = site.api_query(action="sitematrix")["sitematrix"]
  139. del matrix["count"]
  140. languages, projects = set(), set()
  141. for site in matrix.itervalues():
  142. if isinstance(site, list): # Special sites
  143. for special in site:
  144. if "closed" not in special and "private" not in special and "fishbowl" not in special:
  145. full = urlparse(special["url"]).netloc
  146. if full.count(".") == 1: # No subdomain, so use "www"
  147. lang, project = "www", full.split(".")[0]
  148. else:
  149. lang, project = full.rsplit(".", 2)[:2]
  150. code = u"{0}::{1}".format(lang, special["dbname"])
  151. name = special["code"].capitalize()
  152. languages.add((code, u"{0} ({1})".format(lang, name)))
  153. projects.add((project, project.capitalize()))
  154. continue
  155. this = set()
  156. for web in site["site"]:
  157. if "closed" in web:
  158. continue
  159. project = "wikipedia" if web["code"] == u"wiki" else web["code"]
  160. this.add((project, project.capitalize()))
  161. if this:
  162. code = site["code"]
  163. name = site["name"].encode("unicode_escape")
  164. languages.add((code, u"{0} ({1})".format(code, name)))
  165. projects |= this
  166. save_site_updates(cursor, languages, projects)
  167. def save_site_updates(cursor, languages, projects):
  168. query1 = "SELECT lang_code, lang_name FROM language"
  169. query2 = "DELETE FROM language WHERE lang_code = ? AND lang_name = ?"
  170. query3 = "INSERT INTO language VALUES (?, ?)"
  171. query4 = "SELECT project_code, project_name FROM project"
  172. query5 = "DELETE FROM project WHERE project_code = ? AND project_name = ?"
  173. query6 = "INSERT INTO project VALUES (?, ?)"
  174. query7 = "SELECT 1 FROM updates WHERE update_service = ?"
  175. query8 = "UPDATE updates SET update_time = ? WHERE update_service = ?"
  176. query9 = "INSERT INTO updates VALUES (?, ?)"
  177. synchronize_sites_with_db(cursor, languages, query1, query2, query3)
  178. synchronize_sites_with_db(cursor, projects, query4, query5, query6)
  179. cursor.execute(query7, ("sites",))
  180. if cursor.fetchall():
  181. cursor.execute(query8, (time(), "sites"))
  182. else:
  183. cursor.execute(query9, ("sites", time()))
  184. def synchronize_sites_with_db(cursor, updates, q_list, q_rmv, q_update):
  185. removals = []
  186. cursor.execute(q_list)
  187. for site in cursor:
  188. updates.remove(site) if site in updates else removals.append(site)
  189. cursor.executemany(q_rmv, removals)
  190. cursor.executemany(q_update, updates)
  191. def highlight_delta(chain, delta):
  192. processed = []
  193. prev_prev = prev = chain.START
  194. i = 0
  195. all_words = chain.text.split()
  196. paragraphs = chain.text.split("\n")
  197. for paragraph in paragraphs:
  198. processed_words = []
  199. words = paragraph.split(" ")
  200. for word, i in zip(words, count(i)):
  201. try:
  202. next = strip_word(all_words[i+1])
  203. except IndexError:
  204. next = chain.END
  205. sword = strip_word(word)
  206. block = (prev_prev, prev) # Block for before
  207. alock = (prev, sword) # Block for after
  208. before = [block in delta.chain and sword in delta.chain[block]]
  209. after = [alock in delta.chain and next in delta.chain[alock]]
  210. is_first = i == 0
  211. is_last = i + 1 == len(all_words)
  212. res = highlight_word(word, before, after, is_first, is_last)
  213. processed_words.append(res)
  214. prev_prev = prev
  215. prev = sword
  216. processed.append(u" ".join(processed_words))
  217. i += 1
  218. return u"<br /><br />".join(processed)
  219. def highlight_word(word, before, after, is_first, is_last):
  220. if before and after:
  221. # Word is in the middle of a highlighted block, so don't change
  222. # anything unless this is the first word (force block to start) or
  223. # the last word (force block to end):
  224. res = word
  225. if is_first:
  226. res = u'<span class="cv-hl">' + res
  227. if is_last:
  228. res += u'</span>'
  229. elif before:
  230. # Word is the last in a highlighted block, so fade it out and then
  231. # end the block; force open a block before the word if this is the
  232. # first word:
  233. res = fade_word(word, u"out") + u"</span>"
  234. if is_first:
  235. res = u'<span class="cv-hl">' + res
  236. elif after:
  237. # Word is the first in a highlighted block, so start the block and
  238. # then fade it in; force close the block after the word if this is
  239. # the last word:
  240. res = u'<span class="cv-hl">' + fade_word(word, u"in")
  241. if is_last:
  242. res += u"</span>"
  243. else:
  244. # Word is completely outside of a highlighted block, so do nothing:
  245. res = word
  246. return res
  247. def fade_word(word, dir):
  248. if len(word) <= 4:
  249. return u'<span class="cv-hl-{0}">{1}</span>'.format(dir, word)
  250. if dir == u"out":
  251. return u'{0}<span class="cv-hl-out">{1}</span>'.format(word[:-4], word[-4:])
  252. return u'<span class="cv-hl-in">{0}</span>{1}'.format(word[:4], word[4:])
  253. def strip_word(word):
  254. return sub("[^\w\s-]", "", word.lower(), flags=UNICODE)
  255. def urlstrip(url):
  256. if url.startswith("http://"):
  257. url = url[7:]
  258. if url.startswith("https://"):
  259. url = url[8:]
  260. if url.startswith("www."):
  261. url = url[4:]
  262. if url.endswith("/"):
  263. url = url[:-1]
  264. return url
  265. %>\
  266. <%
  267. lang = orig_lang = project = name = title = url = None
  268. query = parse_qs(environ["QUERY_STRING"])
  269. if "lang" in query:
  270. lang = orig_lang = query["lang"][0].decode("utf8").lower()
  271. if "::" in lang:
  272. lang, name = lang.split("::", 1)
  273. if "project" in query:
  274. project = query["project"][0].decode("utf8").lower()
  275. if "title" in query:
  276. title = query["title"][0].decode("utf8")
  277. if "url" in query:
  278. url = query["url"][0].decode("utf8")
  279. bot = Bot(".earwigbot")
  280. all_langs, all_projects = get_sites(bot)
  281. if lang and project and title:
  282. site, page, result = get_results(bot, lang, project, name,
  283. all_projects, title, url, query)
  284. else:
  285. site = page = result = None
  286. %>\
  287. <%include file="/support/header.mako" args="environ=environ, title='Copyvio Detector', add_css=('copyvios.css',), add_js=('copyvios.js',)"/>
  288. <h1>Copyvio Detector</h1>
  289. <p>This tool attempts to detect <a href="//en.wikipedia.org/wiki/WP:COPYVIO">copyright violations</a> in articles. Simply give the title of the page you want to check and hit Submit. The tool will then search for its content elsewhere on the web and display a report if a similar webpage is found. If you also provide a URL, it will not query any search engines and instead display a report comparing the article to that particular webpage, like the <a href="//toolserver.org/~dcoetzee/duplicationdetector/">Duplication Detector</a>. Check out the <a href="//en.wikipedia.org/wiki/User:EarwigBot/Copyvios/FAQ">FAQ</a> for more information and technical details.</p>
  290. <form action="${environ['PATH_INFO']}" method="get">
  291. <table>
  292. <tr>
  293. <td>Site:</td>
  294. <td>
  295. <tt>http://</tt>
  296. <select name="lang">
  297. <% selected_lang = orig_lang if orig_lang else bot.wiki.get_site().lang %>
  298. % for code, name in all_langs:
  299. % if code == selected_lang:
  300. <option value="${code}" selected="selected">${name}</option>
  301. % else:
  302. <option value="${code}">${name}</option>
  303. % endif
  304. % endfor
  305. </select>
  306. <tt>.</tt>
  307. <select name="project">
  308. <% selected_project = project if project else bot.wiki.get_site().project %>
  309. % for code, name in all_projects:
  310. % if code == selected_project:
  311. <option value="${code}" selected="selected">${name}</option>
  312. % else:
  313. <option value="${code}">${name}</option>
  314. % endif
  315. % endfor
  316. </select>
  317. <tt>.org</tt>
  318. </td>
  319. </tr>
  320. <tr>
  321. <td>Page title:</td>
  322. % if page:
  323. <td><input type="text" name="title" size="60" value="${page.title | h}" /></td>
  324. % elif title:
  325. <td><input type="text" name="title" size="60" value="${title | h}" /></td>
  326. % else:
  327. <td><input type="text" name="title" size="60" /></td>
  328. % endif
  329. </tr>
  330. <tr>
  331. <td>URL (optional):</td>
  332. % if url:
  333. <td><input type="text" name="url" size="120" value="${url | h}" /></td>
  334. % else:
  335. <td><input type="text" name="url" size="120" /></td>
  336. % endif
  337. </tr>
  338. % if query.get("nocache") or page:
  339. <tr>
  340. <td>Bypass cache:</td>
  341. % if query.get("nocache"):
  342. <td><input type="checkbox" name="nocache" value="1" checked="checked" /></td>
  343. % else:
  344. <td><input type="checkbox" name="nocache" value="1" /></td>
  345. % endif
  346. </tr>
  347. % endif
  348. <tr>
  349. <td><button type="submit">Submit</button></td>
  350. </tr>
  351. </table>
  352. </form>
  353. % if project and lang and title and not page:
  354. <div class="divider"></div>
  355. <div id="cv-result-yes">
  356. <p>The given site, (project=<b><tt>${project}</tt></b>, language=<b><tt>${lang}</tt></b>) doesn't seem to exist. It may also be closed or private. <a href="//${lang}.${project}.org/">Confirm its URL.</a></p>
  357. </div>
  358. % elif project and lang and title and page and not result:
  359. <div class="divider"></div>
  360. <div id="cv-result-yes">
  361. <p>The given page, <a href="${page.url}">${page.title | h}</a>, doesn't seem to exist.</p>
  362. </div>
  363. % elif page:
  364. <div class="divider"></div>
  365. <div id="cv-result-${'yes' if result.violation else 'no'}">
  366. % if result.violation:
  367. <h2 id="cv-result-header"><a href="${page.url}">${page.title | h}</a> is a suspected violation of <a href="${result.url | h}">${result.url | urlstrip}</a>.</h2>
  368. % else:
  369. <h2 id="cv-result-header">No violations detected in <a href="${page.url()}">${page.title | h}</a>.</h2>
  370. % endif
  371. <ul id="cv-result-list">
  372. <li><b><tt>${round(result.confidence * 100, 1)}%</tt></b> confidence of a violation.</li>
  373. % if result.cached:
  374. <li>Results are <a id="cv-cached" href="#">cached
  375. <span>To save time (and money), this tool will retain the results of checks for up to 72 hours. This includes the URL of the "violated" source, but neither its content nor the content of the article. Future checks on the same page (assuming it remains unchanged) will not involve additional search queries, but a fresh comparison against the source URL will be made. If the page is modified, a new check will be run.</span>
  376. </a> from ${result.cache_time} (${result.cache_age} ago). <a href="${environ['REQUEST_URI'].decode("utf8") | h}&amp;nocache=1">Bypass the cache.</a></li>
  377. % else:
  378. <li>Results generated in <tt>${round(result.tdiff, 3)}</tt> seconds using <tt>${result.queries}</tt> queries.</li>
  379. % endif
  380. <li><a id="cv-result-detail-link" href="#cv-result-detail" onclick="copyvio_toggle_details()">Show details:</a></li>
  381. </ul>
  382. <div id="cv-result-detail" style="display: none;">
  383. <ul id="cv-result-detail-list">
  384. <li>Trigrams: <i>Article:</i> <tt>${result.article_chain.size()}</tt> / <i>Source:</i> <tt>${result.source_chain.size()}</tt> / <i>Delta:</i> <tt>${result.delta_chain.size()}</tt></li>
  385. % if result.cached:
  386. % if result.queries:
  387. <li>Retrieved from cache in <tt>${round(result.tdiff, 3)}</tt> seconds (originally generated in <tt>${round(result.original_tdiff, 3)}</tt>s using <tt>${result.queries}</tt> queries; <tt>${round(result.original_tdiff - result.tdiff, 3)}</tt>s saved).</li>
  388. % else:
  389. <li>Retrieved from cache in <tt>${round(result.tdiff, 3)}</tt> seconds (originally generated in <tt>${round(result.original_tdiff, 3)}</tt>s; <tt>${round(result.original_tdiff - result.tdiff, 3)}</tt>s saved).</li>
  390. % endif
  391. % endif
  392. % if result.queries:
  393. <li><i>Fun fact:</i> The Wikimedia Foundation paid Yahoo! Inc. <a href="http://info.yahoo.com/legal/us/yahoo/search/bosspricing/details.html">$${result.queries * 0.0008} USD</a> for these results.</li>
  394. % endif
  395. </ul>
  396. <table id="cv-chain-table">
  397. <tr>
  398. <td>Article: <div class="cv-chain-detail"><p>${highlight_delta(result.article_chain, result.delta_chain)}</p></div></td>
  399. <td>Source: <div class="cv-chain-detail"><p>${highlight_delta(result.source_chain, result.delta_chain)}</p></div></td>
  400. </tr>
  401. </table>
  402. </div>
  403. </div>
  404. % endif
  405. <%include file="/support/footer.mako" args="environ=environ"/>