build-reject-domainset.ts 6.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169
  1. // @ts-check
  2. import path from 'path';
  3. import { processHosts, processFilterRules, processDomainLists } from './lib/parse-filter';
  4. import { createTrie } from './lib/trie';
  5. import { HOSTS, ADGUARD_FILTERS, PREDEFINED_WHITELIST, DOMAIN_LISTS } from './constants/reject-data-source';
  6. import { createRuleset, compareAndWriteFile } from './lib/create-file';
  7. import { domainDeduper } from './lib/domain-deduper';
  8. import createKeywordFilter from './lib/aho-corasick';
  9. import { readFileByLine, readFileIntoProcessedArray } from './lib/fetch-text-by-line';
  10. import { buildParseDomainMap, sortDomains } from './lib/stable-sort-domain';
  11. import { task } from './trace';
  12. // tldts-experimental is way faster than tldts, but very little bit inaccurate
  13. // (since it is hashes based). But the result is still deterministic, which is
  14. // enough when creating a simple stat of reject hosts.
  15. import { SHARED_DESCRIPTION } from './lib/constants';
  16. import { getPhishingDomains } from './lib/get-phishing-domains';
  17. import { setAddFromArray, setAddFromArrayCurried } from './lib/set-add-from-array';
  18. import { sort } from './lib/timsort';
  19. const getRejectSukkaConfPromise = readFileIntoProcessedArray(path.resolve(import.meta.dir, '../Source/domainset/reject_sukka.conf'));
  20. export const buildRejectDomainSet = task(import.meta.main, import.meta.path)(async (span) => {
  21. /** Whitelists */
  22. const filterRuleWhitelistDomainSets = new Set(PREDEFINED_WHITELIST);
  23. const domainSets = new Set<string>();
  24. const appendArrayToDomainSets = setAddFromArrayCurried(domainSets);
  25. // Parse from AdGuard Filters
  26. const shouldStop = await span
  27. .traceChild('download and process hosts / adblock filter rules')
  28. .traceAsyncFn(async (childSpan) => {
  29. // eslint-disable-next-line sukka/no-single-return -- not single return
  30. let shouldStop = false;
  31. await Promise.all([
  32. // Parse from remote hosts & domain lists
  33. HOSTS.map(entry => processHosts(childSpan, ...entry).then(appendArrayToDomainSets)),
  34. DOMAIN_LISTS.map(entry => processDomainLists(childSpan, ...entry).then(appendArrayToDomainSets)),
  35. ADGUARD_FILTERS.map(
  36. input => processFilterRules(childSpan, ...input)
  37. .then(({ white, black, foundDebugDomain }) => {
  38. if (foundDebugDomain) {
  39. // eslint-disable-next-line sukka/no-single-return -- not single return
  40. shouldStop = true;
  41. // we should not break here, as we want to see full matches from all data source
  42. }
  43. setAddFromArray(filterRuleWhitelistDomainSets, white);
  44. setAddFromArray(domainSets, black);
  45. })
  46. ),
  47. ([
  48. 'https://raw.githubusercontent.com/AdguardTeam/AdGuardSDNSFilter/master/Filters/exceptions.txt',
  49. 'https://raw.githubusercontent.com/AdguardTeam/AdGuardSDNSFilter/master/Filters/exclusions.txt'
  50. ].map(
  51. input => processFilterRules(childSpan, input).then(({ white, black }) => {
  52. setAddFromArray(filterRuleWhitelistDomainSets, white);
  53. setAddFromArray(filterRuleWhitelistDomainSets, black);
  54. })
  55. )),
  56. getPhishingDomains(childSpan).then(appendArrayToDomainSets),
  57. getRejectSukkaConfPromise.then(appendArrayToDomainSets)
  58. ].flat());
  59. // eslint-disable-next-line sukka/no-single-return -- not single return
  60. return shouldStop;
  61. });
  62. if (shouldStop) {
  63. process.exit(1);
  64. }
  65. console.log(`Import ${domainSets.size} rules from Hosts / AdBlock Filter Rules & reject_sukka.conf!`);
  66. // Dedupe domainSets
  67. const domainKeywordsSet = await span.traceChildAsync('collect black keywords/suffixes', async () => {
  68. /** Collect DOMAIN-KEYWORD from non_ip/reject.conf for deduplication */
  69. const domainKeywordsSet = new Set<string>();
  70. for await (const line of readFileByLine(path.resolve(import.meta.dir, '../Source/non_ip/reject.conf'))) {
  71. const [type, value] = line.split(',');
  72. if (type === 'DOMAIN-KEYWORD') {
  73. domainKeywordsSet.add(value);
  74. } else if (type === 'DOMAIN-SUFFIX') {
  75. domainSets.add('.' + value); // Add to domainSets for later deduplication
  76. }
  77. }
  78. return domainKeywordsSet;
  79. });
  80. const trie = span.traceChildSync('create smol trie while deduping black keywords', () => {
  81. const trie = createTrie(null, true, true);
  82. const kwfilter = createKeywordFilter(domainKeywordsSet);
  83. for (const domain of domainSets) {
  84. // exclude keyword when creating trie
  85. if (!kwfilter(domain)) {
  86. trie.add(domain);
  87. }
  88. }
  89. return trie;
  90. });
  91. span.traceChildSync('dedupe from white suffixes', () => filterRuleWhitelistDomainSets.forEach(trie.whitelist));
  92. // Dedupe domainSets
  93. const dudupedDominArray = span.traceChildSync('dedupe from covered subdomain', () => domainDeduper(trie));
  94. console.log(`Final size ${dudupedDominArray.length}`);
  95. const {
  96. domainMap: domainArrayMainDomainMap,
  97. subdomainMap: domainArraySubdomainMap
  98. } = span.traceChildSync(
  99. 'build map for stat and sort',
  100. () => buildParseDomainMap(dudupedDominArray)
  101. );
  102. // Create reject stats
  103. const rejectDomainsStats: Array<[string, number]> = span
  104. .traceChild('create reject stats')
  105. .traceSyncFn(() => {
  106. const statMap = dudupedDominArray.reduce<Map<string, number>>((acc, cur) => {
  107. const suffix = domainArrayMainDomainMap.get(cur);
  108. if (suffix) {
  109. acc.set(suffix, (acc.get(suffix) ?? 0) + 1);
  110. }
  111. return acc;
  112. }, new Map());
  113. return sort(Array.from(statMap.entries()).filter(a => a[1] > 9), (a, b) => (b[1] - a[1]) || a[0].localeCompare(b[0]));
  114. });
  115. const description = [
  116. ...SHARED_DESCRIPTION,
  117. '',
  118. 'The domainset supports AD blocking, tracking protection, privacy protection, anti-phishing, anti-mining',
  119. '',
  120. 'Build from:',
  121. ...HOSTS.map(host => ` - ${host[0]}`),
  122. ...DOMAIN_LISTS.map(domainList => ` - ${domainList[0]}`),
  123. ...ADGUARD_FILTERS.map(filter => ` - ${Array.isArray(filter) ? filter[0] : filter}`),
  124. ' - https://curbengh.github.io/phishing-filter/phishing-filter-hosts.txt',
  125. ' - https://phishing.army/download/phishing_army_blocklist.txt'
  126. ];
  127. return Promise.all([
  128. createRuleset(
  129. span,
  130. 'Sukka\'s Ruleset - Reject Base',
  131. description,
  132. new Date(),
  133. span.traceChildSync('sort reject domainset', () => sortDomains(dudupedDominArray, domainArrayMainDomainMap, domainArraySubdomainMap)),
  134. 'domainset',
  135. path.resolve(import.meta.dir, '../List/domainset/reject.conf'),
  136. path.resolve(import.meta.dir, '../Clash/domainset/reject.txt')
  137. ),
  138. compareAndWriteFile(
  139. span,
  140. rejectDomainsStats.map(([domain, count]) => `${domain}${' '.repeat(100 - domain.length)}${count}`),
  141. path.resolve(import.meta.dir, '../Internal/reject-stats.txt')
  142. )
  143. ]);
  144. });